text
stringlengths
20
1.01M
url
stringlengths
14
1.25k
dump
stringlengths
9
15
lang
stringclasses
4 values
source
stringclasses
4 values
In this document What Is Multi-Tenancy? "Software" (Wikipedia) In short, separated database, we can serve multiple tenants on a single server. We just have to make sure that multiple instances of the application don't conflict with each other on the same server environment. This can also be possible for an existing application which is not designed as multi-tenant. It's easier to create such an application since the application is not aware of multitenancy. There are, however, setup, utilization and maintenance problems in this approach. Single Deployment - Multiple Database ln this approach, we run a single instance of the application on a server. We have a master (host) database to store tenant metadata (like tenant name and subdomain) and a separate database for each tenant. Once we identify the current tenant (for example; from subdomain or from a user login form), then we can switch to that tenant's database to perform operations. In this approach, the application should be designed as multi-tenant at some level, but most of the application can remain independent from it. We create and maintain a separate database for each tenant, this includes database migrations. If we have many customers with dedicated databases, it may take a long time to migrate the database schema during an application update. Since we have a separated database for each tenant, we can backup its database separately from other tenants. We can also move the tenant database to a stronger server if that tenant needs it. Single Deployment - Single Database This is the most ideal multi-tenancy architecture: We only deploy a single instance of the application with a single database on to a single server. We have a TenantId (or similar) field in each table (for a RDBMS) which is used to isolate a tenant's data from others. This type of application is easy to setup and maintain, but harder to create. This is because we must prevent a Tenant from reading or writing to other tenant data. We may add a TenantId filter for each database read (select) operation. We may also check it every time we write, to see if this entity is related to the current tenant. This is tedious and error-prone. However, ASP.NET Boilerplate helps us here by using automatic data filtering. This approach may have performance problems if we have many tenants with large data sets. We can use table partitioning or other database features to overcome this problem. Single Deployment - Hybrid Databases We may want to store tenants in a single databases normally, but may want to create a separate database for desired tenants. For example, we can store tenants with big data in their own databases, but store all other tenants in a single database. Multiple Deployment - Single/Multiple/Hybrid Database Finally, we may want to deploy our application to more than one server (like web farms) for better application performance, high availability, and/or scalability. This is independent from the database approach. Multi-Tenancy in ASP.NET Boilerplate ASP.NET Boilerplate can work with all the scenarios described above. Enabling Multi-Tenancy Multi-tenancy is disabled by default for Framework level. We can enable it in PreInitialize method of our module as shown below: Configuration.MultiTenancy.IsEnabled = true; Note: Multi-tenancy is enabled in both ASP.NET Core and ASP.NET MVC 5.x startup templates. Host vs Tenant We define two terms used in a multi-tenant system: - Tenant: A customer which has its own users, roles, permissions, settings... and uses the application completely isolated from other tenants. A multi-tenant application will have one or more tenants. If this is a CRM application, different tenants also have their own accounts, contacts, products and orders. So when we say a 'tenant user', we mean a user owned by a tenant. - Host: The Host is singleton (there is a single host). The Host is responsible for creating and managing tenants. A 'host user' is at a higher level and independent from all tenants and can control them. Session ASP.NET Boilerplate defines the IAbpSession interface to obtain the current user and tenant ids. This interface is used in multi-tenancy to get the current tenant's id by default. Thus, it can filter data based on the current tenant's id. Here are the rules: - If both the UserId and the TenantId is null, then the current user is not logged in to the system. We can not know if it's a host user or tenant user. In this case, the user can not access authorized content. - If the UserId is not null and the TenantId is null, then we know that the current user is a host user. - If the UserId is not null and the TenantId is not null, we know that the current user is a tenant user. - If the UserId is null but the TenantId is not null, that means we know the current tenant, but the current request is not authorized (user did not login). See the next section to understand how the current tenant is determined. See the session documentation for more information. Determining Current Tenant Since all tenant users use the same application, we should have a way of distinguishing the tenant of the current request. The default session implementation (ClaimsAbpSession) uses different approaches to find the tenant related to the current request in this given order: - If the user is logged in, it gets the TenantId from current claims. Claim name is and should contain an integer value. If it's not found in claims then the user is assumed to be a host user. - If the user has not logged in, then it tries to resolve the TenantId from the tenant resolve contributors. There are 3 pre-defined tenant contributors and are run in a given order (first successful resolver 'wins'): - DomainTenantResolveContributer: Tries to resolve tenancy name from an url, generally from a domain or subdomain. You can configure the domain format in the PreInitialize method of your module (like Configuration.Modules.AbpWebCommon().MultiTenancy.DomainFormat = "{0}.mydomain.com";). If the domain format is "{0}.mydomain.com" and the current host of the request is acme.mydomain.com, then the tenancy name is resolved as "acme". The next step is to query ITenantStore to find the TenantId by the given tenancy name. If a tenant is found, then it's resolved as the current TenantId. - HttpHeaderTenantResolveContributer: Tries to resolve TenantId from an "Abp.TenantId" header value, if present. This is a constant defined in Abp.MultiTenancy.MultiTenancyConsts.TenantIdResolveKey. - HttpCookieTenantResolveContributer: Tries to resolve the TenantId from an "Abp.TenantId" cookie value, if present. This uses the same constant explained above. If none of these attempts can resolve a TenantId, then the current requester is considered to be the host. Tenant resolvers are extensible. You can add resolvers to the Configuration.MultiTenancy.Resolvers collection, or remove an existing resolver. One last thing on resolvers: The resolved tenant id is cached during the same request for performance reasons. Resolvers are executed once in a request, and only if the current user has not already logged in. Tenant Store The DomainTenantResolveContributer uses ITenantStore to find the tenant id by tenancy name. The default implementation of ITenantStore is NullTenantStore which does not contain any tenant and returns null for queries. You can implement and replace it to query tenants from any data source. Module Zero properly implements it by getting it from its tenant manager. So if you are using Module Zero, you don't need to worry about the tenant store. Data Filters For the multi-tenant single database approach, we must add a TenantId filter to only get the current tenant's entities when retrieving entities from the database. ASP.NET Boilerplate automatically does it when you implement one of the two interfaces for your entity: IMustHaveTenant and IMayHaveTenant. IMustHaveTenant Interface This interface is used to distinguish the entities of different tenants by defining a TenantId property. An example entity that implements IMustHaveTenant: public class Product : Entity, IMustHaveTenant { public int TenantId { get; set; } public string Name { get; set; } //...other properties } This way, ASP.NET Boilerplate knows that this is a tenant-specific entity and automatically isolates the entities of a tenant from other tenants. IMayHaveTenant interface We may need to share an entity type between host and tenants. As such, an entity may be owned by a tenant or the host. The IMayHaveTenant interface also defines TenantId (similar to IMustHaveTenant), but it is nullable in this case. An example entity that implements IMayHaveTenant: public class Role : Entity, IMayHaveTenant { public int? TenantId { get; set; } public string RoleName { get; set; } //...other properties } We may use the same Role class to store Host roles and Tenant roles. In this case, the TenantId property says if this is host entity or tenant entitiy. A null value means this is a host entity, a non-null value means this entity is owned by a tenant where the Id is the TenantId. Additional Notes IMayHaveTenant is not as common as IMustHaveTenant. For example, a Product class can not be IMayHaveTenant since a Product is related to the actual application functionality, and not related to managing tenants. So use the IMayHaveTenant interface carefully since it's harder to maintain code shared by host and tenants. When you define an entity type as IMustHaveTenant or IMayHaveTenant, always set the TenantId when you create a new entity (While ASP.NET Boilerplate tries to set it from current TenantId, it may not be possible in some cases, especially for IMayHaveTenant entities). Most of the time, this will be the only point you deal with the TenantId properties. You don't need to explicitly write the TenantId filter in Where conditions while writing LINQ, since it is automatically filtered. Switching Between Host and Tenants While working on a multi-tenant application database, we can get the current tenant. By default, it's obtained from the IAbpSession (as described before). We can change this behavior and switch to another a given tenant's data, independent from the database architecture: - If the given tenant has a dedicated database, it switches to that database and gets products from it. - If the given tenant does not have a dedicated database (the single database approach, for example), it adds the automatic TenantId filter to query only that tenant's products. If we don't use SetTenantId, it gets the tenantId from the session. There are some guidelines and best practices here: - Use SetTenantId(null) to switch to the host. - Use SetTenantId within a using block (as in the example) if there is not a special case. This way, it automatically restores the tenantId at the end of the using block and the code calling the GetProducts method works as before. - You can use SetTenantId in nested blocks if it's needed. - Since _unitOfWorkManager.Current is only available in a unit of work, be sure that your code runs in a UOW.
https://aspnetboilerplate.com/Pages/Documents/Multi-Tenancy
CC-MAIN-2018-43
en
refinedweb
Download presentation Presentation is loading. Please wait. Published byIsabella Galloway Modified over 4 years ago 1 2006-05-18IVOA Interoperability Victoria: STC1 Space-Time Coordinate Metadata: Status Arnold Rots Harvard-Smithsonian CfA / CXC T HE US N ATIONAL V IRTUAL O BSERVATORY 2 2006-05-18IVOA Interoperability Victoria: STC2 Scope Space-Time Coordinate metadata aim to provide a structure ensuring that intertwined coordinates are described: –Completely (no obvious defaults in the VO) –Self-consistently The coordinate frames involved: –Time –Space (position, velocity) –Spectral –Redshift 3 2006-05-18IVOA Interoperability Victoria: STC3 Model: STC Components Coordinate system contains a frame for each coordinate: –Reference frame (orientation) –Reference position (origin) Coordinates and properties: –Coordinate value, error, resolution, etc. Coordinate area: –The volume in coordinate space occupied by the data object that the metadata refer to 4 2006-05-18IVOA Interoperability Victoria: STC4 Multiple Coordinate Systems There may be multiple equivalent representations for the same data, e.g.: Equatorial Galactic Detector coordinates Pixel coordinates These are related through transformations Transformations are not part of the coordinate systems since they are between systems They were to be implemented by David Berry (Starlink AST library) Current status unclear 5 2006-05-18IVOA Interoperability Victoria: STC5 Applications Resource Profile –Whats covered by this resource and what are the properties? Observation Description –Location of the observatory, as well as the coordinate volume occupied by the data Search Location –Specification of a query Catalog Entry Location –Coverage of a set of catalog entries 6 2006-05-18IVOA Interoperability Victoria: STC6 XML Developments: Summary Single schema Referencing model for IVOA Allowing use of template components that are referred to by name, as well as referencing within a document Accommodate code generators Java, C#, C++ Support for: VOEvent Footprint service Registry (coverage) SED, generic coordinates ADQL 7 2006-05-18IVOA Interoperability Victoria: STC7 Model and Schema Design For now: STC Model STC schema –Schema documentation –List of changes XML examples STC clients may (and do) decide to implement a subset of capabilities 8 2006-05-18IVOA Interoperability Victoria: STC8 Schema Development Single schema: –The three schemata (stc:, crd:, reg:) have been consolidated into a single schema stc: this allows use of default namespace Referencing –Referencing standards were developed based on Xlink, rather than XInclude; this leaves it up to the client to decide what to do with a reference –Flexible multi-level internal and external referencing 9 2006-05-18IVOA Interoperability Victoria: STC9 Referencing Base type with 4 optional attributes: –id (ID) Precedence: –idref (IDREF)- body –xlink:type=simple- idref –xlink:href (anyURI)- xlink:href Xlink leaves the interpretation up to the application, action to the client STC document specifies href to be an XPath pointer to an element that may be substituted 10 2006-05-18IVOA Interoperability Victoria: STC10 Xlink Reference Example Choose coordinate system from library: More sensible (but not guaranteed) use of id: (id is the tag that connects coordinates to a system) 11 2006-05-18IVOA Interoperability Victoria: STC11 Support Developments VOEvent –Use of STC for WhereWhen resulted in changes in the way multi-dimensional coordinates are expressed –Added support for orbital parameters Footprint/Region web services (Budavari) –Redesigned certain parts of the inheritance scheme to support code generators (.net, JAXB) –Added support for curves & region difference 12 2006-05-18IVOA Interoperability Victoria: STC12 VOEvent WhereWhen <ObservatoryLocation id="KPNO" xlink: <AstroCoordSystem id="FK5-UTC-TOPO" xlink: 2005-04-15T23:59:59 1.0 148.88821 69.06529 0.03 13 2006-05-18IVOA Interoperability Victoria: STC13 VOEvent Restrictions STC usage limited to a dozen coordinate systems: Time: UTC, TT, TDB Position: FK5, ICRS; solar under consideration Reference position: topocenter, geocenter, barycenter Observatory locations: Library of participating observatories Generic locations (LEO, GSO, earth neighborhood) 14 2006-05-18IVOA Interoperability Victoria: STC14 Footprint Region Example <MyRegion xsi: <AstroCoordSystem xlink: 333.81711620673087 55.83295907051123 166.70368880492589 15 2006-05-18IVOA Interoperability Victoria: STC15 More Support Development SED STC provides coverage and coordinate system support for SED, partly through reference mechanism In the process, support for generic coordinate axes was improved UCD referencing was added Registry Coverage ADQL Region 16 2006-05-18IVOA Interoperability Victoria: STC16 Status and Plans Status: –Schema version 1.30 has been published –Works with JHU region web service –Incorporated in VOEvent, Registry, SED draft Plans: –Update Proposed Recommendation and resubmit –Sort out solar coordinate systems –Develop standard components Xlink library –Develop STC Java library 17 2006-05-18IVOA Interoperability Victoria: STC17 Status Summary (1) The schema has been finished and is at: Xlink is at: The full 493-page document is available from Generated code for Java, C++, and C# is available at the same site Examples are also available from this site; they have been validated The schema supports full referencing, UCDs, and generic coordinates 18 2006-05-18IVOA Interoperability Victoria: STC18 Status Summary (2) STC has been incorporated into VOEvent after extensive finetuning STC has been incorporated in Tamas's footprint service (regions) STC has been incorporated into the spectral DM STC specification has been submitted for incorporation into ADQL 19 2006-05-18IVOA Interoperability Victoria: STC19 Status Summary (3) I am currently working on the revision of the document: –XML schema will become part of the PR –New support features need to be documented –Examples need to be updated –Reference libraries need to be documented –A how-to section needs to be added, similar to the one in VOEvent –I am willing to provide a style sheet for display of STC metadata –Solar coordinate systems need to be sorted out; this will be handled through a simple extension of the schema 20 2006-05-18IVOA Interoperability Victoria: STC20 Summary of Changes (1) A new referencing mechanism, Xlink, that is robust and flexible; in case of ambiguities, the precedence is: –1. Content of the element –2. Content of element referred to by IDREF attribute –3. Content referenced by Xlink attributes –4. UNKNOWN Any element that is either missing or which content cannot be determined is assumed to be UNKNOWN, in which case it is up to the client to either reject the document or choose a suitable default. Replacing Lists of doubles (i.e., arrays, particularly in multi-dimensional - spatial - coordinate axes) by explicit enumeration of the individual components. Allowing units to be specified at all levels of coordinates (i.e., also at the leaves). 21 2006-05-18IVOA Interoperability Victoria: STC21 Summary of Changes (2) Simplified version of error circles in 2-D and 3-D Name optional in Coordinate elements, Timescale optional in astronTimeType Rename Region Shape "Constraint" to "Halfspace". Add "Difference" to Region operations (redundant but practical). Optional epoch attribute; precedence: –1. Epoch provided in coordinate leaf element –2. Epoch provided in higher coordinate node –3. Time of observation –4. Equinox of, or implied by, coordinate system –5. UNKNOWN –Note that under most circumstances, where an observing time is provided, epoch is not needed. 22 2006-05-18IVOA Interoperability Victoria: STC22 Summary of Changes (3) Allow position to be specified by orbital elements. Allow definition of a position path (curve). Removed all anonymous types. Added application-specific types (in particular for footprint service). Consolidated everything in one schema. Added basic support for generic coordinates. Added an optional UCD attribute to the basic STC attribute group. Similar presentations © 2018 SlidePlayer.com Inc.
http://slideplayer.com/slide/698640/
CC-MAIN-2018-43
en
refinedweb
REST is a term coined by Roy Fielding in his Ph.D. dissertation to describe an architecture style of networked systems. REST is an acronym standing for Representational State Transfer. Representational State Transfer(REST), a software architecture style used in developing stateless web services. While this style may be used to describe any distributed framework that uses a simple protocol for data transmission and no other additional data transfer rules, the most common use of REST is on on the Web with HTTP being the only protocol used here. In REST each service (called “resource” in REST) is viewed as resource identified by a URL, and the only operations allowed are the HTTP – GET (Read), PUT (Update), POST(Create) and DELETE (Delete). You can find this style similar in SQL, thinking of a resource as equivalent to a Table. The main features and constraints of REST architectural style are: - Client. A lot of companies these days (including Amazon and Yahoo!) are exposing their web services in the form of REST resources. At a high level REST is pretty easy to understand, all you’re doing is exposing a web service in the form of a URL. Users can then query this URL, through HTTP methods like GET and POST. REST calls generally return some type of XML or Object Encoding like JSON. REST in PHP An example would be Yahoo!’s Geocoding API, with the following URL: You will get: So Yahoo! exposes the Geocode URL and allows you to query this resource using URL parameters like appid and street. Dynamically building your URL to query a given resource is OK, generally that’s what people do, like the following: "; $output = file_get_contents($url); You may want to see the pear package HTTP Request for making REST calls, which among many things supports GET/POST/HEAD/TRACE/PUT/DELETE, basic authentication, proxy, proxy authentication, SSL, file uploads and more. Using this package, I got started on a simple wrapper class called RESTclient, which gives intuitive support for making REST resource calls. So if we are going to use RESTclient to call the Geocode API above, following will be the source code: createRequest("$url","POST",$inputs); $rest->sendRequest(); $output = $rest->getResponse(); echo $output; ?> REST in Java You may want to call the REST web service from Java. Following is the code for a simple Web Service client for the flickr web services interface. package net.viralpatel.rest; import java.net.HttpURLConnection; import java.net.InetSocketAddress; import java.net.Proxy; import java.net.SocketAddress; import java.net.URL; import javax.xml.parsers.DocumentBuilder; import javax.xml.parsers.DocumentBuilderFactory; import org.w3c.dom.Document; public class FlickrClient { public static void main(String[] args) { String flickrURL = "[yourflickrkey]"; try { SocketAddress addr = new InetSocketAddress("[proxy]", 9090); Proxy proxy = new Proxy(Proxy.Type.HTTP, addr); URL u = new URL("[yourflickrkey]"); HttpURLConnection uc = (HttpURLConnection) u.openConnection(proxy); uc.setRequestProperty("Accept", "*/*"); uc.setRequestProperty("Accept-Charset", "ISO-8859-1,utf-8;q=0.7,*;q=0.7"); uc.setRequestProperty("Accept-Language", "en-us,en;q=0.5"); uc.setRequestProperty("Keep-Alive", "300"); uc.setRequestProperty("ucection", "keep-alive"); String proxyUser = "[netUserId]"; String proxyPassword = "[netPassword]"; uc.setRequestProperty("Proxy-Authorization", "NTLM " + new sun.misc.BASE64Encoder().encode((proxyUser + ":" + proxyPassword).getBytes())); DocumentBuilder docBuilder = DocumentBuilderFactory.newInstance().newDocumentBuilder(); Document doc = docBuilder.parse(uc.getInputStream()); System.out.println(doc.getDocumentElement().getTagName()); System.out.println(); } catch (Exception e) { e.printStackTrace(); } } } I want to make first web service any simple example, guide me any idea.. Could you please send any simple examples about web service to me ? Thanks in advance.. Hi Viral, I read your “RESTful Web Service tutorial: An Introduction for beginners” Artical. I am new in PHP. I got some work to call WCF based REST Service from PHP. I went through your examples but I am not able to find RESTclient.php file which you mentioned in second code snippet (require_once “RESTclient.php”;) Can you please send me that file or give me URL from where I can download that file and use it in my code. Web service examples? i want create RESTful API using php, i want free demo plz sent via email [email protected] Hello, I am new in webservice. Please provide me a simple example java webservice code and please send me a code explanation that how it works.. please in my e-mail [email protected] your examples are not rest, but rpc though xml, rest is hypertext driven, has links in response Hi, CAn u give me and example of a restful webservice in java for consuming and producing a json When i try to use the restclient.php it shows the error : Call to undefined method RestClient::createRequest() The Restclient.php file url needed. the file downloaded from the githut doesnt have the send request method/ when ever i am trying to execute above getting this error . plz. help me to resolve. java.net.UnknownHostException: [proxy] at java.net.PlainSocketImpl.connect(PlainSocketImpl.java:195) at java.net.Socket.connect(Socket.java:529) at java.net.Socket.connect(Socket.java:478) at sun.net.NetworkClient.doConnect(NetworkClient.java:163) at sun.net. at sun.net. at java.security.AccessController.doPrivileged(Native Method) at sun.net. at sun.net. at sun.net. at sun.net. at sun.net. at sun.net. at sun.net. at sun.net. at sun.net. at FlickrClient.main(FlickrClient.java:31) i have created client in another way. i want to know how many ways are there to create a client in restful web services. Very good introductory post Nils. I’m going to have an AWS training tomorrow and just wanted a bit of an overview… I found it here. Good blog… I have the exact same theme on mine. Cheers Nice Article. How it help to developer in terms of balance the day to day life.
http://viralpatel.net/blogs/restful-web-service-tutorial-introduction-rest-restful/
CC-MAIN-2018-43
en
refinedweb
Continuing the discussion from Supporting Multiple SQS Queues for the same message type across different instances: I have the same requirement of supporting queues with the same message type for different services as discussed in the above question. The answer with regards to queueprefix worked perfectly for SQS, I'm trying to work out how to get this working for Redis. If I set the queueprefix to "instance-service" with redis I see a pubsub channel created called "instance-service-mq:topic:in If I publish a message using this approach: mqClient.Publish(ob1) I receive the object and can process it. However, if I need the object to go to service2, I have tried the following: mqClient.Publish("instance-service2-mq:topic", clientMsg); mqClient.Publish("instance-service2-mq:", clientMsg); mqClient.Publish("instance-service2-mq", clientMsg); mqClient.Publish("instance-service2", clientMsg); none of which appear to reach the destination. What am I missing here, and what is the correct way to publish / consume to a queue in the format "instance-service-messagename" Best Regards. What's your Queue Names configuration? The Queue Names are static so they're only configurable to use a single prefix. Are you trying to send them to 2 different prefixes within the same App? The QueuePrefix is only set to one value, each service only reads from one set of queues (and each queue belongs to only one service), however, I need a Service to post both to its own queue and to the queue of another service so I need to be able to post to two different queue prefixes. I have the following services Instance "Dev"[ Service A ] < - > [ Service B ] < - > [ Service C ] Service A has the following queue interactions- Posts and Reads to Dev-A-Inbound- Posts to Dev-B-Processing- Reads from Dev-A-Outbound Service B has the following queue interactions - Reads from Dev-B-Processing - Posts to Dev-A-Outbound - Posts to Dev-C-Outbound Service C has the following queue interactions - Posts and Reads from Dev-C-Inbound - Reads from Dev-C-Outbound - Posts to Dev-B-Processing With SQS this works as I could set QueuePrefix as follows for the purpose of reading:A: "dev-a-"B: "dev-b-"C: "dev-c-" and then when publishing a message I could use mqClient.SendMessage(qUrl, json); where qUrl uses the format <add key="QueueUrlPattern" value="[INSTANCE]-[SERVICE]-mq-[TYPE]-inq" /> and I fill the parameters accordingly depending on the destination Without the ability to set a destination queue in this way, it severely limits scalability options and/or I'd have to have a different message model per service, and that really goes against how the architecture design is intended. Think I found the solution, I can do the following: mqClient.Publish("instance-service-mq:TypeName.inq", clientMsg); This achieves the same approach I had with SQS I believe. I'm unable to repro this issue. I've added a new test that uses a QueueName prefix in MqServerQueueNameTests.cs and both Redis and RabbitMQ have the same behavior of using the prefix in each of the Topic Queue Names as well as the Request/Response Queue Names. Can you provide a stand-alone integration test that we can run that shows where the Prefix isn't being used? Hi mythz, sorry about the brevity of my response above. I don't think there is a bug here, I think the issue was that if I wanted to post to a seperate channel e.g. post to queue for service B from service A, I had to use the Publish method with the correct queue path as above. I didn't have this formatted quite right, but I managed to work it out by using the ToQueueNameIn provided by the producer class. So I think all is good here provided this is the correct way to post to another services channel ? Best Regards Yeah that's how to override the default Queue Name. I have got this to work in the following Configuration With two servicesService AService B Service A puts X in dev-A-X queueService A reads X from dev-A-X queueService A puts Y in dev-B-Y queueService B reads Y from dev-B-Y queue The problem I have is that the consumer thread in service B appears to die, it runs once, processes one message, returns and is never seen again. I should mention that this is using multiple test harness host applications and I'm yet to test it fully with the individual windows services, so I was wondering if something screwy was happening with visual studio somehow. I do not appear to be having any exceptions, I am returning null from the method and messages appear to be flowing correctly between the queues from the redis perspective with the message ending up in the out queue. Initially i thought it might have been a race condition with the queuenames prefix somehow (resulting in message ending up in wrong queue), but i traced everything through and it is all correct. It is just that the Service B consumer thread never fires a second time. If I restart the Service B host, it picks up the second message, processes again and then fails to deliver a third. Any thoughts on this or how I may debug it? I was going to try to send X to B just to see if that object sent fine as it appears to work always no problem with service A Declaring a prefix is akin to specifying a "namespace" for your MQ Services where you should only be using a single namespace which all your Services should be using. The issue is that Redis MQ sends the Message to the Queue but then needs to "notify the MQ topic" to tell any RedisMqServer listening that a new message is available. RedisMqServer The name of this topic is QueueNames.TopicIn which is used for all messages. QueueNames.TopicIn You can manually notify the topic of a different prefix with something like: var mqClient = (RedisMessageQueueClient)mqServer.CreateMessageQueueClient(); mqClient.Publish(request); var queueName = MessageFactory.Create(request).ToInQueueName(); mqClient.ReadWriteClient.Publish(QueueNames.TopicIn, queueName.ToUtf8Bytes()); But using internal impl details like this is ugly, ideally you should be avoiding sending messages in different namespaces entirely. Can you just not send a different Request DTO to publish a Message to Service B? var requestB = request.ConvertTo<RequestB>(); mqClient.Publish(requestB); Thanks very much for the information. The problem I have is with this structure: A <-> B <-> C1 <-> C2 <-> C3 <-> C4 <-> C5 Where B will send to 0 or more C services. Yes I can have a Cx request DTO, but it removes the genericity of the code and means that I can't run with an adapter pattern. With SQS I was able to achieve this genericity as the namespace prefix used was data driven so I just sent a single request DTO type to 0 or more queues Best Regards, For now I'll go with inheriting the DTO model as you have suggested, its not quite what I wanted but I'll compromise for now. Cheers. Another alternative is to use RabbitMq which as it's a push-based purpose-built MQ Server doesn't require subscribing to a Pub/Sub topic like RedisMq does. Thanks for the information. Just a question on the Pub/Sub handling for Redis. With SQS, if i have two services subscribe to the same queue, the message will be delivered only once (to one of the services which has implemented the registerhandler) Is this the same with RedisMQ implementation, or will the Pub/Sub broadcast ? All MQ Servers have the same behavior where messages are published to an "In Queue" and only delivered/processed by a single worker. The Pub/Sub topic is an implementation detail to notify the RedisMqServer that they have pending messages, the Pub/Sub topic isn't sent the message itself, just a notification that they have messages in their Message .inq. .inq Great thanks that's perfect.
https://forums.servicestack.net/t/correct-handling-for-multiple-redis-queues/5136
CC-MAIN-2018-43
en
refinedweb
Introduction: This blog post will look at a practical example of how to implement asynchronous background tasks in a Flask environment, with an example taken from my ongoing project of building a Destiny the game inventory management web application. During the design of DestinyVaultRaider.com one of the main pain points was manually updating my production environment every time the Destiny Manifest was changed. The development crew in Bungie were very active and were updating the Manifest right up to the launch of Destiny 2. Before adding the background tasks, I had a small Python script running from my Raspberry Pi, which would send a request to Bungie, every 10 minutes, for the current Manifest version – if the stored Manifest version was different, the script would send me a message on a private Slack channel to notify me that the Manifest had changed and I’d need to update my Heroku environment. If the Manifest version stored on my production environment didn’t match the current revision of the Manifest Bungie were using, this would cause an error in my Flask application, sending the user a HTTP 500 internal error response and be diverting them to a generic error page. This leads to a negative user experience, and with the Manifest being updated randomly – sometimes twice a week, I was left scrambling to update it as quickly as possible. I store the Manifest in a Redis database, so using Redis as a Message Broker (see below) made sense for my application. Introduction to Celery: From the Celery docs: “Celery is an asynchronous task queue/job queue based on distributed message passing. It is focused on real-time operation, but supports scheduling as well”. From the perspective of my app, I will be using Celery to create a scheduled task, which checks the Destiny Manifest every few minutes, and updates my Redis database as needed. I will also be creating an asynchronous task that will check the Manifest every time an authorised user sends a request to a specific endpoint on my server, such as. For another look at implementing Celery with Flask, have a read of Miguel Grinberg’s blog on Celery with Flask. How Celery works: The asynchronous tasks will be set up as follows. - Celery client: - This will be connect your Flask application to the Celery task. The client will issue the commands for the task. - Celery worker: - A process that runs a background task, I will have 2 workers, a scheduled task and an asynchronous task called every time I visit a particular endpoint (/updateManifest). - Message broker: - The Celery client communicates to the Celery worker through a message broker, I will be using Redis but you can also use RabbitMQ or RQ. Installing Celery and Redis: An important note: One of the main reasons I went with Celery and Redis; is because I do all of my development work on a Windows laptop – most of the libraries and tutorials I found were geared on developing in a Linux environment (which makes sense as your web application is most likely deployed on a Linux system). Celery has dropped Windows support but you can still install an earlier version to allow development on a Windows system. Shout out to /u/WTRipper on Reddit for this information. Installing Celery: Celery can be installed from pip, version 3.1.25 supports Windows and worked well for me: pip uninstall celery pip install celery==3.1.25 Installing Redis: Redis is not officially supported on windows – but the Microsoft open tech group maintain a Windows port, which you can download here. (I downloaded the installer Redis-x64-3.0.504.msi). The Flask application factory: The Flask application factory concept is a methodology of structuring your app as a series of Blueprints, which can run individually, or together (even with different configurations). More than just this, it sets out a more standardised approach to designing an application. This can also add a bit of complexity to designing an application, as most Celery tutorials focus on standalone applications and ignore the detail of integrating Celery into a large Flask application. In my case, I will have a Blueprint for my API and a Main Blueprint for everything else. Destiny Vault Raider app structure: As Destiny Vault Raider uses the Flask application factory structure, each Blueprint is contained in it’s own folder. For DVR, I only need a “main” and “api” Blueprint, as I don’t require separate views for unauthenticated visitors (although it’s probably something I’ll add in future). The main items to look out for are highlighted in red. DestinyVaultRaider │ celery_worker.py │ config.py │ manage.py │ ├───app │ │ email.py │ │ getManifest.py │ │ models.py │ │ __init__.py │ │ │ ├───api_1_0 │ │ views.py │ │ __init__.py │ │ │ ├───main │ │ errors.py │ │ forms.py │ │ Inventory_Management.py │ │ OAuth_functions.py │ │ views.py │ │ __init__.py │ │ │ ├───static │ │ │ style.css │ │ │ └───templates │ │ index.html │ Destiny Vault Raider updating manifest flow chart: From the diagram, we can see: - How the Flask application connects to the Redis message broker. - The Message broker talks to the Celery worker. - The Celery worker calls (either the asynchronous or periodic) Python function to update the Redis Manifest database. - The Flask application can access the Manifest database directly, when a user makes a request to view their items. Now, lets tun these ideas into code! Creating the Celery worker: Create an instance of the Celery worker, add the Celery configuration. The Celery configuration will be defined a little later in config.py. app/__init__.py: from celery import Celery celery = Celery(__name__, broker=Config.CELERY_BROKER_URL) def create_app(config_name): app = Flask(__name__) : : celery.conf.update(app.config) : Adding the Celery worker to the app instance: Take the instance of the celery object we created and and add it to the app context (read about the app_context here). celery_worker.py: import os from app import celery, create_app app = create_app(os.getenv('FLASK_CONFIG') or 'default') app.app_context().push() Configuring Celery and Redis: During development, your Celery client and Redis broker will be running on your local machine, however during deployment – these connections will be to a remote server. As you’ll need 2 setups, you’ll need to create the Config setup for both development and deployment. On DVR, I set an environment variable “is_prod” to True, which allows me to test if I’m in the deployed environment. All of this configuration will be added to the Celery object in app/__init__.py, when we create the celery object and pass in the config with the command: celery.conf.update(app.config). config.py: First, I create the setup for the Celery beat schedule, I set the schedule for 5 minutes, which is 300 seconds. # Create Celery beat schedule: celery_get_manifest_schedule = { 'schedule-name': { 'task': 'app.getManifest.periodic_run_get_manifest', 'schedule': timedelta(seconds=300), }, } Note: The task is named app.getManifest.periodic_run_get_manifest, the task is located in the “app” folder, in the “getManifest” file, and the function is called periodic_run_get_manifest. Next, I create the Config object, with the Celery and Redis settings, for both production and development. class Config: CELERYBEAT_SCHEDULE = celery_get_manifest_schedule # Development setup: if not is_prod: CELERY_BROKER_URL = 'redis://localhost:6379/0' CELERY_RESULT_BACKEND = 'redis://localhost:6379/0' REDIS_HOST = 'localhost' REDIS_PASSWORD = '' REDIS_PORT = 6379 REDIS_URL = 'redis://localhost:6379/0' # Production setup: else: # Celery: CELERY_BROKER_URL = os.environ.get('REDIS_URL') CELERY_RESULT_BACKEND = os.environ.get('REDIS_URL') # Redis: REDIS_URL = os.environ.get('REDIS_URL') Note: Both the Celery Broker URL is the same as the Redis URL (I’m using Redis as my messge Broker) the environment variable “REDIS_URL” is used for this. Connecting to the Celery and Redis server: Now that we’ve created the setup for the Celery and Redis we need to instantiate the Redis object and create the connection to the Redis server. I also ping the Redis server to check the connection. getManifest.py: from . import celery from celery.task.base import periodic_task from config import config, Config # Set Redis connection: redis_url = urlparse.urlparse(Config.REDIS_URL) r = redis.StrictRedis(host=redis_url.hostname, port=redis_url.port, db=1, password=redis_url.password) # Test the Redis connection: try: r.ping() print "Redis is connected!" except redis.ConnectionError: print "Redis connection error!" Note: I tried to manually add the hostname, port and password as strings and populate the redis.StrictRedis command, however, this wouldn’t work for me and I could only connect to the Redis server if I used urlparse to format the URL for me (I presume it’s looking for a URL object and not a String object but couldn’t I figure out why). The db=1 sets the database table number to 1, it defaults to 0 if not added. REDIS_URL: redis://h:p0dc...449@ec2-...-123.compute-1.amazonaws.com:48079 which is on the format of: redis://<username>:<PASSWORD>@<HOST>:<PORT> You can set this as an environment variable on Heroku by using the following command: heroku config:set REDIS_URL redis://h:p0dc...449@ec2-...-123.compute-1.amazonaws.com:48079 Creating the asynchronous task: Here is the definition of the run_get_manifest() function, it’s pretty huge so I won’t include all of the code. However, the important thing to note is the @celery.task decorator. @celery.task(name='tasks.async_run_get_manifest') def run_get_manifest(): """ Run the entire get_manifest flow as a single function """ build_path() manifest_version = request_manifest_version() if check_manifest(manifest_version) is True: getManifest() buildTable() manifest_type = "full" all_data = buildDict(DB_HASH) writeManifest(all_data, manifest_type) cleanUp() else: print "No change detected!" return To create the asynchronous function, I create a new function async_run_get_manifest(). Inside this function, I call the original run_get_manifest function but add the delay() method, we can access the delay() method as we have wrapped the run_get_manifest() function in the @celery_task decorator. def async_run_get_manifest(): """ Asynchronous task, called from API endpoint. """ run_get_manifest.delay() return Creating the periodic task: To create the periodic function, I create a new function periodic_run_get_manifest(). This function is decorated with the @periodic_task decorator. The “run_every” parameter is required and sets the time interval. @periodic_task(run_every=timedelta(seconds=300)) def periodic_run_get_manifest(): """ Perodic task, run by Celery Beat process """ run_get_manifest() return So now I have 2 functions, that do the same thing, but with some important differences: - periodic_run_get_manifest(): This is the periodic task that is run every 5 minutes. - async_run_get_manifest(): This is the asynchronous task that will run in the background when a request is sent to the /updateManifest endpoint. Starting the Celery workers: To start the Celery workers, you need both a Celery worker and a Beat instance running in parallel. Here are the commands for running them: worker -A celery_worker.celery --loglevel=info celery beat -A celery_worker.celery --loglevel=info Now that they are running, we can execute the tasks. Calling the asynchronous task: The asynchronous task will be called anytime an authorised account visits a designated endpoint, I’m using the endpoint “/updateManifest”. This will call the asynchronous task “async_run_get_manifest()” which will be executed in the background. api_1_0/views.py: You’ll need to implement a feature to detect if the user is authorised to access this endpoint, I’ve left that out for clarity’s sake. In this case I return back to the index.html page, depending on how your API is setup, you may return a text or JSON response. I had a system in place where I would receive update messages on a private Slack channel – depending on how the update went. @api.route('/updateManifest') @login_required def updateManifest(): async_run_get_manifest() return render_template('index.html', site_details = site_details, ) Executing the periodic task: The Periodic task will be executed every 5 minutes when the Celery Beat scheduler is running. Here I can check the progress from the Celery output: [2017-11-22 13:38:08,000: INFO/MainProcess] Received task: app.getManifest.periodic_run_get_manifest[97a82703-af22-4a43-b189-8dc192f55b84] [2017-11-22 13:38:08,059: INFO/Worker-1] Starting new HTTPS connection (1): [2017-11-22 13:38:10,039: WARNING/Worker-1] Detected a change in version number: 60480.17.10.23.1314-2 [2017-11-22 13:38:10,042: INFO/Worker-1] Starting new HTTPS connection (1): slack.com [2017-11-22 13:38:10,803: WARNING/Worker-1] Detected a change in mobileWorldContentPaths: [u'en'] We can see from here: - Recieved the task: app.getManifest.periodic_run_get_manifest() - Created a new HTTPS connection to – this is the request to check the Manifest version. - Next I check the version number of the Manifest, and print the line “Detected a change in version number: 60480.17.10.23.1314-2” - Created a new HTTPS connection to and I send this line to Slack as a message. - Next I check the mobileWorldContentPaths version for the English Manifest, and print the line “Detected a change in mobileWorldContentPaths: [u’en’]” In my case I didn’t need my app to keep track of the task status or check if it’s completed correctly, but Celery has that option. I get updates from the Slack messages. Creating a development Start up script: Here’s the script I use to start up the development server, Redis server, Celery worker and Celery Beat worker. Save the following into a file called “Startup.bat” and you can just double click on the file icon to start each process, in it’s own window, in your development environment. This can save a lot of time as opening 4 command windows and starting each process separately. C:\ cd /d "C:\Users\AllynH\Documents\Python\Flask\DestinyVaultRaider_Redis_Celery_API" start /K redis-cli shutdown start timeout 5 start CMD /K redis-server start CMD /K celery worker -A celery_worker.celery --loglevel=info start CMD /K celery beat -A celery_worker.celery --loglevel=info start CMD /K python manage.py runserver Here’s a breakdown of what the script is doing: - The first line changes to our working directory. - Next I shutdown any existing Redis server (sometimes Redis wouldn’t start correctly unless I had done a shutdown first). - Then I wait for 5 seconds to allow the Redis server to shutdown. - The next 4 commands are used to start the Redis server, Celery worker, Celery Beat worker, and Flask server – each started in their own command shell. Running on Heroku: Here are some Heroku specific changes, you can skip these if you’re not running on Heroku. Creating a Redis broker and adding it to the app: You’ll need to create a Redis broker and attach it to your app, this will give you the REDIS_URL mentioned above. heroku addons:create heroku-redis -a destinyvaultraider Editing the procfile: To start the Celery worker and Beat processes, add the following to your procfile: worker: celery worker -A celery_worker.celery --beat --loglevel=info Note: we can kick off both the Celery worker and Beat scheduler in one command here, whereas we couldn’t on Windows. Scaling the Worker dyno: To start the process, you need to enable the Celery worker Dyno: heroku ps:scale worker=1. For example the pricing for the package I wanted worked out like this (as of November 2017), all figures are per month: - Hobby Dyno: $7 (Required for HTTPS certification). - Celery worker: $7. - Redis database 100MB: $30 (80MB required). This is obviously not feasible for a hobby project that isn’t making any money. In comparison, a Digital Ocean, Vultr or OVH also provide Virtual Private Server services from ~$5 per month, which would allow you to run Redis and Celery inclusive of that price. So before you invest your time in Heroku, research some of the alternatives 🙂
https://pythondigest.ru/view/31284/
CC-MAIN-2018-43
en
refinedweb
Status: Current state: Released Discussion thread: JIRA: - FLINK-4460Getting issue details... STATUS Released: Flink 1.3 Motivation Side outputs(a.k.a Multi-outputs) is one of highly requested features in high fidelity stream processing use cases. With this feature, Flink can - Side output corrupted input data and avoid job fall into “fail -> restart -> fail” cycle - Side output sparsely received late arriving events while issuing aggressive watermarks in window computation. Public Interfaces - Add CollectorWrapper in flink-core util folder, user can wrap Collector and emit side outputs with predefined outputtags Proposed Changes We want to introduce outputTag and support operator collect arbitrary types of records with defined output Tags. In this prototype, it demonstrated how things works in raw/hacky form. API Changes Add abstract class OutputTag (extend from TypeHint) User may declare multiple output tags and use get output stream with one previously defined outputtag. final OutputTag<S> sideOutput1 = new OutputTag<S>(SValue) {}; Add internal interface org.apache.flink.util.RichCollector, expose CollectorWrapper as user facing side output collector wrapper Update userFunctions using RichCollector(Or MultiCollector) the rationale behind is Collector has been used in lot of places other than stream and transformation, adding direct to Collector interface will introduce many empty methods in those classes. public interface RichCollector<T> extends Collector<T>{ <S> void collect(OutputTag<S> tag, S value); } FlatMapFunction as example flatMap(String value, Collector<Tuple2<String, Integer>> out){ CollectorWrapper wrapper = new CollectorWrapper<>(out); //out.collect(new Tuple2<String, Integer>(token, 1)); wrapper.collect(new Tuple2<String, Integer>(token, 1)); wrapper.collect(sideOutput1, "sideout"); } Add getOutput(OutputTag) to SingleOutputStreamOperator User may pass outputtag defined eearlier and get a corresponding outputstream. There can be more than one outputtag share same type, however, getSideOutput only returns collected record with exams same outputtag type and value. flatMap(..).getSideOutput(sideOutput1) StreamGraph add virtualOutputNodes each map to single outputtag from upstream node Stream Record and StreamEdge both add outputTag, StreamConfig stores all type of side output serializers Record writer can utilize this information and compare with outputType( impl in prototype) or OutputTag (better implementation) or each Output<OUT> and just write matched stream record to channel TimeStampedCollector, use RichCollector, collect Stream Record with outputTag Runtime changes add SideOutputTransformation It allows good compatibility without drastic change of current “single typed” output model. public class SideOutputTransformation<T> extends StreamTransformation<T> { public SideOutputTransformation(StreamTransformation input, OutputTag<T> tag) { super("SideOutput", tag.getTypeInformation(), input.getParallelism()); this.input = input; } } - OperatorChain Outputs needs to filter stream record with outputtag Instead of assuming output stream record values are same type, it will need to check output type and stream record type, only output with same outputtag typeinfo. Compatibility, Deprecation, and Migration Plan - What impact (if any) will there be on existing users? We would like to approach with two phase approach. Step 1 would be backward compatible manner. Other than RichCollector change can affects some existing userFunction binary compatibility, code level upgrade effort is very little other than change collector type class name from Collector -> RichCollector. - Moving forward, code refactors would create bigger impact to framework backwards compatbility. We would like to revisit and discuss once we understand benefit and impact balance better. Test Plan Phase 1 will follow same as adding feature to Flink API, adding unit tests and run local env mock tests
https://cwiki.apache.org/confluence/pages/viewpage.action?pageId=65877144
CC-MAIN-2019-26
en
refinedweb
1940/selenium-tutorial There are lots of channels for selenium on youtube selenium + tutorial, selenium + testing Try below: using OpenQA.Selenium.Interactions; Actions builder = new Actions(driver); ...READ MORE You can explore options like HTMLUnit Driver ...READ MORE We can take screenshots using below function .., you are indeed rigth. For Selenium ...READ MORE You need to understand the basic processes ...READ MORE OR
https://www.edureka.co/community/1940/selenium-tutorial?show=1941
CC-MAIN-2019-26
en
refinedweb
33605/what-network-namespace-access-network-namespace-container Hi Team, Please help me to understand what is network namespace and how we can access network namespace for the container? What is the use of network namespace? How will I run a container on a specific node in docker swarm? How will I link two containers over docker swarm? If you have any docs related to Docker swarm, please share it. To run a container on a specific node, you can use something called filters. There are two types of filters available in docker- node filters and container filters. In this case, you need to use the node filters. In node filters, you have three types of filters - constraint, health, and containerslots. For your requirement, you'll only have to use the constraint filter and add a constraint mentioning you need to deploy the container only on a specific node. Use the following syntax: docker run ... -e constraint:node==node_name ... Where node_name is the name of that specific node on which you want to deploy the container. You can use the concept of port mapping to link two containers. You use the -p flag in your docker run command to achieve port mapping. example: docker run -p 8080:8080 -td container_id2 When the container is created using the -p flag, it maps the internal port 8080 to a higher external port 8080. So now the port 8080 of the host is mapped to the containers port 8080 and hence they are connected. Hey @Ali, I'll just combine @Eric, @Jackie and @Fez's answers to make it easier for others readers. What is Network Namespace and why does Docker use it? Docker uses Network namespace Technology for network isolation purposes which means each docker container has its own network namespace i.e. each container has its own IP address, own routing table, etc. Let's first understand what network namespaces are. So basically, when you install Linux, by default the entire OS share the same routing table and the same IP address. The namespace forms a cluster of all global system resources which can only be used by the processes within the namespace, providing resource isolation. Docker containers use this technology to form their own cluster of resources which would be used only by that namespace, i.e. that container. Hence every container has its own IP address and work in isolation without facing resource sharing conflicts with other containers running on the same system. Run a docker container on a specific node in docker swarm: How to link two containers over docker swarm: In my opinion you should use Docker ...READ MORE Basically, you have three options: Neither specify EXPOSE nor -p -> ...READ MORE What you can do is, allow access .. Here is very basic explanation for image ...READ MORE Docker for Windows containers by default get: On ...READ MORE OR
https://www.edureka.co/community/33605/what-network-namespace-access-network-namespace-container?show=33765
CC-MAIN-2019-26
en
refinedweb
Detach a PCM stream from a link group #include <sys/asoundlib.h> int snd_pcm_unlink( snd_pcm_t *pcm ); The snd_pcm_unlink() function detaches a PCM stream from a link group. After this point, starting and stopping this PCM stream affects the stream only, not any other streams. 0 on success, or -1 if an error occurred (errno is set). QNX Neutrino This function is not thread safe if pcm(snd_pcm_t) is used across multiple threads.
http://www.qnx.com/developers/docs/6.6.0.update/com.qnx.doc.neutrino.audio/topic/libs/snd_pcm_unlink.html
CC-MAIN-2019-26
en
refinedweb
Convert data from one image format to another #include <img/img.h> int img_convert_data( img_format_t sformat, const uint8_t* src, img_format_t dformat, uint8_t* dst, size_t n ); This function converts data from one image format to another. The conversion may be done from one buffer to another, or in place. If you're repeatedly converting data, it's better to call img_convert_getfunc() to get the conversion function, and then call the conversion function as required. Image library
http://www.qnx.com/developers/docs/6.6.0.update/com.qnx.doc.libimg/topic/img_convert_data.html
CC-MAIN-2019-26
en
refinedweb
Hi Fabian, May I suggest the following on the ontologymanager side: - New implementation of Ontology Registry Manager with support for distributed caching and lazy loading (STANBOL-285, the component is implemented. after the final touches, the ticket can be closed). - Improved ontology scope/space management with dynamic rewriting of import statements (STANBOL-196, STANBOL-304) Thank you, Alessandro On 8/8/11 10:38 AM, Fabian Christ wrote: > Hi, > > we have to report until this Wednesday, August 10. > > I have added the following report draft to the Wiki: > > > >) > - let the community grow > - Create demos showing the power of Stanbol > > > > 4. How has the project developed since the last report. > - Code preparations for first release (solved incompatible license > issues, license headers, release profile, etc.) > - Added new component "FactStore" > - Integration tests added to EntityHub > > Please add more points to be mentioned. At least for point 4 there > should have been more activities to mention. > > Best, > - Fabian > > 2011/8/1<no-reply@apache.org>: >> Dear Stanbol Developers, >> >> This email was sent by an automated system on behalf of the Apache Incubator PMC. >> It is an initial reminder to give you plenty of time to prepare your quarterly >> board report. >> >> The board meeting is scheduled for Wed, 17 August >> >> > > -- M.Sc. Alessandro Adamou Alma Mater Studiorum - Università di Bologna Department of Computer Science Mura Anteo Zamboni 7, Bologna - Italy Semantic Technology Laboratory (STLab) Institute for Cognitive Science and Technology (ISTC) National Research Council (CNR) Via Nomentana 56, 00161 Rome - Italy "As for the charges against me, I am unconcerned. I am beyond their timid, lying morality, and so I am beyond caring." (Col. Walter E. Kurtz)
http://mail-archives.apache.org/mod_mbox/stanbol-dev/201108.mbox/%3C4E41704E.6000109@cs.unibo.it%3E
CC-MAIN-2019-26
en
refinedweb
Here’s an enhanced page for the Cookbook: Only the Currying part was untouched (we enhanced it already), the higher-order functions part existed and was rewritten. The rest is new, and it should help you start writing Common Lisp quicker than ever. Happy lisping ! Table of Contents - Named functions: defun - Arguments - Base case: required arguments - Optional arguments: &optional - Named parameters: &key - Return values - Anonymous functions: lambda - Calling functions programatically: funcalland apply - Higher order functions: functions that return functions - Closures setffunctions - Currying - Documentation Named functions: defun Creating named functions is done with the defun keyword. It follows this model: (defun <name> (list of arguments) "docstring" (function body)) The return value is the value returned by the last expression of the body (see below for more). There is no “return xx” statement. So, for example: (defun hello-world () ;; ^^ no arguments (print "hello world!")) Call it: (hello-world) ;; "hello world!" <-- output ;; "hello world!" <-- a string is returned. Arguments Base case: required arguments Add in arguments like this: (defun hello (name) "Say hello to `name'." (format t "hello ~a !~&" name)) ;; HELLO (where ~a is the most used format directive to print a variable aesthetically and ~& prints a newline) Call the function: (hello "me") ;; hello me ! <-- this is printed by `format` ;; NIL <-- return value: `format t` prints a string to standard output and returns nil. If you don’t specify the right amount of arguments, you’ll be trapped into the interactive debugger with an explicit error message: (hello) invalid number of arguments: 0 Optional arguments: &optional Optional arguments are declared after the &optional keyword in the lambda list. They are ordered, they must appear one after another. This function: (defun hello (name &optional age gender) …) must be called like this: (hello "me") ;; a value for the required argument, zero optional arguments (hello "me" "7") ;; a value for age (hello "me" 7 :h) ;; a value for age and gender Named parameters: &key It is not always convenient to remember the order of the arguments. It is thus possible to supply arguments by name: we declare them using &key <name>, we set them with :name <value> in the function call, and we use name as a regular variable in the function body. They are nil by default. (defun hello (name &key happy) "If `happy' is `t', print a smiley" (format t "hello ~a " name) (when happy (format t ":)~&")) The following calls are possible: (hello "me") (hello "me" :happy t) (hello "me" :happy nil) ;; useless, equivalent to (hello "me") and this is not valid: (hello "me" :happy): odd number of &KEY arguments A similar example of a function declaration, with several key parameters: (defun hello (name &key happy lisper cookbook-contributor-p) …) it can be called with zero or more key parameters, in any order: (hello "me" :lisper t) (hello "me" :lisper t :happy t) (hello "me" :cookbook-contributor-p t :happy t) Mixing optional and key parameters It is generally a style warning, but it is possible. (defun hello (&optional name &key happy) (format t "hello ~a " name) (when happy (format t ":)~&"))) In SBCL, this yields: ; in: DEFUN HELLO ; (SB-INT:NAMED-LAMBDA HELLO ; (&OPTIONAL NAME &KEY HAPPY) ; (BLOCK HELLO (FORMAT T "hello ~a " NAME) (WHEN HAPPY (FORMAT T ":)~&")))) ; ; caught STYLE-WARNING: ; &OPTIONAL and &KEY found in the same lambda list: (&OPTIONAL (NAME "John") &KEY ; HAPPY) ; ; compilation unit finished ; caught 1 STYLE-WARNING condition We can call it: (hello "me" :happy t) ;; hello me :) ;; NIL Default values In the lambda list, use pairs to give a default value to an optional or a key argument, like (happy t) below: (defun hello (name &key (happy t)) Now happy is true by default. Variable number of arguments: &rest Sometimes you want a function to accept a variable number of arguments. Use &rest <variable>, where <variable> will be a list. (defun mean (x &rest numbers) (/ (apply #'+ x numbers) (1+ (length numbers)))) (mean 1) (mean 1 2) (mean 1 2 3 4 5) &allow-other-keys Observe: (defun hello (name &key happy) (format t "hello ~a~&" name)) (hello "me" :lisper t) ;; => Error: unknown keyword argument whereas (defun hello (name &key happy &allow-other-keys) (format t "hello ~a~&" name)) (hello "me" :lisper t) ;; hello me We might need &allow-other-keys when passing around arguments or with higher level manipulation of functions. Return values The return value of the function is the value returned by the last executed form of the body. There are ways for non-local exits ( return-from <function name> <value>), but they are usually not needed. Common Lisp has also the concept of multiple return values. Multiple return values: values and multiple-value-bind Returning multiple values is not like returning a tuple or a list of results ;) This is a common misconception. Multiple values are specially useful and powerful because a change in them needs little to no refactoring. (defun foo (a b c) a) This function returns a. (defvar *res* (foo :a :b :c)) ;; :A We use values to return multiple values: (defun foo (a b c) (values a b c)) (setf *res* (foo :a :b :c)) ;; :A Observe here that *res* is still :A. All functions that use the return value of foo need no change, they still work. If we had returned a list or an array, this would be different. We destructure multiple values with multiple-value-bind (or mvb+TAB in Slime for short): (multiple-value-bind (res1 res2 res3) (foo :a :b :c) (format t "res1 is ~a, res2 is ~a, res2 is ~a~&" res1 res2 res3)) ;; res1 is A, res2 is B, res2 is C ;; NIL Its general form is (multiple-value-bind (var-1 .. var-n) expr body) The variables var-n are not available outside the scope of multiple-value-bind. Last but not least: note that (values) with no values returns… no values at all. See also multiple-value-call. Anonymous functions: lambda Anonymous functions are created with lambda: (lambda (x) (print x)) We can call a lambda with funcall or apply (see below). If the first element of an unquoted list is a lambda expression, the lambda is called: ((lambda (x) (print x)) "hello") ;; hello Calling functions programatically: funcall and apply funcall is to be used with a known number of arguments, when apply can be used on a list, for example from &rest: (funcall #'+ 1 2) (apply #'+ '(1 2)) Higher order functions: functions that return functions Writing functions that return functions is simple enough: (defun adder (n) (lambda (x) (+ x n))) ;; ADDER Here we have defined the function adder which returns an object of type function. To call the resulting function, we must use funcall or apply: (adder 5) ;; #<CLOSURE (LAMBDA (X) :IN ADDER) {100994ACDB}> (funcall (adder 5) 3) ;; 8 Trying to call it right away leads to an illegal function call: ((adder 3) 5) In: (ADDER 3) 5 ((ADDER 3) 5) Error: Illegal function call. Indeed, CL has different namespaces for functions and variables, i.e. the same name can refer to different things depending on its position in a form that’s evaluated. ;; The symbol foo is bound to nothing: CL-USER> (boundp 'foo) NIL CL-USER> (fboundp 'foo) NIL ;; We create a variable: CL-USER> (defparameter foo 42) FOO * foo 42 ;; Now foo is "bound": CL-USER> (boundp 'foo) T ;; but still not as a function: CL-USER> (fboundp 'foo) NIL ;; So let's define a function: CL-USER> (defun foo (x) (* x x)) FOO ;; Now the symbol foo is bound as a function too: CL-USER> (fboundp 'foo) T ;; Get the function: CL-USER> (function foo) #<FUNCTION FOO> ;; and the shorthand notation: * #'foo #<FUNCTION FOO> ;; We call it: (funcall (function adder) 5) #<CLOSURE (LAMBDA (X) :IN ADDER) {100991761B}> ;; and call the lambda: (funcall (funcall (function adder) 5) 3) 8 its value cell is returned (just foo). If a compound form, i.e. a cons, is evaluated and its car is a symbol, then the function cell of this symbol is used (as in (foo 3)). In Common Lisp, as opposed to Scheme, it is not possible that the car of the compound form to be evaluated is an arbitrary form. If it is not a symbol, it must be a lambda expression, which looks like (lambdalambda-list form* ). This explains the error message we got above - (adder 3) is neither a symbol nor a lambda expression. If we want to be able to use the symbol *my-fun* in the car of a compound form, we have to explicitely store something in its function cell (which is normally done for us by the macro defun): ;;; continued from above CL-USER> (fboundp '*my-fun*) NIL CL-USER> (setf (symbol-function '*my-fun*) (adder 3)) #<CLOSURE (LAMBDA (X) :IN ADDER) {10099A5EFB}> CL-USER> (fboundp '*my-fun*) T CL-USER> (*my-fun* 5) 8 Read the CLHS section about form evaluation for more. Closures Closures allow to capture lexical bindings: (let ((limit 3) (counter -1)) (defun my-counter () (if (< counter limit) (incf counter) (setf counter 0)))) (my-counter) 0 (my-counter) 1 (my-counter) 2 (my-counter) 3 (my-counter) 0 Or similarly: (defun repeater (n) (let ((counter -1)) (lambda () (if (< counter n) (incf counter) (setf counter 0))))) (defparameter *my-repeater* (repeater 3)) ;; *MY-REPEATER* (funcall *my-repeater*) 0 (funcall *my-repeater*) 1 (funcall *my-repeater*) 2 (funcall *my-repeater*) 3 (funcall *my-repeater*) 0 See more on Practical Common Lisp. setf functions A function name can also be a list of two symbols with setf as the first one, and where the first argument is the new value: (defun (setf <name>) (new-value <other arguments>) body) This mechanism is particularly used for CLOS methods. A silly example: (defparameter *current-name* "" "A global name.") (defun hello (name) (format t "hello ~a~&" name)) (defun (setf hello) (new-value) (hello new-value) (setf *current-name* new-value) (format t "current name is now ~a~&" new-value)) (setf (hello) "Alice") ;; hello Alice ;; current name is now Alice ;; NIL Currying Concept A related concept is that of currying which you might be familiar with if you’re coming from a functional language. After we’ve read the last section that’s rather easy to implement: CL-USER> (declaim (ftype (function (function &rest t) function) curry) (inline curry)) NIL CL-USER> (defun curry (function &rest args) (lambda (&rest more-args) (apply function (append args more-args)))) CURRY CL-USER> (funcall (curry #'+ 3) 5) 8 CL-USER> (funcall (curry #'+ 3) 6) 9 CL-USER> (setf (symbol-function 'power-of-ten) (curry #'expt 10)) #<Interpreted Function "LAMBDA (FUNCTION &REST ARGS)" {482DB969}> CL-USER> (power-of-ten 3) 1000 Note that the declaim statement above is just a hint for the compiler so it can produce more efficient code if it so wishes. Leaving it out won’t change the semantics of the function. With the Alexandria library Now that you know how to do it, you may appreciate using the implementation of the Alexandria library (in Quicklisp). (ql:quickload :alexandria) (defun adder (foo bar) "Add the two arguments." (+ foo bar)) (defvar add-one (alexandria:curry #'adder 1) "Add 1 to the argument.") (funcall add-one 10) ;; => 11 (setf (symbol-function 'add-one) add-one) (add-one 10) ;; => 11 Documentation - functions: - ordinary lambda lists: - multiple-value-bind:
http://lisp-journey.gitlab.io/blog/functions-tutorial-arguments-multiple-values-more/
CC-MAIN-2019-26
en
refinedweb
The first thing that we're going to do today is use create-react-app. Then, we'll locate the components we're going to use from the KendoReact site, and install them using node package manager. We will also install the Kendo default theme. We first build out the project using create-react-app. If you are new to Create React App, check out this article to learn more. Otherwise, let's open our terminal and globally install it (if needed): npm install create-react-app -g Once installed we can run create-react-app anytime we want, let's do just that. create-react-app create-react-app kendo-react We'll mostly be working in the src directory. Remember you can always refer to the KendoReact documentation to get more information about all the components. For this project we'll be working with Buttons, DropDowns, NumericTextBox and Data Grid components. src First, let's just install the buttons. We see that in the Buttons documentation that we have an Installation section that let's us know how to get started. We just need to install the Buttons library with npm by running: npm install @progress/kendo-react-buttons That will save the package to the project's package.json and all Kendo packages follow this same naming convention: package.json npm install @progress/kendo-react-<componennt-name> Now lets install the rest of the packages we need: DropDowns, NumericTextBoxes and also the internationalization package, which is required for globalization features in KendoReact components. npm install @progress/kendo-react-grid @progress/kendo-data-query @progress/kendo-react-inputs @progress/kendo-react-intl @progress/kendo-react-dropdowns @progress/kendo-react-dateinputs @progress/kendo-react-pdf @progress/kendo-drawing Now we can go ahead and talk about the theme. In order to get some nice, modern styling, we need to install one of these themes. For this project, we actually won't be doing any customization in CSS, we'll solely rely on the styling from the theme. If you do want to customize, you can use the Progress Theme Builder. This builder lets you customize your theme for any Kendo UI component library. You can use Material, Bootstrap or your own custom settings using those themes as a starting point. For today, we are actually just going to install the default theme. All we are going to do is run: npm install @progress/kendo-theme-default This package is now added to your package.json and also resides in your node_modules directory and we can include it in React with a simple import. Next, we import the theme CSS into our App.js page: package.json node_modules App.js import '@progress/kendo-theme-default/dist/all.css'; Before getting started on the Kendo components, you can delete the contents of App.css, the logo.svg and its import statement at the top of the App.js file. While we're editing the App.js file, let's replace the HTML (JSX) with the following: App.css logo.svg App.js <div> <h1>KendoReact Grid</h1> </div>!
https://www.telerik.com/blogs/kendoreact-creating-robust-react-applications
CC-MAIN-2019-26
en
refinedweb
Create a hosted web app using Apache Cordova Web developers can use Cordova to leverage existing web assets, get a web-based app uploaded to an app store, and get access to device features like the camera. In this topic, we want to show you a fast way to turn a Web site into a mobile app using Apache Cordova. In general, when migrating a Web site, several approaches will work. Here are a few of them. Move your front end code (or your View) from your Web site to a new Cordova app. This can be a good option especially if your web site does not implement server-side technologies such as ASP.NET, PHP, and Ruby, which are not supported in the client-side code of a Cordova app. For this option, your front end code must be repackaged in a Cordova-friendly fashion (plain HTML5, CSS, and JavaScript, with JSON for communication with your back-end server) so that it can run in the Cordova client (the native WebView). The actual steps involved are pretty specific to each Web site, so we will not be looking at this option in this article. For more detailed info on these options, see What's Next?. For a more general tutorial, see the Beginner's Guide. Create a hosted web app. For this scenario, you use a thin Cordova client (think of it as a web browser embedded in a native app) that automatically redirects to your Web site. For sites using ASP.NET and other server-side technologies, this is the fastest way to get up and running, and is a good way to get your app into one of the app stores quickly while learning Cordova. The full app experience will require an Internet connection, but you can also do a few things to handle offline scenarios. This approach will be much more effective if your Web site uses responsive design techniques to adjust layout to match the device screen size. One advantage of using a hosted app is that you can make changes to the app on your server, and you only need to republish to the app store if you have changes to your device plugins. In this tutorial, we will get you started with Cordova by building a hosted app. For the hosted content, the sample uses an ASP.NET web site running on Azure (the Cordova features in the sample are not dependent on ASP.NET). The Cordova mobile client app works on Android, iOS, and Windows 10. Here is a quick look at the architecture of a hosted app showing the server on the left and the Cordova client app on the right. cordova.js gives access to the device APIs (Cordova plugins). In this architecture, you can write server-side code using generic JavaScript plugin interfaces that call native code running on the device. Get set up If you haven't already, Install Visual Studio 2015 with Visual Studio Tools for Apache Cordova. Important: When you install Visual Studio, make sure you include the optional components, HTML/JavaScript (Apache Cordova) under Cross-Platform Mobile Development. Download the starter ASP.NET solution that you will use to create the hosted app. To perform the steps in the tutorial, get the starter solution here. Download it and unzip. We will use this sample to show you how to create a hosted app. If you don't want to perform the actual steps, but just want to run the finished sample app, get the completed sample here. You can read through the steps to find out more about the code, but the steps will be finished already. Extract the downloaded files. Open the starter solution (.sln file) in Visual Studio. (Make sure you select the unzipped file!) Add a Cordova project to the solution The starter solution includes an ASP.NET MVC site (the CordovaHostedWeb project) that you will use in the hosted app. You will add a Cordova client app to this solution and call it CordovaHostedApp-Client. In Visual Studio's Solution Explorer, right-click the solution and choose Add, New Project. (Make sure you right-click the solution and not the CordovaHostedWeb project!) In the New Project dialog box, choose JavaScript, then Apache Cordova Apps, and select Blank App (Apache Cordova). For the project name, type "CordovaHostedApp-Client", or something similar, and choose OK. Visual Studio creates the Cordova mobile app project and adds it to the starter solution. The project appears in Solution Explorer. In Solution Explorer, right-click the new Cordova project and choose Set as Startup Project. Before you run the app, first identify one or more emulators or devices for initial testing of the Hosted App sample based on your dev environment. If you are running Windows 10 on a machine that supports Hyper-V (no VM support), you can plan to test on the Visual Studio Emulator for Android. This is a fast, full-featured emulator. (Running on a VM is not supported.) If you are running Windows 10, you can plan to test on the Windows Phone 10 emulator or your Windows 10 device. If your device has a webcam, you can use it later in the tutorial! If you are running Windows 7 or later, plan to run on the Ripple Simulator. (install Chrome now if you don't have it). Later in the tutorial, you will need to configure a full-featured emulator, such as the Google Android Emulator or GenyMotion, or you can run against an actual device if you have one available. (Ripple does not support the Camera plugin.) Note: You can run the app on iOS, but setup requires additional steps and either a Mac or cloud-based Mac service and we will not be showing those steps in the tutorial. For more info, see the iOS Guide. Now, select a preferred emulator in Visual Studio. Choose a platform to run against from the Solution Platforms list in the debug toolbar at the top of Visual Studio. If you can run on the VS Emulator for Android on Windows 10, choose Android, then VS Emulator 5" Lollipop (5.0) XXHDPI Phone from the device list. If you are running on Windows 10, choose Windows - x64 or Windows - x86 as the target, and then choose Local Machine from the device list on the right. If you are running initially on Ripple, choose Android, then Ripple - Nexus (Galaxy) from the device list. See the illustration below. Press F5 to start the app. When the app loads, it displays a "Hello, your application is ready" message. (The first build always takes longer.) The app that loads at this point is a standard Cordova client app running in a native WebView. Next, we will add code to turn this into a hosted app that runs on a server. Press Shift + F5 to stop debugging. Change the Cordova project to a hosted web app In Solution Explorer, right-click config.xml in the CordovaHostedApp-Client project and choose View Code. Add the following entry after the first set of <allow-intent.../>tags (before the <platform>sections). <allow-navigation This entry in config.xml will enable navigation to the hosted site. Note: When you republish later, make sure the domain name you use in <allow-navigation>matches the domain URL! If you will be testing on Windows 10, right-click config.xml in Solution Explorer and choose View Designer. Choose Windows 10 in the Windows Target Version. If you are not testing on Windows 10, you can skip this step and continue with the next step. Open index.js in the www\scripts folder, remove all the default code, and replace it with the following code. var app = { // Application Constructor initialize: function() { this.bindEvents(); }, bindEvents: function() { document.addEventListener('deviceready', this.onDeviceReady, false); }, onDeviceReady: function() { app.receivedEvent('deviceready'); // Here, we redirect to the web site. var targetUrl = ""; var bkpLink = document.getElementById("bkpLink"); bkpLink.setAttribute("href", targetUrl); bkpLink.text = targetUrl; window.location.replace(targetUrl); }, // Note: This code is taken from the Cordova CLI template.(); The preceding code sets the URL of the native WebView window (using window.location.replace) when Cordova's deviceReady event fires. In the deviceReady handler, you set the URL to the web site URL. We also removed the pause and resume event code. We will add this code later to the CordovaHostedWeb project so the event handlers run on the web site. Most of the remaining code here is from the Cordova CLI blank template, and you don't need to worry about it right now. Open index.html and replace all the HTML in the <body>element with the following HTML. Verifying connectivity.. <a id="bkpLink" href="">cordovahostedweb.azurewebsites.net</a> <div class="app"> <h1>Apache Cordova</h1> <div id="deviceready" class="blink"> <p class="event listening">Connecting to Device</p> <p class="event received">Device is Ready</p> </div> </div> <script type="text/javascript" src="cordova.js"></script> <script type="text/javascript" src="scripts/index.js"></script> The most important thing here is that you create the anchor link that is used in the redirect script you created in the previous step. In index.html, replace the default Content-Security-Policy (CSP) <meta>element with the following <meta>element. <meta http- By adding the web site URL to the default CSP ( in this example), you specify that it is a trusted domain, and content from this site will be allowed in your hosted app. Press F5 to start the app. When the emulator starts, you will see the hosted app load! If everything looks good, you already have your hosted app working! Congratulations on a great start! However, you need to do a few more things to enable support for device plugins. Before moving on, if you can run the app on other emulators at this stage, try that, too. Here is what the app looks like running on Windows 10. Note: The complete sample has CSS code to make the splash page that you first see look really good. We will skip that for now. Troubleshooting: Let's fix it App hangs on "Verifying Connectivity" message App hangs on message saying that the URL is trying to launch another app Visual Studio Emulator for Android won't run? Provide a mobile-specific page for the web site Now, you will update the web site to display a mobile-specific page if the site detects a Cordova app. In this app, you will add this code so that users running the Cordova hosted app can access device features such as the camera, while visitors using a browser will get the default home page. Open index.js in the CordovaHostedApp-Client project and update the targetUrl variable. This line of code should look like this now. var targetUrl = "" + cordova.platformId; Now, when the Cordova app redirects to the web site, the apps call a function (setPlatformCookie) to tell the web site that a Cordova app is running. You also pass in the Cordova platform ID. You will need this for redirection. Note: To save steps later, we’re using a new URL: In the CordovaHostedWeb (ASP.NET) project, right-click the Controllers folder and choose Add, Existing item, use Windows Explorer go to the Controllers folder, and then add the existing file called cordovaController.cs to the project. This file contains the following code. using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.Mvc; namespace CordovaHostedWeb.Controllers { public class CordovaController : Controller { const string platformCookieKey = "cdva_platfrm"; public ActionResult Index() { var cookie = HttpContext.Request.Cookies[platformCookieKey]; var platform = "dontknow"; if (cookie!=null) { platform = cookie.Value; } ViewBag.Platform = platform; return View(); } public ActionResult setPlatformCookie(string platform) { if (!string.IsNullOrWhiteSpace(platform)) { HttpContext.Response.SetCookie(new HttpCookie(platformCookieKey, platform)); } return RedirectToAction("index"); } } } This code redirects the site to the Cordova-specific Index.cshtml when the client app passes a querystring that includes the setPlatformCookie function call along with the platform ID. You already specified this URL in the client app's redirect script (index.js). In the CordovaHostedWeb (ASP.NET) project, right-click the Views/Cordova folder and choose Add, Existing item, use Windows Explorer to go to the Views/Cordova folder, and then add the file called Index.cshtml to the project. This page contains the following code. @{ ViewBag. } @if (platform == "android" || platform == "ios" || platform == "windows") { @Scripts.Render("~/cordovadist/" + platform + "/cordova.js"); <p><a class="btn btn-primary btn-lg">Learn more »</a></p> <img class="media-object pull-left" /> @Scripts.Render("~/cordovaApp/app.js"); } else { <p>No valid platform found</p> } <div> Found cookie platform to be: <strong>@platform</strong> </div> This page is a mobile-specific page that renders when a Cordova app connects with a valid platform ID (Android, iOS, or Windows). This code includes the same CSP <meta>element as the client app, which means the client app can show content from the web site. This page also loads a platform-specific version of cordova.js, which enables the use of Cordova plugins for device access. When you finish these steps, your app will be able to access device features on Android, iOS, and Windows. You will use device features (Camera) later in this tutorial. Finally, this page also loads the app.js script. You will use this file later to add the server-side Camera plugin code. This code calls native code that runs on the device. (You don't need to worry about that yet.) Optionally, if you want to fix up the styling in the client page that appears before the hosted app loads, copy the CSS from the completed sample here: to index.css in the www/css folder. Connect to the hosted web app from your device. To save time and steps, instead of republishing the ASP.NET project to a new Azure Web App URL, you will connect to a version of the project with the changes already in place. (If you want info on how to republish to a new URL, see the Appendix, you already modified the targetURL variable with the new URL, but you can verify that it's correct. It should look like this: var targetUrl = "" + cordova.platformId; In the CordovaHostedWeb project: In Views/Cordova/index.cshtml, you already modified the CSP <meta>element with the new URL, so you don’t need to change it. Press F5. This time, when the hosted app loads on your device or emulator, the Cordova-specific page will load. Note: On Ripple, the redirection is only partially supported. If you see popup, close the message to see the redirection page of the hosted app. Next, you want to fix up this page so that you can access the device camera and take a picture. Troubleshooting: Let's fix it CSS is not getting applied to the Splash screen that appears briefly Add plugins to your project Cordova plugins will give you device access to things like the camera and file system. In this tutorial, you are using the Camera plugin. The exact same methods apply to using other plugins in a hosted app. In Solution Explorer, open config.xml and choose the Plugins tab. Select the Camera plugin and choose Add. Visual Studio adds this plugin to your solution. You will use this plugin later when adding device capabilities. Select the Whitelist plugin and choose Add. The plugin is already present in the Blank App template, but you want the Visual Studio configuration designer to see it. Take a quick look at the plugin files in the ASP.NET project. For the web site to run plugin code, cordova.js and the JavaScript plugin code need to be copied from the CordovaHostedApp-Client project to the CordovaHostedWeb project. To save steps in this tutorial, we already copied the plugin files over. Take a look at the files under the cordovadist folder in CordovaHostedWeb. You can find these files in the \platforms folder after building your CordovaHostedApp-Client project for a particular platform like Android. For example, the Android files are in \platforms\android\assets\www. The CordovaHostedWeb project uses ImportCordovaAssets.proj to automatically copy these files from the CordovaHostedApp-Client project into the CordovaHostedWeb project. You can use the .proj file in your own hosted app, but we won't be looking at it now. Configure the Web site to run the Camera plugin code The starter ASP.NET project (CordovHostedWeb) already has the plugin code. Now, you can add some code to actually use the Camera app on the device. You will add plugin code to app.ts in the CordovaHostedWeb project. In the CordovaHostedWeb project, open Views/Cordova/Index.cshtml. Find the btn-lrg element and change the display text to Take Picture. When updated, this line of HTML should look like this: <p><a class="btn btn-primary btn-lg">Take Picture »</a></p> In the cordovaApp folder (which contains app code), open app.ts and add an event handler for the button's click event in the onDeviceReady function. The updated function looks like this: function onDeviceReady() { // Handle the Cordova pause and resume events document.addEventListener('pause', onPause, false); document.addEventListener('resume', onResume, false); document.getElementsByClassName('btn-lg')[0].addEventListener('click', takePicture); } In app.ts, add the following function in the same scope as the onDeviceReady function (make it one of the Application module exports). function takePicture() { if (!navigator.camera) { alert("Camera API not supported"); return; } var options = { quality: 20, destinationType: Camera.DestinationType.DATA_URL, sourceType: 1, encodingType: 0 }; navigator.camera.getPicture( function (imgData) { var el : HTMLElement; el = <HTMLElement>document.getElementsByClassName('media-object')[0]; var srcAttr = document.createAttribute("src"); srcAttr.value = "data:image/jpeg;base64," + imgData; el.attributes.setNamedItem(srcAttr); }, function () { alert('Error taking picture'); }, options); return false; } This code adds an event handler for the Take Picture picture button that you just modified in Index.cshtml. When you press the button, the app calls takePicture, which will run the Camera app using the Camera plugin. Note: app.ts will compile to app.js when you build. Connect to the hosted app with the working Camera code from your device To save time and steps, instead of republishing the CordovaHostedWeb project to a new Azure Web App URL, you will connect to the final version of the project with Camera support already in place. (If you want info on how to republish to a new URL, see the Appendix at the end, update the targetURL variable with the new URL. Verify that you are using the correct value for the targetUrl. It should look like this: var targetUrl = "" + cordova.platformId; In the CordovaHostedWeb project: In Views/Cordova/index.cshtml, update the CSP element with the new URL. Choose your preferred emulator to run the app. Note: Ripple doesn't support the Camera plugin, so you can't run successfully on Ripple at this point. To see the Camera in action, upgrade to a full-featured emulator, such as the VS Emulator for Android, the Google Android Emulator, GenyMotion, or you can run against an actual device. Press F5 to run the app. When the app loads, press the Take Picture button. When you press the button, the Camera app (or simulation) loads in the hosted web app. You can click the round button at the bottom to take a picture on the device (Android shown). Congratulations! You are now running native code on the device from a web site! What's Next? You may want to investigate options to find an approach that works best for you. Maybe a Hosted App design will help you get an app into the app store quickly, but you may decide to go another route as well. Here are some options for moving forward. Make your Hosted App Better Add splash screens and icons. Take a look at the cordova-imaging plugin for this. Make you Web site more responsive. You can build native-like features into your Web UI such as pull-to-refresh using frameworks such as Ionic. Add offline support: - For caching pages, implement a service worker (iOS plugin) or use HTML5 AppCache. (With AppCache, it can be a challenge to debug the required manifest.) - For offline data in Cordova, use local storage, IndexedDB, or WebSQL (WebSQL is a deprecated standard). Take a look at Manifold.js. You give it a Web site URL, and it gives you a hosted mobile app. (At present, the resulting project is not compatible with the Cordova CLI, nor with Cordova-dependent tools like Visual Studio Tools for Apache Cordova.) Create a Cordova app by refactoring the front end code on your Web site If your Web site doesn't use dynamically generated HTML, you may be able to take this approach to get up and running fairly quickly. In a Cordova project, use plain HTML5, CSS, and JavaScript for your UI, along with xhr requests and JSON for calling your back-end. You may also choose to improve your app by using a mobile-optimized JavaScript framework such as Ionic or bootstrap. Or you can use a framework like JQuery. Create a fully packaged app by migrating your Web site to Cordova - Similar to the refactoring option, but you move the site's code into Cordova as a fully packaged app. If you call a web service in your app, use xhr and JSON. Doing this work may or may not be easy depending on whether your site used a lot of server-side technologies. Explore other architectures that may be used for hosted apps - The Application Shell Architecture may be one way to enable good offline support and high performance in a hosted app. Troubleshooting: Let's fix it If you run into errors getting the hosted web app running, check this section App shows an alert with message text "gap_init:2" If you are trying to run the app on Ripple, Ripple will show this message because it does not support the Camera plugin. Also, make sure you added the Camera plugin to the client app (open the configuration designer for config.xml to do this). App fails to open the redirect page or the hosted web app If there is an error connecting to any of the hosted pages, try to open the Web site in a browser. If the site is unavailable, follow instructions in the Appendix to publish the Web site to your own URL. App hangs on "Verifying Connectivity" message If you see the error shown below, you may be trying to target a version of Windows that is unsupported for the hosted apps sample. Open config.xml, then the Windows tab, then choose Windows 10.0. Run the app. App hangs on message saying that the URL is trying to launch another app If you see the error shown below, you may be trying to target a version of Windows that is unsupported for the hosted apps sample. Open config.xml, then the Windows tab, then choose Windows 10.0. Run the app. CSS is not getting applied to the Splash screen that appears briefly You can get the CSS to create a nice Splash screen from the complete sample. Copy the CSS code from here into your project's www/css folder.. Appendix: Publish the Web site This section includes information on how to republish the CordovaHostedWeb ASP.NET project instead of using the pre-existing Azure Web App URLs that are used in the tutorial. You don't need these steps unless you want to connect to your own implementation of the CordovaHostedWeb project. Choose Build, then Build Solution. In Solution Explorer, right-click the ASP.NET project (CordovaHostedWeb) and choose Publish. In the Publish Web dialog box, choose Microsoft Azure Web Apps. Visual Studio opens the Azure Web App Settings page. For this tutorial, the Azure settings aren't important, but by completing the dialog box, you can use the Publish feature in VS for Web sites. In the Configure Microsoft Azure Web App dialog box, enter your Microsoft Account credentials if you are asked for them. Click New. You will use new settings for the web site because that way you can make updates to the site and publish to a new URL. Use unique values like Hosted-App-yourusername and Hosted-App-svc-yourusername. When you click OK, Visual Studio creates the solution and the new Web App. (Don't worry about any Azure error messages at this point...) In the Publish Web dialog box, change the URL from http:// to https:// . The change to SSL is for iOS support (which you won't test right now, since it involves additional steps). In the Publish Web dialog box, copy the Destination URL to the clipboard, and then choose Publish. The ASP.NET MVC web site will open in your browser. To connect to the republished site from your cient app, you will first need to update the CordovaHostedApp-Client project with the copied URL. See earlier tasks to do this. You will also need to updated the CSP <meta>element in the CordovaHostedWeb project with the new URL and republish. Feedback Send feedback about:
https://docs.microsoft.com/en-us/visualstudio/cross-platform/tools-for-cordova/first-steps/create-a-hosted-app?view=toolsforcordova-2015
CC-MAIN-2019-26
en
refinedweb
Activating Perl 6 syntax highlighting in Vim Modern versions of the Vim text editor ship with Perl 6 syntax highlighting, but automatically activating it is tricky because Perl 6 files can have ambiguous file extensions. It can get tiresome to correct the file type every time you open a Perl 6 file, so I’m going to show you a few tricks that I use to make Vim detect Perl 6 files automatically. Showing and setting the filetype in Vim First of all I want to make sure that syntax highlighting is turned on by default, so I add this option to my .vimrc: syntax on To edit your .vimrc just start Vim and enter this command :e $MYVIMRC. Save your changes with :w, and then reload your .vimrc with :so %. Now that I have syntax highlighting turned on, I need to know how set Vim’s file type to Perl 6 when I’m working with Perl 6 files. I can see the current file type by typing this command :set filetype?. To set the file type to Perl 6, I use this command :set filetype=perl6. The filetype keyword can be shortened to ft. In which case the last command becomes :set ft=perl6. Detecting Perl 6 files Now the challenge becomes correctly detecting when I’m working with Perl 6 files in Vim. Perl 6 scripts shouldn’t be a problem: Vim (not Vi) automatically parses the shebang line to determine the file type. However this fails when the script has an extension like .pl. Use the .pm6 file extension Vim will automatically use Perl 6 syntax highlighting if the file extension is .pm6. So when working with Perl 6 module files, it’s better to use this extension. This doesn’t help when I’m working on other people’s Perl 6 projects however. It also doesn’t help for test files, which do not have an equivalent Perl 6 file extension ( .t6 test files are ignored when installing Perl 6 modules). Use a modeline A modeline is a line of code in the text of the file which Vim reads and executes. So to activate Perl 6 syntax highlighting I just need to add this modeline to every Perl 6 file I work with: # vim: filetype=perl6 Take a look at the source code of JSON5::Tiny for a real-World example. To Perl 6 this code looks just like an ordinary comment, but Vim will use it to turn on Perl 6 syntax highlighting. The modeline can appear anywhere in the code, but it’s better to place it at the start or end of the file. Older versions of Vim (pre 7.3) and when Vim is run under root privileges, disable modelines as a security risk. Don’t run Vim as root! But if you have an older Vim, you can turn on modelines with :set modeline. As with filetype, modeline can be abbreviated to ml, so set ml works too. To activate modelines automatically, add this line to your .vimrc: set ml The downside of using modelines? First there is aforementioned security risk for older Vims. Also it feels impure to add editor directives to the code I’m working with, as not everyone uses Vim. These seem like minor issues though. Use a local vimrc Often different Open Source projects will have different coding conventions that I need to follow, so it can be helpful to use a local vimrc file to store these project-specific settings. This works for syntax highlighting too. In order to use local vimrc files, I add the following code to my .vimrc: if filereadable(".vimrc.local") so .vimrc.local endif This will check the current working directory for .vimrc.local file, and automatically execute it if it finds it. Warning this is a security risk - Vim will execute ANY instruction in a local vimrc, so I am very careful when working with projects that are not my own. Next I create a .vimrc.local file in the root project directory and add this auto command to it: au Bufnewfile,bufRead *.pm,*.t,*.pl set filetype=perl6 Now when I open or create any file with a Perl extension, Vim will set the syntax highlighting to Perl 6. I like this technique because it’s not intrusive: it doesn’t require any changes to the Perl 6 files themselves, so it works well on shared projects (I never check-in my local vimrc to the Git repo). Use code detection I can also have Vim try to detect Perl 6 code automatically. Two directives which would indicate we’re working with Perl 6 instead of Perl 5 code: the shebang line and the use v6; directive. To check for these, I’ll add a function to my .vimrc:() This function uses getline() to check the first line of the file to see if it looks like a Perl 6 shebang. This should work well for .pl scripts, but Perl 6 module files will not have a shebang, so the next part of the script checks the first 5 lines of the file for the use v6; directive. The last line of code is an auto command which will call the function anytime we open file with a Perl file extension. The main drawback of this technique is that not all Perl 6 code uses the use v6; directive, and so when working with module files, the code detection can fail. However the code detection could be improved to use more rules for detecting Perl 6 code such as class declarations. The vim-perl plugin has more sophisticated Perl 6 code detection rules. Complete .vimrc This .vimrc contains all the code shown above: syntax on "Recognize modeline # vim: filetype=perl6 set ml "check for a local vimrc if filereadable(".vimrc.local") so .vimrc.local endif "check for Perl 6 code() Conclusion So that’s it, four useful-but-imperfect techniques for detecting file types in Vim. I tend to use a combination of all four. This would be a nice problem not to have. I’d like the Perl 6 community to agree and encourage unambiguous file extensions like .pm6, .t6 and .pl6. Larry Wall called this “free advertising”. It’s also a simple way to make Perl 6 programmers more productive. Not every text editor is as customizable as Vim. This article was originally posted on PerlTricks.com.
https://www.perl.com/article/194/2015/9/22/Activating-Perl-6-syntax-highlighting-in-Vim/
CC-MAIN-2019-26
en
refinedweb
Hey everyone, I feel like I've asked this question before, and I searched through all my posts and couldnt find it, so I may just be going crazy, and if not I apologize for the redundancy. So, I'm trying to use nested for loops to created a pyramid of X's, as in: ......X ....XXX ..XXXXX XXXXXXX etc...the dots are there to be abe to format the triangle, I don't need them in the program... and I have the following code, but I have absolutely no idea how to insert the X's and I was looking for a push in the right direction NOT THE ACTUAL CODE...thanks a lot! <Helpless Chap<Helpless Chap Code://Chapter 3 //Exercise 5 #include <iostream> using namespace std; int main() { const char X = 'X'; const char SPACE = '.'; unsigned int i; for (i = 0; i < 21; i++) { for (int spaces = 0; spaces < 21; spaces++) { cout << SPACE; if (spaces == 10) { cout << X; //I want to use a for loop to print X to screen } } cout << endl; } return 0; }
https://cboard.cprogramming.com/cplusplus-programming/62854-nested-loops.html
CC-MAIN-2018-05
en
refinedweb
4.4-stable review patch. If anyone has any objections, please let me know.------------------From: Hugh Dickins <hughd@google.com>Synthetic filesystem mempressure testing has shown softlockups, withhour-long page allocation stalls, and pgd_alloc() trying for order:1with __GFP_REPEAT in one of the backtraces each time.That's _pgd_alloc() going for a Kaiser double-pgd, using the __GFP_REPEATcommon to all page table allocations, but actually having no effect onorder:0 (see should_alloc_oom() and should_continue_reclaim() in thistree, but beware that ports to another tree might behave differently).Order:1 stack allocation has been working satisfactorily without__GFP_REPEAT forever, and page table allocation only asks __GFP_REPEATfor awkward occasions in a long-running process: it's not appropriateat fork or exec time, and seems to be doing much more harm than good:getting those contiguous pages under very heavy mempressure can behard (though even without it, Kaiser does generate more mempressure).Mask out that __GFP_REPEAT inside _pgd_alloc(). Why not take it outof the PGALLOG_GFP altogether, as v4.7 commit a3a9a59d2067 ("x86: getrid of superfluous __GFP_REPEAT") did? Because I think that mightmake a difference to our page table memcg charging, which I'd prefernot to interfere with at this time.hughd adds: __alloc_pages_slowpath() in the 4.4.89-stable tree handles__GFP_REPEAT a little differently than in prod kernel or 3.18.72-stable,so it may not always be exactly a no-op on order:0 pages, as said above;but I think still appropriate to omit it from Kaiser or non-Kaiser pgd.Signed-off-by: Hugh Dickins <hughd@google.com>Acked-by: Jiri Kosina <jkosina@suse.cz>Signed-off-by: Greg Kroah-Hartman <gregkh@linuxfoundation.org>--- arch/x86/mm/pgtable.c | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-)--- a/arch/x86/mm/pgtable.c+++ b/arch/x86/mm/pgtable.c@@ -6,7 +6,7 @@ #include <asm/fixmap.h> #include <asm/mtrr.h> -#define PGALLOC_GFP GFP_KERNEL | __GFP_NOTRACK | __GFP_REPEAT | __GFP_ZERO+#define PGALLOC_GFP (GFP_KERNEL | __GFP_NOTRACK | __GFP_REPEAT | __GFP_ZERO) #ifdef CONFIG_HIGHPTE #define PGALLOC_USER_GFP __GFP_HIGHMEM@@ -354,7 +354,9 @@ static inline void _pgd_free(pgd_t *pgd) static inline pgd_t *_pgd_alloc(void) {- return (pgd_t *)__get_free_pages(PGALLOC_GFP, PGD_ALLOCATION_ORDER);+ /* No __GFP_REPEAT: to avoid page allocation stalls in order-1 case */+ return (pgd_t *)__get_free_pages(PGALLOC_GFP & ~__GFP_REPEAT,+ PGD_ALLOCATION_ORDER); } static inline void _pgd_free(pgd_t *pgd)
http://lkml.org/lkml/2018/1/3/687
CC-MAIN-2018-05
en
refinedweb
Hey, I am writing a C++ program that uses the "ofstream" function. The output is a C++ file and in the output file I need to use char function. But only one problem is that i can't add the qutation marks. Here is the code: #include <fstream.h> #include <iostream.h> #include <stdio.h> #include <stdlib.h> int main( ) { char *nme = new char[50]; char exten = ".cpp"; cout<<"Name of the file:\n"; cin>>nme; int fname = strcat(nme, exten); ofstream a_file(fname); a_file<<"#include <iostream.h>\n"; a_file<<"#include <stdlib.h>\n"; a_file<<"\n"; a_file<<"int main( )\n"; a_file<<"{\n"; a_file<<" char a = " and that is how far i can get because it will not let me add quotation marks to the outputed file. If you can help me please do.Thanks Forum Rules
http://www.antionline.com/showthread.php?259589-Ofstream-help!!!&mode=hybrid
CC-MAIN-2018-05
en
refinedweb
. Basic XPath | Locating Elements with Attributes Basic XPath methods use other unique attributes like ID, Name, Class name, etc. to identify the element. //Tag-name[@Attribute-name=’Value’] For example, if you inspect email text box at Gmail login page, <input id=”Email” type=”email” value=”” spellcheck=”false” name=”Email” placeholder=”Enter your email” autofocus=””> We can find unique id or name attributes’ value. Using any of these attributes we can generate a corresponding XPath. //input[@id=’Email’] //input[@name=’Email’] Text() | Locating Elements with Known Visible Text Say you want to identify element with the text displayed on screen. For this we can use the XPath text() method to find the element with exact text match. Please note that the text is case sensitive. //Tag-name[text()=’Exact text’] For example, if you inspect Sign in button at Google.co.in page, <a class=”gb_3e gb_Ia gb_xb” id=”gb_70″ href=”” target=”_top”>Sign in</a> Using visible text ‘Sign in’ on the button, we can generate a corresponding XPath method. driver.findElement(By.xpath(“//a[text()=’Sign in’]”)); Locating by the visible text is not advisable if you are testing a multilingual application OR same text is appearing in more than one location. Contains() | Locating Element using part of the visible text Say you are generating an XPath method using visible text, but the text is dynamic. Dynamic in the sense it changes with every page refresh. But some part of the text (partial text) remains fixed. In that case we can use the contains() XPath method to find the element with partial text match. Please note that the text is case sensitive. //Tag-name[contains(text(),’Partial text’)] //Tag-name[contains(@Attribute-name,’Partial text’)] For example, if you inspect Sign in button at Google.co.in page, <a class=”gb_3e gb_Ia gb_xb” id=”gb_70″ href=”” target=”_top”>Sign in</a> Using partial text ‘Sign’ on the button, we can generate a corresponding XPath. driver.findElement(By.xpath(“//a[contains(text(),’Sign’)]”)); OR driver.findElement(By.xpath(“//a[contains(@id,’gb’)]”)); This Xpath method is particularly helpful for locating dynamic values whose some part remains constant. Using OR & AND | Locating Elements with Multiple Attributes Sometimes it may not be possible to locate an element with a single attribute. Why do you think we have First name + Last name to recognize a person without any confusion 🙂 //Tag-name[Attribute1=’value1’][Attribute2=’value2’]…[AttributeN=’valueN’] Taking above example of email text box at Gmail login page, we can use id and name attributes’ value. Using any of these attributes we can generate a corresponding XPath using AND / OR. <input id=”Email” type=”email” value=”” spellcheck=”false” name=”Email” placeholder=”Enter your email” autofocus=””> - AND: All conditions need to be true. - OR: Statement is true even if any one of the condition is true AND: //input[@id=’Email’][@name=’Email’] OR: //input[@id=’Email’ OR @name=’Email’] Start-with | Locating elements when starting text is known Say the ID of a particular element changes dynamically like message12, message 576, message 1938 and so on…but if you notice, it starts with a particular text. Start-with XPath method matches the starting text of the attribute to find the element whose attribute changes dynamically. //Tag-name[starts-with(text(),’Starting text’)] //Tag-name[starts-with(@Attribute-name,’Starting text’)] Taking same example of ‘Sign In’ button at Google page, driver.findElement(By.xpath(“//a[starts-with(text(),’Sign’)]”)); driver.findElement(By.xpath(“//a[starts-with(@id,’gb’)]”)); XPath methods using axes These XPath methods using axes are used to find the complex or dynamic elements. An XPath axis tells the XPath processor which “direction” to head in as it navigates around the hierarchical tree of nodes. XPath has a total of 13 different axes, here we will look at some popular ones. - Ancestor: contains the ancestors of the context node – //Tag-name[text()=’Value’]//ancestor::node() - Child: contains the children of the context node – //Tag-name[@Attribute-name=’Value’]/child::table - Descendant: contains the children of the context node – //Tag-name[@Attribute-name=’Value’]//descendant::node() - Following: contains all nodes which occur after the context node, in document order – //Tag-name[@Attribute-value=’Value’]//following::node - Namespace: contains all the namespace nodes, if any, of the context node - Parent: Contains the parent of the context node if it has one – //Tag-name[@Attribute-name=’Value’]//parent::node() - Preceding: contains all nodes which occur before the context node – //Tag-name[@Attribute-name=’Value’]//preceding::node() Using element’s index By providing the index position in the square brackets, we can move to the nth element satisfying the condition e.g. //div[@Attribute-name=’Value’]/input[4] will fetch the fourth input element inside the div element. Hope this article helped you in understanding different XPath methods to identify elements, especially dynamic elements!
http://www.softwaretestingstudio.com/xpath-methods-dynamic-elements-selenium/
CC-MAIN-2018-05
en
refinedweb
Hi. I'm new to this forum and to programming in general. This is my first programming class and it is in JAVA. I have been doing alright in the class, but am really struggling with this weeks program assignment. If you could help me out at all I would really appreciate it!! Thank you so much. This is the problem I have to solve. Unit 8 - Bank Program - Looping Instructions Using the algorithm that you created in the last unit. Write the Java program will solve the following problem definition. Click on the View/Complete link to submit the program for grading. A bank in your town updates its customer's accounts at the end of each month. The bank offers two types of accounts, savings and checking. Every customer must maintain a minimum balance. If a customer's balance falls below the minimum, there is a service fee of $10.00 for a savings account and $25.00 for checking accounts. If the balance at the end of the month is at least the minimum balance, the account receives interest as follows: - Savings accounts receive 4% interest - Checking accounts with balances over $5,000 more than the minimum balance receive 3% interest; otherwise the interest is 1.5% Minimum balance for savings accounts - 500.00 Minimum balance for checking accounts - 25.00 The data will be read from a data file that contains the following information: account number, customer name, type of account, current balance Record Layout of the file: Account Number First Name Last Name AccountType Balance The data file is attached to this assignment. The filename is bank.dat. Please Note: The data files will be read and written to the current directory. Use a relative pathnames for the files. The pathname to the input file should be "bank.dat" and the pathname to the output file "bank.out". If you use an absolute pathname like this: "c:/My Documents/ciss-110/bank.dat" I will not be able to run your program because I do not have access to your hard drive. This is what I have at the moment. import javax.swing.*; import javax.swing.plaf.FontUIResource; import java.awt.Font; import java.io.*; import java.util.*; import java.lang.*; public class bankprogramLoop { public static void main(String[]args) throws FileNotFoundException { //scanner infile Scanner inFile = new Scanner(new FileReader("bank.dat")); //save to file bank.out PrintWriter outFile = new PrintWriter("bank.out"); //constants double checkingMinimumBalance = 25.00; double checkingServiceFee = 25.00; double checkingInterestRateMin = 0.015; double checkingInterestRateMax = 0.03; double hihgerInterestBalance = checkingMinimumBalance + 5000; double savingsMinimumBalance = 500.00; double savingsServiceFee = 10.00; double savingsInterestRate = 0.04; //variables int accountNumber; String firstName; String lastName; double accountBalance; double checkingInterest; double savingsInterest; char accountType; double serviceFee; double interest; while (inFile.hasNext()) { accountNumber = inFile.nextInt(); firstName = inFile.next(); lastName = inFile.next(); accountType = inFile.next().charAt(0); accountBalance = inFile.nextDouble(); switch (accountType) { case 'c': case 'C': serviceFee = checkingServiceFee; if (accountBalance < checkingMinimumBalance) { interest = accountBalance * checkingInterestRateMin; accountBalance = (accountBalance - serviceFee) + interest; } else if (accountBalance >= (checkingMinimumBalance+hihgerInterestBalance)) { interest = accountBalance * checkingInterestRateMax; accountBalance = (accountBalance - serviceFee) + interest; } else { interest = accountBalance * checkingInterestRateMin; accountBalance = (accountBalance - serviceFee) + interest; } case 's': case 'S': serviceFee = savingsServiceFee; if (accountBalance < savingsMinimumBalance) { interest = accountBalance*savingsInterestRate; accountBalance = (accountBalance - serviceFee) + interest; } else { interest = accountBalance * savingsInterestRate; accountBalance = (accountBalance - serviceFee) + interest; } default: System.out.println("***INVALID ACCOUNT TYPE***"); } //write accountNumber, firstName, lastName, accountType, accountBalance to output file outFile.printf("%9.2f %20s %20s %20s %9.2f", accountNumber, firstName, lastName, accountType, accountBalance); } //close files inFile.close(); outFile.close(); } } Edited by mike_2000_17: Fixed formatting
https://www.daniweb.com/programming/software-development/threads/323966/can-anyone-help-me-with-hw-please-due-in-2-hours
CC-MAIN-2018-05
en
refinedweb
In this post I want to explore how the dependency injection (DI) system works a bit in Angular 2. Dependency Injection is a variant of the Inversion of Control (IoC) pattern, and is a powerful way to construct an application so as to reduce coupling and increase test-ability (good explanation). I do a lot of .NET development, and there are many, many IoC containers available in that world. I typically use Autofac because it's powerful but easy enough to reason about. Autofac One of the things I like about Autofac is it's very easy to control how a component is created when it needs to be injected somewhere. For example, assume I have a .NET class called Worker, then with Autofac I can write something like this: var builder = new ContainerBuilder(); builder.RegisterType<Worker>(); With this registration Autofac will create a new instance of Worker any time something needs it. Now I can also indicate that I want to use the same instance of the class for every request (aka the Singleton): var builder = new ContainerBuilder(); builder.RegisterType<Worker>().SingleInstance(); With that registration Autofac will create the object once, and re-use it for every request afterwards. The key point here is that in this context Autofac doesn't care what is requesting the object, or where in the system that object happens to be...it just responds to the request the same every time. Now there are more advanced scenarios that don't behave exactly like this, but they're not relevant to this article. These examples are pulled right from the autofac docs , and I'm showing them just to provide a reference point as we explore how DI works with Angular 2...because the core concepts are not quite the same. Angular 2 So to explore how DI works in Angular 2 I wanted to try to replicate the first example above, where I have some component in my system that takes a dependency, and every time that dependency is needed I wanted a new object. With Autofac this can be controlled purely in the Autofac registration code, and the object itself has no idea how its dependency is actually created. This is really nice because it further decouples the object from how its dependencies are provided (this is the inversion of control principle in action). With Angular 2 however, things are different because it uses a hierarchical injection system where every component is provided its own injector. With Angular 2 a new injector is created for every component, and what it does when resolving any dependency it first checks if the injector for the component can provide it. If not it walks up the component tree and checks the parent component's injector if it can provide the dependency. If not, then it keeps going up the tree until something can provide it, or an error is thrown. A key aspect of this though is that at any given level a dependency is created as a singleton...there's no other option. The Angular 2 approach, albeit useful, throws a wrench into implementing the same behavior possible with Autofac. To help me explore how these hierarchical injectors work I created a simple demo where I have a service that I will provide, to use Angular 2 terms, to a multiple instances of a component. That service has an ID value on it that helps me see how the instance of the service is shared among different components. It also has a method on it to regenerate the ID. Ok, enough words, let's see this in action: In the demo you can see how clicking the Regenerate link, which is just calling a method on the service, causes the value for multiple instances of my components to change. This approach helps me see exactly what instances of the service are shared among components in the system. Let's break down the elements in this example. The common stuff Let's quickly lay out the top-level components that aren't really related to the demo itself. The service itself is pretty simple, and looks like this: import {Injectable} from "@angular/core"; @Injectable() export class IdService { /** * An id value that is associated with this instance of the service */ id: string; constructor() { this.regenerate(); } /** * Updates this instance of the service with a new id value */ regenerate(): void { this.id = this.generateUUID(); } /** * A simple method to generate a GUID-like value that is (for our * purposes) unique every time. */ private generateUUID(): string { var d = new Date().getTime(); var uuid = 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function(c) { var r = (d + Math.random() * 16) % 16 | 0; d = Math.floor(d / 16); return (c == 'x' ? r : (r & 0x3 | 0x8)).toString(16); }); return uuid; }; } You can see it has an id property and a public method called regenerate(). This is what is called when the link is clicked in the demo. I'm not showing the main.ts here because it's pretty standard, but here's what my AppComponent looks like: import {Component} from "@angular/core"; import {IdService} from "./id.service"; import {SharedComponent} from "./shared.component"; import {IsolatedComponent} from "./isolated.component"; import {IndividualComponent} from "./individual.component"; @Component({ selector: 'my-app', styles: [` .subpanel { font-family: "Courier New", Courier, monospace; font-size: 0.9em; display: flex; flex-direction: column; margin: 20px; padding: 10px; } `], template: ` <h2>Angular 2 Dependency Injection demo</h2> <h3>These two child components share same service instance</h3> <shared class="subpanel"></shared> <shared class="subpanel"></shared> <h3>These share same instance, but isolated from the one above</h3> <isolated class="subpanel"></isolated> <h3>These each have their own service instance</h3> <individual class="subpanel"></individual> `, directives: [SharedComponent, IsolatedComponent, IndividualComponent], // // We provide the IdService in the AppComponent's injector so that any // child component can get it, but it will be a single application-wide // instance if this is the one used // providers: [IdService] }) export class AppComponent { } Ok, let's break down each piece of the demo in more detail. The top section of the demo The top section of the demo consists of two instances of a component called SharedComponent, where each of those contain 4 instances of a component called ChildComponent. Here's a visual of the hierarchy: In the demo you can see how clicking the Regenerate link causes the ID value to change for all of these. The reason is because of how we have defined the SharedComponent and the ChildComponent. Here's what the ChildComponent looks like: import {Component} from "@angular/core"; import {IdService} from "./id.service"; @Component( { selector: 'child', styles: [` span { margin-left: 10px; margin-right: 10px; } `], template: ` <span><a href="#" (click)="idService.regenerate()">Regenerate</a></span> <span>{{idService.id}}</span> ` }) export class ChildComponent { constructor( // // Here we indicate we need an instance of IdService injected, but // since we're not "providing" it within this component, Angular // will walk up the injector tree finding something that can // private idService: IdService ) {} } ...and here's the SharedComponent: import {Component} from "@angular/core"; import {ChildComponent} from "./child.component"; @Component({ selector: 'shared', template: ` <child></child> <child></child> <child></child> <child></child> `, directives: [ChildComponent] }) export class SharedComponent { } So what happens here is each instance of ChildComponent is injected with the IdService class, but SharedComponent hasn't configured its injector to provide it, so Angular 2 will move up the component tree looking for something that has a provider defined and finds that at the highest level (our top-level application component). Since Angular 2 always creates singletons, it creates a single instance of the service at the top-level and it's thus shared among all the ChildComponent instances here. The middle section of the demo In the middle panel things look very similar to the top, but we can see how those instances of the ChildComponent are using their own instance of the service. Here's the component tree in that example: Everything else is the same except that instead of the SharedComponent we have a new one called IsolatedComponent. The reason is to ensure its children get a new instance of the IdService it needs to be configured to do so: import {Component} from "@angular/core"; import {IdService} from "./id.service"; import {ChildComponent} from "./child.component"; @Component({ selector: 'isolated', template: ` <child></child> <child></child> <child></child> <child></child> `, directives: [ChildComponent], // // We don't want any children of this component to use the top-level // instance of IdService, so we configure its injector to provide // a new instance here. Note, this is still going to be a singleton // so any children using this will share the same instance. // providers: [IdService] }) export class IsolatedComponent { } Notice the providers: [IdService] section in there? That's the piece that tells Angular that at this level of the injector hierarchy I want to provide a new instance of the service. Again, Angular will create a single instance of the service, but now each of the children below this component in the tree hierarchy will share it. What's nice about this is the ChildComponent hasn't changed here. It's blissfully unaware of how or where that IdService is created, which is what we like, but that will change in a moment. The bottom section of the demo The bottom section is where I was really trying to achieve my original goal of having a unique instance of the service injected anywhere I want it. However, to achieve that I needed to create new versions of all my components. Here's the visual tree now: So we have a new parent component called IndividualComponent, and that's required because it needs to use a new version of the child component. Here's the code: import {Component, provide} from "@angular/core"; import {IndividualChildComponent} from "./individualChild.component"; @Component({ selector: 'individual', template: ` <child></child> <child></child> <child></child> <child></child> `, directives: [IndividualChildComponent] }) export class IndividualComponent { } Note, we're not configuring its injector with anything special, so it won't be providing any new instances of the IdService. For this demo it doesn't matter though, because the only way to get each child a new instance of the IdService, they need to provide it themselves: import {Component} from "@angular/core"; import {IdService} from "./id.service"; @Component({ selector: 'child', styles: [` span { margin-left: 10px; margin-right: 10px; } `], template: ` <span><a href="#" (click)="idService.regenerate()">Regenerate</a></span> <span>{{idService.id}}</span> `, // // The only way for these child components to get a new instance of these // service is to configure their own injector to provide it. This ensures // that no parent instance will be used. // // However, it also means that this has to be a new component so we can // use a new version of the @Component decorator that includes this // 'providers' parameter. // providers: [IdService] }) export class IndividualChildComponent{ constructor( private idService: IdService ) {} } So what's the problem? So why did I say earlier that the approach Angular 2 throws a wrench into how I'd like DI to work? The reason is the use of hierarchical injectors forces me to couple my components with the knowledge of how their dependencies are resolved. Ideally in this demo I'd really like to have a single ChildComponent that didn't have any knowledge about how its dependencies were resolved. With this hierarchical system though that isn't possible. Here I'm forced to re-implement this ChildComponent as IndividualChildComponent so I can specify the providers array and configure the injector to provide a new instance of IdService. I'm still searching for a way around this, but just haven't found anything yet. I haven't run into any major cases where this has been a serious problem for me either, but I think it's something important to be aware of. I am sure as I build more complex Angular 2 apps situations will arise where I really won't want to duplicate a component to work around this design, but time will tell. Wrapping up In this article I dug a little bit into how the hierarchical injector system of Angular 2 works, and created a simple example to help me reason about it. I also tried to explore how to implement functionality common in other IoC systems available in .NET. As with any of my demos, all the code is available in my GitHub repo: If you have any comments, or know of a way around the issue I described, please let me know in the comments!
https://blog.sstorie.com/experimenting-with-angular-2-dependency-injection/
CC-MAIN-2018-05
en
refinedweb
Today I wrote on a first prototype for my current thesis research. I started coding just ahead however - at the same time - trying to find a good design which has a high potential to be reused for the final system. Modularity, decoupling etc. are main goals of course and since the prototype interacts with the Bluetooth API one of my main aims was to try to separate the logic dealing with it as much as possible from the rest of the application. This separation gives several benefits: for accessing the device's bluetooth stack, access to native libraries is necessary. So depending on whether your app runs on Linux, Windows or OSX you may have to rely on different libraries.Again, going with TDD you're best served. And actually this is where the Test-Driven-Design (instead of the commonly used "development") comes to play. By starting with your test and by thinking on how to test your logic in the simplest way, you're most likely to come out with a testable and consequently nicely decoupled system. But when you have asynchronous code, things get messy again. How to you test asynchronous code?? Assume the following (I'm using Java here, but could refer to it with C# in the same way) @TestNow for sure you agree that the 2nd assert which should check the result of the execution of "executeSomething()" will probably be called before the asynchronous code executed inside "executeSomething()" finishes processing. Consequently the test will always fail. public void testSomeLogic(){ assert(...); //assert some state myObj.executeSomething(); //assume this is executed asynchronously assert(...); //assert the result of the execution } Browsing the web brought me through some interesting approaches to handle this problem. The best way of course is to try to mock out this asynchronous stuff as much as possible s.t. you can avoid having it in your test cases. But often (as also in my situation) this wasn't just possible. So a solution is basically to wait for the async call to finish. How is this done? Let's outline my situation more clearly. I have a controller class which has the following public class BluetoothDevicesController{This is more or less the outline of the controller which is subject to my test. The private IBluetoothDeviceDiscoveryAgent discoveryAgent; ... public BluetoothDevicesController(IBluetoothDeviceDiscoveryAgent discoveryAgent){ this.discoveryAgent = discoveryAgent; } public void startDiscovery(){ Timer timer = new Timer(); timer.schedule((TimerTask)discoveryAgent, 0, 5000); //reruns the thread every 5 secs } ... } startDiscovery()method starts the asynchronous execution by rescheduling the device discovery every 5 seconds. public class MockBluetoothDeviceDiscoveryAgent extends TimerTask implements IBluetoothdeviceDiscoveryAgent{The test case has the following structure ... public void run(){ eventListener.onDeviceDiscoveryFinished(devices); synchronized(this){ notifyAll(); } } } public class BluetoothDevicesControllerTest{Some comments: The ... @Test public void testDevicesDiscovery(){ assert(...) //initial check deviceDiscoveryController.startDiscovery(); //the async method synchronized(mockDiscoveryAgent){ mockDiscoveryAgent.wait(2000); //set a timeout of 2 seconds } assert(...) //final check } ... } notifyAll()in the mock object notifies all threads which went into sleep previously to wake up. The one with highest priority will continue processing. The synchronized block is needed since notifyAll can just be called within it. The according test case does the opposite. It uses the synchronized to go into the wait state and sleeps for a timeout of 2 seconds. In the mean time, if the notifyAll gets called, the test case continues its work.
https://juristr.com/blog/2010/04/unit-testing-asynchronous-code/
CC-MAIN-2018-05
en
refinedweb
Apache\Blank. The link at, "Adding the Windows 10 platform to your Cordova project", goes to a login screen. The link is an internal website. Thanks, Raymond and aarayas. It's supposed to be a bookmark link to the section with that title, but it looks like it got mangled. I'm working on fixing it. Until it gets fixed, just refer to the section below with that title. Polita Thanks everyone. We've removed the bad link and now you can refer to the section below with that title. – Visual Studio Team Hi Polita, I'm trying LocationApp (from Channel9 on BUILD 2015). It has been several days. I add Plugins "Geolocation" but is unsuccessful, It says "Couldn't download plugin". I've try to look in case there is incorrect setting I made but no luck. I there any complete instruction how to add "Plugins"? Need your help please! Jannen Siahaan @humaNiT "Couldn't download plugin" usually occurs if prerequisites are not correctly installed or configured. The easiest way to see if this is so is via the Compatibility Checker. In the RC, this happens when the package is loaded into VS, which means that in order to invoke it, you need to restart VS and then open your project again. Please verify that the prerequisites are installed. If this fails, please send an email vscordovatools@microsoft.com so we can further help diagnose the issue. Hi, In windows phone 8.1 the Cordova plugins were written in C#. We are now looking at the commit tree for windows 10 and find that plugins are written in Javascript (e.g. git-wip-us.apache.org/…/asf). Do this in turn use WINJS? Also can you clarify that there will no Cordova Native C# classes. We have customizations to the windows 8.1 plugins in C# which will be a throw away and will need to figure out from scratch implementing them in JS. It would be good to know where can we find more details on writing cordova plugins in JS for Windows 10 platform. We have custom native plugins and can't figure out how to integrate. I would appreciate a response. Thanks. Regards, Kaushik @Kaushik: Windows Phone 8.1 introduced a new, unified app platform model with the Desktop Windows 8.1 SKUs that is becoming even more unified in Windows 10. That unified app model architecture provides a consistent HTML application developer experience. By implementing Cordova in HTML and JavaScript, we’re improving the platform because developers don’t need to use two competing garbage collectors and JIT environments like they did in Windows Phone 8. We will continue these investments as we believe that Cordova implemented in HTML and JavaScript provides the best environment for developers and customers. It is possible to still use C# components for Cordova plugins in Windows Phone 8.1 and in Windows 10. However, you will either have to write a custom Cordova Bridge component (that's the implementation of the Cordova "exec()" function), or write an initial proxy in JavaScript, which then calls into your C# component. Your C# component must be a Windows Runtime Component, e.g., must be a .winmd file; once those are referenced by your project, you should have access to the namespaces and types in that .winmd. As to the question about it using WinJS: The Cordova platform is committed to providing at least baseline support for WinJS when running on the Windows platform, which means that plugins running on Windows get access to the set of functionality in base.js (Promise being the most-used one). You can see in cordova.js the loader that explicitly loads WinJS based on the version of Windows being targeted. Hi, I just follow this tutorial, and it fail ; I’m using Microsoft Visual Studio Community 2015, and my version of Cordova is 5.4.1. When I try to build for Windows 10 (anyCPU, local machine), I get this error : Cannot import the key file ‘CordovaApp_TemporaryKey.pfx’. The key file may be password protected. To correct this, try to import the certificate manually into the current uesr’s personal certificate store. [… path to the project …] The certificate specified is not valid for signing. For more information about valid certificates, see. [… path to the project …] For the moment, no custom code wrote ; just the default template, and it fails, using default Cordova Windows platform or your custom “windows@” Do you know why this happen ? Thanks I am failing to install Apache Cordova in windows 10. I have tried installing it many a times but the cursor goes on rotating. I have node.js and git bash installed. I also have Windows Visual Studio 2015. Please help me in this
https://blogs.msdn.microsoft.com/visualstudio/2015/04/30/introducing-the-windows-10-apache-cordova-platform/
CC-MAIN-2017-17
en
refinedweb
Red Hat Bugzilla – Bug 128390 stat() fails on files larger than 2G Last modified: 2007-11-30 17:06:54 EST From Bugzilla Helper: User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.4.2) Gecko/20040301 Description of problem: stat() call fails on files over 2G. It failed on U4 and also with the new glibc in the U5beta (glibc-2.2.4-32.16). This was originally reported as "/usr/bin/test -f" fails with large files. Issue tracker #36853 Here is a small program that demonstrates the problem. [root@jarjar footest]# ls -l total 2152536 -rw-r--r-- 1 root root 145 Jul 16 16:46 ls-out -rwxr-xr-x 1 root root 16417 Jul 22 09:25 stattest -rw-r--r-- 1 root root 380 Jul 22 09:25 stattest.c -rw-r--r-- 1 root root 49 Jul 22 09:16 stattest.c~ -rw-r--r-- 1 root root 2202009600 Jul 16 16:45 test-file [root@jarjar footest]# cat stattest.c #include <stdio.h> #include <sys/stat.h> #include <sys/errno.h> main() { struct stat st; int retval; retval = stat ("./test-file", &st); printf("Big file result = %d\n", retval); if (retval < 0) printf("errno = %d\n", errno); retval = stat ("./ls-out", &st); printf("Small file result = %d\n", retval); if (retval < 0) printf("errno = %d\n", errno); } [root@jarjar footest]# ./stattest Big file result = -1 errno = 75 Small file result = 0 Version-Release number of selected component (if applicable): glibc-2.2.4-32.16 How reproducible: Always Steps to Reproduce: 1. Create a large file 2. run the test program 3. observe the results Actual Results: stat call fails Expected Results: stat call doesn't fail Additional info: error 75 is EOVERFLOW. 32-bit stat() is *required* to return EOVERFLOW for files larger than 2G. See for the relevant standards. If you want the stat to succeed, you must either use the stat64() variant --- if necessary, enabling that via #define _LARGEFILE64_SOURCE 1 or compile with transparent 64-bit file size support by using that #define plus #define _FILE_OFFSET_BITS 64 Only if you do the latter will stat() automatically use the 64-bit extended struct stat. If "/usr/bin/test -f" is failing, that implies the test binary is not using the 64-bit stat variants as it should do. For transparent 64-bit file size support actually just -D_FILE_OFFSET_BITS=64 is enough, _LARGEFILE64_SOURCE is not needed. Well /usr/bin/test belongs to sh-utils, doesn't it? For some reason the spec file explicitly uses --disable-largefile when running configure: %configure %{?this_os_is_linux: --disable-largefile --enable-pam } I've rebuilt sh-utils without --disable-largefile, and it solved this problem. Also, all the tests in the script tests/test/test-tests passed (for what that's wort). *** Bug 133386.
https://bugzilla.redhat.com/show_bug.cgi?id=128390
CC-MAIN-2017-17
en
refinedweb
I am wondering if there is way to get the declared type in the underlying Iterable as in: var string: Seq[String] => I want something to return String var int: Seq[Int] = _ => I want something to return Int var genericType: Seq[A] => I want to return A def fromJson[A](jsonString: String)(implicit tag: TypeTag[A]): A = ??? I might have not provided enough information in my question. Anyway, I found out the answer. In order to retrieve a class from a generic type I had to do the following import scala.reflect.runtime.universe._ val m = runtimeMirror(getClass.getClassLoader) def myMethod[A](implicit t: TypeTag[A]) = { val aType = typeOf[A] aType.typeArgs match { case x: List[_] if x.nonEmpty => m.runtimeClass(x.head) case x: List[_] if x.isEmpty => m.runtimeClass(aType) } } scala> myMethod[Seq[String]] res3: Class[_] = class java.lang.String scala> myMethod[Seq[Int]] res4: Class[_] = int scala> case class Person(name: String) defined class Person scala> myMethod[Seq[Person]] res5: Class[_] = class Person scala> myMethod[Person] res6: Class[_] = class Person I can then provide this class to the underlying library to do its job. Thanks
https://codedump.io/share/pYXIiPHn8tM4/1/how-to-get-type-declared-from-iterable-in-scala
CC-MAIN-2017-17
en
refinedweb
512Kb SRAM expansion for the Arduino Mega (software) The final part of this series of blog posts will present some open source software that you can use to exploit the new memory space. You can download the library source code from my downloads page. The xmem library I’ve put together a collection of functions into a library that you can use to manage access to the extended memory. The aim of the library is to enable the existing memory allocation functions such as malloc, free, new and delete to work with the extended memory. The xmem functions are contained in a namespace called xmem so you need to prefix your calls to these functions with xmem::, for example xmem::begin(…). The functions are declared in xmem.h, so you must include that header file like this: #include "xmem.h" Installation instructions for the Arduino IDE - Download the library zip file from my downloads page. - Browse to the libraries subdirectory of your Arduino installation. For example, for me that would be C:\Program Files (x86)\arduino-1.0.1\libraries. - Unzip the download into that directory. It should create a new folder called xmem with two files in it. - Start up the Arduino IDE and use the Tools -> Import Library -> xmem option to add the library to your project xmem functions void begin(bool heapInXmem_) This function must be called before you do anything with the extended memory. It sets up the AVR registers for external memory access and selects bank zero as the current bank. If you set the heapInXmem_ parameter to true (recommended) then the heap used by malloc et. al. will be located in external memory should you use it. xmem::begin(true); void setMemoryBank(uint8_t bank_,bool switchHeap_=true); Use this function to switch to another memory bank. bank_ must be a number between zero and seven. If switchHeap_ is true (the default) then the current state of the heap is saved before the bank is switched and the saved state of the new bank is made active. This heap management means that you can freely switch between banks calling malloc et. al. to make optimum use of the external memory. xmem::begin(true); // use the memory in bank zero xmem::setMemoryBank(1,true); // use the memory in bank one SelfTestResults selfTest(); This is a diagnostic function that can be used to check that the hardware is functioning correctly. It will write a bit pattern to every byte in every bank and will then read back those bytes to ensure that all is OK. Because it overwrites the entire external memory space you do not want to call it during normal program operation. This function returns a structure that contains the results of the self test. The structure is defined as follows. struct SelfTestResults { bool succeeded; volatile uint8_t *failedAddress; uint8_t failedBank; }; If the self-test succeeded then succeeded is set to true. If it fails it is set to false and the failed memory location is stored in failedAddress together with the failed bank number in failedBank. xmem::SelfTestResults results; xmem::begin(true); results=xmem::selfTest(); if(!results.succeeded) fail(); Some common scenarios In this section I’ll outline some common scenarios and how you can configure the external memory to achieve them. Default heap, default global data, external memory directly controlled In this scenario the malloc heap and global data remain in internal memory and you take direct control over the external memory by declaring pointers into it. Memory layout for direct access Your code could declare pointers into the external memory and use them directly. This is the simplest scenario. #include <xmem.h> void setup() { // initialise the memory xmem::begin(false); } void loop() { // declare some pointers into external memory int *intptr=reinterpret_cast<int *>(0x2200); char *charptr=reinterpret_cast<char *>(0x2200); // store integers in bank 0 xmem::setMemoryBank(0,false); intptr[0]=1; intptr[10000]=2; intptr[20000]=3; // store characters in bank 1 xmem::setMemoryBank(1,false); charptr[0]='a'; charptr[10000]='b'; charptr[20000]='c'; delay(1000); } Default global data, heaps in external memory In this scenario we move the malloc heap into external memory. Furthermore we maintain separate heap states when switching banks so you effectively have eight independent 56Kb heaps that you can play with. [p> Memory layout for external heaps This is a powerful scenario that opens up the possibility of using memory-hungry libraries such as the STL that I ported to the Arduino. Example 1, using c-style malloc and free to store data in the external memory. #include <xmem.h> byte *buffers[8]; void setup() { uint8_t i; xmem::begin(true); // setup 8 50K buffers, one per bank for(i=0;i<8;i++) { xmem::setMemoryBank(i,true); buffers[i]=(byte *)malloc(50000); } } void loop() { uint16_t i,j; // fill each allocated bank with some data for(i=0;i<8;i++) { xmem::setMemoryBank(i,true); for(j=0;j<50000;j++) buffers[i][j]=0xaa+i; } delay(1000); } Example 2. Using the standard template library to store some vectors in external memory. This is the slowest option but undoubtedly the most flexible. vectors only scratch the surface of what’s possible. maps and sets are all perfectly feasible with all this memory available. #include <xmem.h> #include <iterator> #include <vector> #include <new.cpp> byte *buffers[8]; void setup() { xmem::begin(true); } void loop() { std::vector<byte> *testVectors[8]; uint16_t i,j; for(i=0;i<8;i++) { xmem::setMemoryBank(i,true); testVectors[i]=new std::vector<byte>(); for(j=0;j<10000;j++) testVectors[i]->push_back(i+0xaa); } for(i=0;i<8;i++) { xmem::setMemoryBank(i,true); for(j=0;j<10000;j++) if((*testVectors[i])[j]!=0xaa+i) fail(); delete testVectors[i]; } delay(1000); } /* * flash the on-board LED if something goes wrong */ void fail() { pinMode(13,OUTPUT); for(;;) { digitalWrite(13,HIGH); delay(200); digitalWrite(13,LOW); delay(200); } } Other articles in this series Schematics, PCB CAD and Gerbers I don’t have any more boards left to sell, but you can now print and build your own by downloading the package from my downloads page. Good luck!
http://andybrown.me.uk/2011/08/28/512kb-sram-expansion-for-the-arduino-mega-software/
CC-MAIN-2017-17
en
refinedweb
hi guys, i have this code #include <stdio.h> #include <stdlib.h> int main(){ unsigned long long *x; x = (unsigned long long*)malloc(600851475143ULL*sizeof(unsigned long long)); if (x!=NULL){ printf("success\n"); getchar(); } else { printf("fail\n"); getchar(); } printf("%I64u\n",600851475143ULL); getchar(); return 0; } this is a part of some program im trying to make, i just want to ask you, it compiles fine, the dynamic memory allocation works fine but i get this warning which i cant get rid of 6 C:\..\test.c [Warning] large integer implicitly truncated to unsigned type any help on how to deal with it? thanks :)
https://www.daniweb.com/programming/software-development/threads/199756/help-with-warning
CC-MAIN-2017-17
en
refinedweb
Applies to: General Topics. File1.C: #include "stuff.h" unsigned int val = 0; void main (void) { while (1) { myfunc (); // a function in a different module } } File2.C: #include "stuff.h" void myfunc (void) { val = 1; // uses the extern definition in stuff.h } For another example of this, review the Measure example included in all Keil development tool packages. Article last edited on: 2007-01-09 14:37:25 Did you find this article helpful? Yes No How can we improve this article?
http://infocenter.arm.com/help/topic/com.arm.doc.faqs/ka11276.html
CC-MAIN-2017-17
en
refinedweb
gnutls_record_set_max_size(3) gnutls gnutls_record_set_max_size(3) gnutls_record_set_max_size - API function #include <gnutls/gnutls.h> ssize_t gnutls_record_set_max_size(gnutls_session_t session, size_t size); gnutls_session_t session is a gnutls_session_t type. size_t size is the new size This function sets the maximum record packet size in this connection. This property can only be set to clients. The server may choose not to accept the requested_record_set_max_size(3)
http://man7.org/linux/man-pages/man3/gnutls_record_set_max_size.3.html
CC-MAIN-2017-17
en
refinedweb
Swapping elements of a C++ STL container is same as swapping normally. // Swapping 2 elements of a STL container #include <algorithm> std::swap(ivec.at(0), ivec.at(1)); // Swap [0] & [1] Swapping elements of a C++ STL container is same as swapping normally. // Swapping 2 elements of a STL container #include <algorithm> std::swap(ivec.at(0), ivec.at(1)); // Swap [0] & [1] C++ function templates are a great way to reduce the amount of repeated code written to do the same operations on objects of different types. For example, a minimum function that handles any type could be written as: template <typename T> T min(T a, T b) { return (a > b) ? b : a; } There are 2 ways to organize the template code: inclusion model and separation model. In the inclusion model, the complete function definition is included in the header file. In the separation model, the function declaration is in the header file and the function definition is put in the source file. However, it won’t work as expected. The keyword export needs to be used with the function definition (i.e., export template <typename T> …) Though this is Standard C++, this won’t work! Welcome to the real world of C++. No major compiler out there supports this clean separation model (export keyword). Even the latest VC++ 8 doesnot support it. Nor does gcc. References:; } };. One of the most popular texture compression algorithms used in OpenGL are the DXTn series which were introduced by S3 Graphics. Hence, they’re known as S3TC. The working of this algorithm can be found in the Appendix of GL_EXT_texture_compression_s3tc. There are 5 versions available ranging from DXT1 to DXT5. DXT1 is briefly explained below: Compression: A 4×4 texel block (48 bytes if texel is RGB) is compressed into 2 16-bit color values (c0 and c1) and a 4×4 2-bit lookup block. c2 and c3 are calculated from c0 and c1 as follows: If c0 <= c1, c2 = (c0 + c1) / 2; c3 = not defined; else c2 = (2 * c0 + c1) / 3; c3 = (c0 + 2 * c1) / 3; Decompression: Decompression is extremely fast. It is just a lookup of 2-4 precomputed values. Read the 2-bit value of each compressed pixel. If 00 then read RGB of c0, if 01 then read RGB of c1 and so on. VTC: VTC (GL_NV_texture_compression_vtc) is also based on the above ideas, just extend the texel blocks in the z direction. When programming in C++, mixing up C++ and C data types becomes an ugly inevitability. It always throws up some quirky behaviour. POD (Plain Old Data) is one of these I discovered today. C macros can be used unchanged under C++. But, the correct behaviour under C++ depends on the type of data being operated on. It needs to be of POD type. Here is some information about the POD type from the excellent C++ FAQ Lite: [26.7] behaviour are not. Also note that references are not allowed. In addition, a POD type can’t have constructors, virtual functions, base classes, or an overloaded assignment operator. On Visual C++ 2005, I allocated a large local array in a function. The program got a stack overflow exception and ended inside chkstk.asm. I’m used to the stack size limit on Linux/Cygwin which is usually 2MB. The limit can be found using the bash builtin command ulimit. $ ulimit -s 2042 (KB) But, the array I was allocating under VC++ 2005 was just a bit larger than 1MB. On further digging, I found that the default stack size on VC++ 2005 is 1MB. This stack size limit can be modified using: Project → Properties → Configuration Properties → Linker → System → Stack Reserve Size. More information on the stack size limit can be found from the MSDN page on /STACK linker option. I find myself having to indicate the libraries I want linked in every time I do this. I found a neat (non-portable) trick in Visual Studio to do this. Use the #pragma comment(lib, "libfile") [1] preprocessor directive to hint your compiler/linker to include these library files for linking. For example: // Link cg libraries #pragma comment(lib, "cg.lib") #pragma comment(lib, "cggl.lib") [1] msdn.microsoft.com/library/en-us/vclang/html/_predir_comment.asp (via Adding MSDEV Libraries) A colleague informed me today that my name had appeared in the April 2005 issue of the Embedded Systems Programming magazine. Back in December 2004, I had commented to Dan Saks about his article More ways to map memory on the usage of the available C fixed width integer types. We had an email discussion on it and I forgot all about it. I had blogged earlier about these types. In his latest article Sizing and aligning device registers he mentions that email conversation. I know this is not anything significant, but this is the first time my name has appeared in a deadwood tech magazine! 🙂 Ashwin N (ashwin.n@gmail.com) suggested yet another way to define the special_register type: If you want to use an unsigned four-byte word, shouldn’t you be doing:#include /* ... */ typedef uint32_t volatile special_register; This should work with all modern standard C compilers/libraries. The typedef uint32_tis an alias for some unsigned integer type that occupies exactly 32 bits. It’s one of many possible exact-width unsigned integer types with names of the form uintN_t, where Nis a decimal integer representing the number of bits the type occupies. Other common exact-width unsigned types are uint8_tand uint16_t. For each type uintN_t, there’s a corresponding type intN_tfor a signed integer that occupies exactly Nbits and has two’s complement representation. I have been reluctant to use <stdint.h>. It’s available in C99, but not in earlier C dialects nor in Standard C++. However, it’s becoming increasingly available in C++ compilers, and likely to make it into the C++ Standard someday. Moreover, as Michael Barr observed, if the header isn’t available with your compiler, you can implement it yourself without much fuss. I plan to start using these types more in my work. Again, using a typedef such as special_registermakes the exact choice of the integer type much less important. However, I’m starting to think that uint32_tis the best type to use in defining the special_register type. Came across a puzzling piece of code today. The actual code is confusing, however it basically boils down to this: #include <stdint.h> int main() { uint32_t val = 1; uint32_t count = 32; val = val >> count; return 0; } What do you think will be the result in val? Me thought 0. Turned out to be 1. After further investigation, I found that this was due to a combination of an undefined behaviour in C, vague behaviour of certain IA-32 architecture operations and my ignorance of both. On examining the code above, it is natural to think that 32 right shifts applied on val would boot out the puny 1 and the result would be 0. Though this is right almost always, it has some exceptions. From The C Programming Language [1]: The result is undefined if the right operand is negative, or greater than or equal to the number of bits in the left expression’s type. (Taking val >> count as example, left expression is val and right operand is count.) So, that explains why the result should not be relied on. But why val is 1? On digging deeper for that, I found that the compiler [2] generated the Intel instruction sar or shr (or it’s variants) for the C shift operation. And here lies another nasty info … From the IA-32 Intel Architecture Software Developer’s Manual [3]:. So, not only is the behaviour in C undefined, on code generated for IA-32 processors, a 5 bit mask is applied on the shift count. This means that on IA-32 processors, the range of a shift count will be 0-31 only. [1] A7.8 Shift Operators, Appendix A. Reference Manual, The C Programming Language [2] Observed with both Visual C++ and GCC compilers [3] SAL/SAR/SHL/SHR – Shift, Chapter 4. Instruction Set Reference, IA-32 Intel Architecture Software Developer’s Manual
https://codeyarns.com/page/205/
CC-MAIN-2017-17
en
refinedweb
Ben Giddings <ben at thingmagic.com> wrote in message news:<3F4CDC9F.1050100 at thingmagic.com>... > Unless I'm missing something, using blocks in Ruby gets around most of this: > Instead of "... non-factorizable code specific to f1", just yield to the > block given to the function. Tada! Or, for a more concrete example: > > module HelperMixin > def helper > ... > end > end > > class A > include HelperMixin > > def f1 > helper do > ... code specific to f1 > end > end > > def f2 > helper do > ... code specific to f2 > end > end > end > > Did I miss the point here? No. Other people may differ, but to me, as long as the code is factorized, it's good. (1) AOP came from the camps of strongly-typed languages, principally Java. In Ruby and Python there are lot of devices for manipulating code. Ruby has code blocks, in Python you can pass namespaces and use exec, or compose multiple functions (in the sense of function composition as in algebra) to achieve same effect as the before-, after-, around- advices of AOP. All achieving the goals of AOP in this example. There are many ways to achieve the same thing. (2) Yet another approach is using code templates, a la meta-programming. There are more complicated examples, like the second example in my previous posting, where it's not easily solved by one single code block, nor one single MixIn, nor by function composition. In that case one can assemble the code by using a template, and make successive pattern substitutions depending on the properties of the particular instrument. Of course, this approach is a bit beyond the reach of Java/C++, and anyway the strongly-typed language people would protest because your code may not have been properly verified by the compiler. (3) To me, if the code is factorized, it's good enough. However, if you have existing code and if you want to add aspects to it, you may wish to modify the underlying language to expose more "hooks" and allow more meta-programming features, so that minimal or no changes need to be done on your existing code. For instance, in your example above, if you want to add/remove the "helper do... end" wrapper-around in f2(), you would have to go to the original source code to add/remove it. At least in AspectJ, the idea is NOT to modify the original source code, so that you can implement the aspects externally to the class. (see for instance a Java example in) On the various techniques for achieving AOP (separation of concerns), there is a paper that mentions the following three techniques: (a) meta-level programming, (b) adaptive (pattern-oriented) programming, (c) use of composition filters. In short, there is more than one way to do it. :) Hung Jung
https://mail.python.org/pipermail/python-list/2003-August/189240.html
CC-MAIN-2017-17
en
refinedweb
qstylefactory.3qt man page QStyleFactory — Creates QStyle objects Synopsis #include <qstylefactory.h> Static Public Members <li class=fn>QStringList keys () <li class=fn>QStyle * create ( const QString & key ) Description The QStyleFactory class creates QStyle objects. The. Member Function Documentation QStyle * QStyleFactory::create ( const QString & key ) [static] Creates a QStyle object that matches key case-insensitively. This is either a built-in style, or a style from a style plugin. See also keys(). Example: themes/wood.cpp. QStringList QStyleFactory::keys () [static] Returns the list of keys this factory can create styles for. See also create(). Example: themes/themes.cstylefactory.3qt) and the Qt version (3.3.8). Referenced By QStyleFactory.3qt(3) is an alias of qstylefactory.3qt(3).
https://www.mankier.com/3/qstylefactory.3qt
CC-MAIN-2017-17
en
refinedweb
ConnectDetach(), ConnectDetach_r() Break a connection between a process and a channel Synopsis: #include <sys/neutrino.h> int ConnectDetach( int coid ); int ConnectDetach_r( int coid ); Since: BlackBerry 10.0.0 a client thread is SEND-blocked on the connection (e.g., it's called MsgSend(), but the server hasn't received the message), the send fails and returns with an error. - If a client thread is REPLY-blocked on the connection (e.g., it's called MsgSend(), and the server received the message), the kernel sends an unblock pulse to the server.. Classification: Last modified: 2014-06-24 Got questions about leaving a comment? Get answers from our Disqus FAQ.comments powered by Disqus
http://developer.blackberry.com/native/reference/core/com.qnx.doc.neutrino.lib_ref/topic/c/connectdetach.html
CC-MAIN-2017-17
en
refinedweb
namespaceTransformation relates a namespace to a transformation for all documents in that namespace transformation relates a source document to a transformation, usually represented in XSLT, that relates the source document syntax to the RDF graph syntax Dan Connolly transformationProperty relates a transformation to the algorithm specified by the property that computes an RDF graph from an XML document node Gleaning Resource Descriptions from Dialects of Languages (GRDDL) Gleaning Resource Descriptions from Dialects of Languages (GRDDL), 16 May 2005 2005-05-15 FunctionalProperty result an RDF graph obtained from an information resource by directly parsing a representation in the standard RDF/XML syntax or indirectly by parsing some other dialect using a transformation nominated by the document definition in Architecture of the World Wide Web, Volume One TransformationProperty a FunctionalProperty that relates XML document root nodes to RDF graphs InformationResource A resource which has the property that all of its essential characteristics can be conveyed in a message RDF graphs RDFGraph a set of RDF triples Dan Connolly public-grddl-comments section 5.1 Root Node in XML Path Language (XPath) Version 1.0 GR. definition in Resource Description Framework (RDF): Concepts and Abstract Syntax Resource Description Framework (RDF): Concepts and Abstract Syntax Resource Description Framework (RDF): Concepts and Abstract Syntax, 10 February 2004 2004-02-10 XSLT Transformation an InformationResource that specifies a transformation from a set of XML documents to RDF graphs RootNode XML document root nodes the root of the tree in the XPath data model profileTransformation relates a profile document to a transformation for all documents bearing that profile the GRDDL Working Group
http://www.w3.org/2003/g/data-view.rdf
CC-MAIN-2017-17
en
refinedweb
Symptoms On a computer that has Microsoft Windows Server 2003 installed, you install the Microsoft .NET Framework 2.0 software update that is described in the following article in the Microsoft Knowledge Base: When you run an application or try to access a Web site on the computer, you may receive the following error message: [System.ArgumentException] : Culture name 'Culture' is not supported for the following 13 cultures: en-CB az-AZ-Latn uz-UZ-Latn sr-SP-Latn az-AZ-Cyrl uz-UZ-Cyrl sr-SP-Cyrl bs-BA-Cyrl sr-BA-Latn sr-BA-Cyrl bs-BA-Latn iu-CA-Latn div-MVAdditionally, if an application has resources that use the old culture name format, and if the user's culture name uses the new culture name format, the application cannot find resources for the old culture name format. Cause The software update that is mentioned in the "Symptoms" section is a cumulative update for the .NET Framework 2.0. This update includes changes to the culture names. The new culture names follow the syntax of the IETF standards (RFC 4646 and RFC 4647). The changes to the culture names improve interoperability by making sure that each locale has a consistent identifier. The mappings of the old culture names to the new culture names are as follows: The mappings of the old culture names to the new culture names are as follows: Workaround To work around this problem, build custom cultures from the new locales that use the old culture names. To do this, follow these steps. Note You must have the .NET Framework 2.0 installed to use the sample program that is provided here. Note You must have the .NET Framework 2.0 installed to use the sample program that is provided here. - Create an application that can be used to build a custom culture. To do this, follow these steps: - Click Start, click Run, type notepad, and then click OK. - Paste the following code into Notepad.Note This sample program sets the parents of the new cultures to the old cultures. The parents of the old cultures cannot be the new cultures at the same time, because this situation would cause infinite recursion during resource look-up. using System; using System.Globalization; public class MakeCultures { static void Main() { CreateCopyCulture("en-029", "en-CB"); CreateCopyCulture("az-Latn-AZ", "az-AZ-Latn"); CreateCopyCulture("uz-Latn-UZ", "uz-UZ-Latn"); CreateCopyCulture("sr-Latn-CS", "sr-SP-Latn"); CreateCopyCulture("az-Cyrl-AZ", "az-AZ-Cyrl"); CreateCopyCulture("uz-Cyrl-UZ", "uz-UZ-Cyrl"); CreateCopyCulture("sr-Cyrl-CS", "sr-SP-Cyrl"); CreateCopyCulture("bs-Cyrl-BA", "bs-BA-Cyrl"); CreateCopyCulture("sr-Latn-BA", "sr-BA-Latn"); CreateCopyCulture("sr-Cyrl-BA", "sr-BA-Cyrl"); CreateCopyCulture("bs-Latn-BA", "bs-BA-Latn"); CreateCopyCulture("iu-Latn-CA", "iu-CA-Latn"); CreateCopyCulture("dv-MV", "div-MV"); } static void CreateCopyCulture(string strRealName, string strAliasName) { try { // Create a new culture based on the old name CultureAndRegionInfoBuilder carib = new CultureAndRegionInfoBuilder( strAliasName, CultureAndRegionModifiers.None); carib.LoadDataFromCultureInfo(new CultureInfo(strRealName)); carib.LoadDataFromRegionInfo(new RegionInfo(strRealName)); carib.Register(); // Change the existing culture's parent to the old culture carib = new CultureAndRegionInfoBuilder(strRealName, CultureAndRegionModifiers.Replacement); carib.Parent = new CultureInfo(strAliasName); carib.Register(); // Verify they're registered... CultureInfo ci = new CultureInfo(strAliasName); Console.WriteLine("Aliased culture {0} has parent of {1}.", ci, ci.Parent); ci = new CultureInfo(strRealName); Console.WriteLine("\"Real\" culture {0} has parent of {1}.", ci, ci.Parent); } catch (Exception e) { Console.WriteLine("Unable to create custom culture " + strAliasName); Console.WriteLine(e); } } } - On the File menu, click Save As. - In the Save As dialog box, click My Document, type MakeCultures.cs in the File name box, click All Files in the Save as type box, and then click Save. - Exit Notepad. - Run the application that you created in step 1 to build a custom culture. To do this, follow these steps: - Click Start, click Run, type cmd, and then click OK. - Type cd "My Documents", and then press ENTER - Type %windir%\Microsoft.NET\Framework\v2.0.50727\csc /r: sysglobl.dll MakeCultures.cs, and then press ENTER. - Type MakeCultures.exe to run the program to build the culture. Status Microsoft has confirmed that this is a problem in the Microsoft products that are listed in the "Applies to" section. Properties Article ID: 939949 - Last Review: Sep 30, 2011 - Revision: 1 Microsoft .NET Framework 2.0
https://support.microsoft.com/en-us/help/939949/error-message-when-you-run-an-application-or-try-to-access-a-web-site-on-a-computer-that-has-a-particular-.net-framework-2.0-software-update-installed-culture-name-culture-is-not-supported
CC-MAIN-2017-17
en
refinedweb
"Ian Bicking" <ianb at colorstudy.com> wrote in message news:mailman.1059679007.20588.python-list at python.org... > On Thu, 2003-07-31 at 08:55, Anthony_Barker wrote: > > The three that come to my mind are significant whitespace, dynamic > > typing, and that it is interpreted - not compiled. These three put > > python under fire and cause some large projects to move off python or > > relegate it to prototyping. > > I think these are valid as "compromises", not to be confused with > flaws. These are all explicit choices, and ones for which the original > justifications remain valid. A lot of stuff in Basic is simply flaws, > or based on justifications that no longer apply to today's programming > world. I think I'd go with your first assessment. These are design choices. Compromises are things that you can't figure out how to get right within the structure of the major design choices. > Anyway, I might add mine: the nature of modules as executed code is a > compromise. That is, a module isn't a declaration, it's a program to be > executed in its own namespace. When you import a module, you are > executing the module then looking at the namespace. I wouldn't call it a compromise, but it does have its bad points when you're trying to construct a large, reliable system. > There are some advantages to this, particularly in the transparency of > the implementation -- things don't always work the way you might want > (e.g., circular imports), but it's usually not that hard to understand > why (and often the way you want things to work has nasty gotchas that > you wouldn't have thought of). It also opens up a lot of possibilities > for dynamicism in class and function declaration, like doing this in the > top level: > > if something: > def func(x): ... > else: > def func(x): ... > > But it's a compromise, because it makes things more difficult as well. > It's a *big* problem in any long-running process, where you may want to > modify code underlying the system without rebuilding the entire state. > Classes aren't declared, they are simply constructed, so by reloading a > module all the persistent instances still exist and refer to the defunct > class. You can modify classes at runtime, but this is different from > simply rerunning the class definition. (A clever metaclass *could* make > those equivalent, though... hmmm...) > A related problem is that Python objects generally can accept any > instance variable names, and names are not declared anywhere. Again, > this makes it difficult to deal with long-lived objects. If you change > the class so that all instances get a new attribute, old objects won't > be updated. I'm thinking about both of these things in terms of > Smalltalk, where they make tools possible that really add to the ease of > developing in its environment. Well, while that is true in detail, if you put the prototype in the class object, all instances will find it the next time they try to access it. References will get the class version, and assignments will update the instance. Of course, you had to change some of the methods to even get into this situation... John Roth > > Ian > > >
https://mail.python.org/pipermail/python-list/2003-July/227427.html
CC-MAIN-2017-17
en
refinedweb
0 Hello, I do not understand the following parts in bold - how it works, what is is for..etc. I'm not following the book's explanation.. #include <iostream> using namespace std; [B] double totalCost(int numberParameter, double priceParameter);[/B] int main( ) { double price, bill; int number; cout << "Enter the number of items purchased: "; cin >> number; cout << "Enter the price per item $"; cin >> price; bill = totalCost(number, price); cout.setf(ios::fixed); cout.setf(ios::showpoint); cout.precision(2); cout << number << " items at " << "$" << price << " each.\n" << "Final bill, including tax, is $" << bill << endl; return 0; } [B]double totalCost(int numberParameter, double priceParameter)[/B] { const double TAXRATE = 0.05; //5% sales tax double subtotal; subtotal = priceParameter * numberParameter; return (subtotal + subtotal*TAXRATE); } I'm also not sure why it's called "parameter" here. Like I said - basically, I can't figure out why it's there and what it exactly does. I would appreciate any help. Thank you Edited by Torf: n/a
https://www.daniweb.com/programming/software-development/threads/406932/function-declaration
CC-MAIN-2017-17
en
refinedweb
using UnityEngine; using System.Collections; public class EnemyAI : MonoBehaviour { public Transform target; public int moveSpeed; public int rotationSpeed; //); //Move Towards Target myTransform.position += myTransform.forward * moveSpeed * Time.deltaTime; } It's on the line after //Move Towards Target myTransform.position += myTransform.forward * moveSpeed * Time.deltaTime; //Move Towards Target myTransform.position += myTransform.forward * moveSpeed * Time.deltaTime; I have a problem too it's also a parsing problem in unity can you help me i'm a beginner so i'm not very smart at this area. i have error assets/testing.cs(17,9): error CS8025: Parsing error this is the code: using UnityEngine; using System.Collections; public class Testing : MonoBehaviour { // Use this for initialization void Start () { } // Update is called once per frame void Update () { if(Input.GetKeyUp(KeyCode.Space)) { gameObject.transform.up.y = +1 ; } } Thanks in advance Paul PS: I'm Dutch so sorry if i have some write errors Answer by Styn · Aug 04, 2011 at 12:37 PM You don't have a closing bracket for your class! (assuming this is the full code) You should try to provide more details about the error Ok, i added a closing bracket for my class but then I get an error that says "namespace can only contain types and namespace declarations " on lines 11 and 17 (the void Start and void Update lines) anyone? Please? Answer by dibonaj · Aug 04, 2011 at 01:53 PM You need to have closing braces for your class and you need to declare myTransform. Parsing error. No idea what it is or what the problem is. 2 Answers C# Errors CS1525,CS8025 2 Answers Multiple Cars not working 1 Answer Assets/Scripts/PlayerController.cs(22,25): error CS8025: Parsing error 0 Answers
http://answers.unity3d.com/questions/152621/parsing-error.html
CC-MAIN-2017-17
en
refinedweb
iplant Atmosphere: A Gateway to Cloud Infrastructure for the Plant Sciences - Ruby Nelson - 1 years ago - Views: Transcription 1 iplant Atmosphere: A Gateway to Cloud Infrastructure for the Plant Sciences Edwin Skidmore Sriramu Singaram Seung-jin Kim Nirav Merchant University of Arizona Sangeeta Kuchimanchi Dan Stanzione Texas Advanced Computing Center ABSTRACT The cloud platform complements traditional compute and storage infrastructures by introducing capabilities for efficiently provisioning resources in a self-service, on-demand manner. The new provisioning model promises to accelerate scientific discovery by improving access to customizable and task-specific computing resources. This paradigm is well-suited, especially for those applications tailored to leverage cloud-style of infrastructure capabilities. Adoption of the cloud model has been challenging for many domain scientists and scientific software developers due to the technical expertise required to effectively utilize this infrastructure. Some of the key limitations of cloud infrastructure are: limited integration with institutional authentication and authorization frameworks, lack of frameworks to enable domainspecific configurations for instances, and integration with scientific data repositories alongside existing computational clusters and grid deployments. Specifically designed to address some of these operational barriers towards adoptions by the plant sciences community, the cloud platform, aptly named Atmosphere, is an open-source, robust, configurable gateway that extends established cloud infrastructure to meet the diverse computing needs for the plant science. Atmosphere manages the Virtual Machine (VM) lifecycle while maximizing the utilization of cloud resources for scientific workflows. Thus, Atmosphere allows researchers developing novel analytical tools to deploy them with ease while abstracting the underlying computing infrastructure, at the same time making it relatively easy for the users to access these tools via web browser. Atmosphere also provides a rich extensible Application Programming Interface (APIs) for integration and automation with other services. Since its launch, Atmosphere has seen a wide adoption by the plant sciences community for a broad array of applications that range from image processing to next generation sequence (NGS) analysis and can serve as a template for providing similar capabilities to other domains. Categories and Subject Descriptors C.2.4 [Distributed Systems]: Distributed Applications cloud computing and storage. General Terms Management,. Keywords cloud, cloud computing, cloud storage, virtualization, plant sciences, cyberinfrastructure 1. INTRODUCTION The was established with a very broad mandate from the National Science Foundation (NSF) to support the cyberinfrastructure (CI) needs of researchers addressing the grand challenges of plant biology [1]. Plant biology itself is a very diverse field. The rapid expansion of the omics era (genomics, proteomics, metabolomics, transcriptomics, etc.) is transforming what has traditionally been a bench- and field-based research discipline into a computationally intense, data-driven area of science. The research problems of plant biology range from those requiring intense computation (genome assembly, genome wide association studies) to those requiring little computation but intensive data integration (genome and functional annotations). The data sets range in scale and type from molecular phenotype to satellite maps of species range, with most scales falling somewhere in between. In most areas of inquiry around plants, the algorithms and workflows are still rapidly evolving, as are the types of questions being explored. The entire cyberinfrastructure foundation, therefore, must support the needs of a diverse group of plant science researchers, ranging from biologists to computer scientists. The cyberinfrastructure comprises of high performance computing (HPC) cluster and data storage resources to the support large-scale data and computational needs of plant science research. While the HPC cluster and storage resources are suitable for many applications, not all scientific computations require the use of supercomputer-scale resources [2]. Some computational workflows require a dedicated server to provide their own interfaces, some of which are web based or native operating system based graphical user interfaces (GUI) with associated local databases, or compute environments. Furthermore, the nature of algorithm development and data analyses as applied to plant biology domain requires customized software development environments with significant software version dependencies, while requiring simultaneous access to large-scale compute and storage infrastructures. Many existing plant science-related computational tools are a natural fit for the cloud based infrastructure, many of which are highly serial or data parallel. Traditionally, such tools have been designed for single-threaded, small-scale computations, easily executed on a single workstation. Large-scale compute environments typically discourage the execution of these types of tools, as they do not make efficient use of cluster resources. Additionally, large shared clusters are not always amenable to customized execution environments for the domain-specific tasks, 2 such as configuring a wide range of system library versions to support legacy versions of applications, or the latest bleeding edge versions of bioinformatics software [3]. The deployment of algorithms and tools thus becomes a challenge in shared computing environments. Atmosphere addresses these issues by providing preconfigured, domain-specific virtual instances of common bioinformatic tools that are integrated within other parts of iplant's cyberinfrastructure. In this manner, Atmosphere users are able to quickly develop algorithms and deploy workflows, thereby reducing the extensive time, resources, and overhead needed to set up analyses. Users can access the subset of data required by a specific analysis from iplant s large-scale storage by staging the data into their virtual machine (VM). In addition, users are able to preserve the state of their VM instances, saving not only a specific workflow and analysis but an entire system state, introducing new opportunities for algorithm development and experimental reproducibility. A fundamental practice within biosciences research, particularly in the plant sciences community, is the sharing of data sets, analysis tools, and computational workflows. Tool developers have their own community of collaborators and often seek convenient access to computational resources in order to provide early and reliable access to the analytical tools for their community. This iterative step is often a tedious limitation for biologists, as the data and resource provisioning to validate the tools is a time consuming process. While many cloud solutions focus on the Infrastructure-as-a-Service (IAAS) or Platform-as-a- Service (PAAS) model, Atmosphere reinforces the Software-as-a- Service (SAAS) approach by allowing users to collaborate, share their images, and conveniently launch applications using one-click buttons. SAAS allows the tool developers to provide web-based, secure single click access to their collaborators to precisely configured versions of the application and their dependencies, allowing them to provide quick assessment and feedback before publishing the tool for public consumption. This capability also allows the biologists to adjust the underlying computational infrastructure and modify items such as the number of cores and RAM depending on the size of the data set being analyzed, without having to encumber the developer for additional resources. In addition to the various cloud service models that Atmosphere supports, the iplant cloud services platform exposes its functionality by providing HTTP-based application programming interfaces (APIs) through its middleware. The APIs enable functionality available through the web front end as well as mechanisms to customize notifications, resource management, and metadata management. The purpose of the Atmosphere APIs is to encourage deeper integration with other applications and services while making Atmosphere a first-class citizen of the institutional infrastructure through the integration capabilities. Virtualization software typically exists at a low level of most infrastructures and requires proficient systems administrators to provision resources for end-users. The nature of virtualization and the provisioning of virtual resources often demand an intimate knowledge of underlying physical resources and the low level access controls. Additionally, the user interfaces for virtualization software are typically command-line tools or, at best, desktop applications requiring direct access to the systems and hardware. Many academic and open-source cloud projects began in an attempt to fulfill an unmet need to provide the dynamic, usercentric provisioning of virtual resources. Some projects began as research projects and have continued as open-source projects, such as OpenNebula [7]. Other projects have attempted to model themselves after successful private industry services. One such project is Eucalyptus Cloud [8], which provides API-compatible web services to Amazon Elastic Compute Cloud (EC2) [9] and a very basic web interface to managing VMs and storage resources. Other projects aim to be more of a toolkit or API to service, such as Nimbus [10] and OpenStack [11]. Most of these projects cater more toward service providers who wish to build a cloud rather than delivering the cloud more directly to the end-users themselves. A major distinction between Atmosphere and these other projects is that Atmosphere attempts to close the usability gap between a cloud provider and that of cloud users, particularly for biologists and plant science researchers. 3. ARCHITECTURE Conceptually, Atmosphere can be separated into three logical layers accompanied by a set of toolkits which reside within the virtual machine (VMs) (see Figure 1). The three layers of Atmosphere are the cloud engine, the middleware, and the web frontend. The toolkits facilitate the configuration of the virtual machines, communication with the middleware tier, and the interfacing with other parts of iplant s cyberinfrastructure. 2. RELATED WORK Before the inception of Atmosphere in 2010, there were few mature open-source cloud-centric middleware or portal projects focused toward a biological sciences community. Below are some of the projects that iplant evaluated before developing a targeted cloud infrastructure for the plant science community. Many IAAS clouds utilize virtualization software, such asxen [4], VMWare [5], or Kernel Virtual Machine (KVM) [6]. Figure 1. High-level illustration of Atmosphere s components. 3 3.1 Cloud Engine Atmosphere s design planned for the interchange of multiple cloud types and cloud engines. Currently, Atmosphere supports Eucalyptus Cloud, an open-source project with API compatibility with Amazon Elastic Compute Cloud and other Amazon web services. At the time of Atmosphere s inception, Eucalyptus Cloud was determined to be the most stable, feature rich, and extensibles. Integration with OpenStack is planned by early Middleware Atmosphere s middleware is built on top of Django [12], a highlevel extensible python web framework designed for rapid development. While having originated as a content management system, the Django provides an excellent foundation for web applications. Other python web frameworks were considered, but Django was considered the most mature and offered the most features when Atmosphere development began. Django s core components include an object relational mapper and user interface facilities. Atmosphere s middleware adds additional services for auditing and monitoring, resource and job scheduling, authentication, and metadata management. Atmosphere s authentication middleware service, named CloudAuth, is designed to accept different authentication schemes. Currently, it supports LDAP and an internal database. Once a user authenticates, tokens are used for subsequent API calls within the middleware. Authentication is discussed in more detail in the security section of the paper. Auditing and monitoring is provided through extensive logging of most activities in Atmosphere and stored within Atmosphere s internal database. Detailed activities include VM launches, VM terminations, storage requests, user logins, and user logouts. In addition, Atmosphere performs periodic polling of the cloud resources to perform resource consistency checks or to monitor for known failure states of the underlying cloud. For instance, a known failure state of Eucalyptus occurs when new VM cannot obtain an IP address. For failure states that cannot be automatically remedied, notifications are sent to cloud administrators. Atmosphere requires internal scheduler to perform periodic tasks, such as monitoring and polling. This internal schedule was built using python celery [13]. Another important function of the scheduler is to throttle simultaneous requests to the cloud engine at times of high utilization, without which the cloud engine could be paralyzed with too many requests. Future plans for the scheduler include providing a means to launch VMs to backfill resources during periods of low utilization, maximizing the overall cluster efficiency. Metadata management is facilitated through tags, descriptions, and derived elements provided by users or cloud administrators. Future versions of Atmosphere will include more intuitive means to manage and search metadata, and to link metadata information generated by other components of iplant s infrastructure. 3.3 Web Frontend Atmosphere s web frontend is a rich web 2.0 application, which extensively uses AJAX [14] and JavaScript [15]. Ext JS [16] provides much of the look and feel. Bidirectional communication between middleware and the client browser, such as event notifications, uses Faye [17], which implements the Bayeux protocol [18]. Figure 2. Screenshot of Atmosphere home screen. VMs organized as "Applications". The primary motivation for the user interface design is usability for both inexperienced and expert cloud users. The home screen for Atmosphere allows users to review and launch virtual machines in an application store model, resembling modern mobile and touch devices (see Figure 2). Convenient access to VM and resource metadata is also provided using sidebars in the interface. For expert cloud users, detailed information and finegrain access to the underlying cloud resources are available through the Dashboard (see Figure 3). Figure 3. Dashboard view to customize a virtual machine. The dashboard view provides fine-grained configuration options for expert users. 3.4 Virtual Machine Toolkits Atmosphere bundles several tools, in the form of scripts and applications, through the virtual machine toolkits. Some tools are essential to the operation of Atmosphere, assisting with the communication between the Atmosphere middleware and the VM. Other tools enhance the usability of a VM within iplant s infrastructure or provide integration with iplant s compute and storage resources. The following are descriptions of the tools in the iplant VM toolkits: atmocl This program provides convenient access to select Atmosphere web service functions, such as querying Atmosphere metadata and managing cloud-specific storage. A typical use for atmocl is mounting EBS volumes onto a VM without using the web frontend. 4 atmo_init atmo_init executes as part of the boot-time process and facilitates the configuration of a VM before it is available to a user. Users will never need to access this tool directly. condor tools iplant provides access to a small compute grid based on Condor [19]. The condor tools are essentially the condor executables necessary to submit jobs to iplant s grid for some types of computations. configuration management Traditional configuration management enables systems administrators to control and automate the configuration of system software and services. Atmosphere uses Puppet [20], a configuration management tool, to dynamically configure systems on virtual machines. Future versions of Atmosphere will enable users to dynamically configure their own VMs. image_request This command-line tool collects the necessary metadata from a VM, which will ultimately be displayed within Atmosphere s graphical catalogue. iplant Data Store utilities iplant utilitizes irods Data Grid [21] for large scale storage. Users have access to both commandline and GUI-based clients to manage data within iplant s Data Store. The second type of storage is the iplant Data Store. Users can pull, push, or synchronize data in parallel using irods command-line utilities or graphical clients. Another method of managing data is using a Filesystem in Userspace (FUSE) [28] client, which translates the irods API calls into filesystem calls. One important distinction to using the iplant Data Store is that users can readily access the data across the entirety of iplant s cyberinfrastructure, including the HPC resources and the Discovery Environment. 6. CLOUD UTILIZATION When Atmosphere was launched as a preview to the public in January 2011, access was limited. Shortly after its initial launch, iplant Atmosphere opened access to researchers. The diversity of current users represents 16 countries and 87 institutions. Within the United States, where 89.6% of the total users reside, 30 states are represented (see Chart 1). 4. SECURITY AND AUTHENTICATION A function of the Atmosphere middleware is to mediate both the cloud engine s authentication and iplant s central authentication services. An authentication service, called CloudAuth, provides a pluggable framework to integrate with different authentication mechanisms via modules. Currently, CloudAuth supports an internal database or LDAP [22]. Planned authentication modules include CAS [23] and Shibboleth [24]. In a typical authentication use case, users authenticate to the web frontend. Secure sockets are used for every layer of network communication. When a user authenticates using the web frontend, a user s iplant credentials are mapped to the corresponding credential provided by the cloud engine. The cloud credentials allow the user to provision resources within their namespace, allowing Atmosphere to leverage the cloud engine s mechanism for resource isolation. Atmosphere web services APIs employ a simplified version of a token-based authentication system. After authentication, external services use a token to call methods on behalf of a user. Tokens have a finite lifetime, configurable by the cloud administrator. Users authenticate to their VMs primarily using their iplant credentials. SSH access is automatically configured to allow ssh access to the specific user and by cloud administrators. Secure VNC [25] access is enabled using a RealVNC [26] Enterprise Server embedded on the VM. 5. DATA Plant science is a data intensive science [27]. To address their extensive data needs within the cloud, Atmosphere users have access to two types of storage. The first type is provisioned through the underlying cloud engine and is exclusive to a user s virtual machines. The cloud engine s storage is recognized by the VM as a native block device and uses typical system utilities for managing devices, such as fdisk, parted and mount. Chart 1. This chart illustrates the cumulative growth in the number of users since Atmosphere s public launch in January Atmosphere has been utilized in three workshops and one graduate-level bioinformatics course. Atmosphere is in active use by five research laboratories to share image data using the iplant data store and analyze it using custom command line and GUI based applications developed in MATLAB, these tools and dependencies were deployed as compiled binaries as a bundled VM; this custom VM is made available to the community to use with their own data sets through Atmosphere (See Figure 4). 7. USE CASES iplant s cyberinfrastructure provides multiple entry points to its storage and compute resources, where Atmosphere fills specific needs unmet by the other infrastructure services. The iplant Discovery Environment provides a structured way for users to integrate tools and perform analysis via a web portal. Web service APIs, through the Foundational and Semantic APIs, programmatically expose this functionality to developers to integrate with their existing science portals and tools. Direct access to complex, large scale compute and storage is generally available to plant scientists through XSEDE providers, such as Texas Advanced Computing Center (TACC). Given these modes 5 Education, workshops, and training: Another large category of users utilize Atmosphere for workshops and training events. Oftentimes, workshop organizers need preconfigured VMs, loading with sample data, for their participants. The iplant staff works closely with workshop organizers to structure their environments and sample data. Figure 4. A remote VNC connection to a Atmosphere instance showing the image analysis toolkit and iplant data store windows. of access, there was a need for highly configurable environments for algorithm exploration, tool development, small- to mediumsized analyses, or analyses that might not be traditionally suited for HPC environments. The following provides a glimpse of the typical use cases that Atmosphere has used over the past several months since Atmosphere has been released to the public: Algorithm and Tool Development: Many of Atmosphere s users do not have convenient access to a UNIX environment to design their own tools, whether via shell access or a graphic desktop. The cloud, with its self-service, on-demand model, is an obvious fit for these users. Typically, the period of algorithm and tool development is finite between releases, after which the environment may be saved or terminated until the next stage of development begins. In some cases, algorithm and tool developers publish their virtual machine images for other community users. One example is the Phytomorph VM, developed by Nathan Miller from the University of Wisconsin, which provides machine vision tools to correlate seed morphology to seed development. On-Demand, Standalone Analysis: As mentioned previously, some users utilize virtual machines, configured by tool developers, as part of their data analysis pipeline. In other cases, users have developed their own analysis pipeline want to deploy it virtually. A common problem mentioned by some users is that their analysis pipeline exists on a desktop or laptop, lacking the reliability or performance they need to scale their analysis. In many cases, users choose Atmosphere as a facility to share their analysis pipeline with other lab members or collaborators. In these cases, providing wholly contained, reproducible computational environments is the most attractive features of Atmosphere. On-Demand, Integrated Analysis: Integrated analysis refers to analysis that may be partially performed using other parts of iplant s infrastructure. For example, some users may have part of their analysis performed using the Discovery Environment and wish to further process the data using preinstalled tools on a virtual machine in Atmosphere. In other cases, Atmosphere VMs have been used to prepare an analysis to be later targeted for HPC resources. For integrated analyses, the iplant DataStore is used for sharing data across iplant s various services. 8. CONCLUSION AND FUTURE WORK The goal for Atmosphere is to provide ease of access to highly customizable computational infrastructure, functioning as a gateway that integrates and augments cloud resources with capabilities such as HPC and data grids. Atmosphere also serves as a platform to allow computational tool designers and developers the ability to collaborate, and rapidly deploy their analysis pipelines for broad use by the community. Atmosphere plays a key role in providing customized computational resources for pre and post analysis; e.g. Atmosphere has custom VM of eight popular genome visualizers which are used to visualize a large genome assembly, the compute intensive tasks were performed on a HPC system where these resources intensive GUI applications are not typically installed. Atmosphere s ability to provide easy web interface to preserve data, tools, and workflows with minimal effort and skill overcomes the limitations and technological barriers that prevent adoption of the cloud. Deploying a cloud for the plant sciences hasn t always been smooth. One of the most salient challenges initially faced when the project began was selecting the best cloud technology to use at a time when cloud technologies were emergent. Selecting a dominant cloud technology was more comparable to hedging a bet than making a thorough competitive analysis. To move forward with the project, we selected the best technologies at the time with a design philosophy accounting for the fact that that the underlying technologies would rapidly change and most likely be replaced in the future. Current and ongoing development module / features include: OpenStack and public cloud integration; replacing the use of euca2ools python library with a more generic, flexible library, such as Apache s Libcloud [29]. Utilization-based scheduling of resources, including backfilling instances during low utilization periods Multi-cloud support; the scheduling and provisioning of resources across multiple, geographically dispersed clouds Tighter integration with iplant Discovery Environment, Grid, and HPC resources Automated, user-initiated VM image bundling Expansion of support for mobile devices. Currently, an Android application is available to view, launch, and terminate instances. Authentication with common academic institutional authentication standards, such as Jasig Central Authentication Service (CAS) or Shibboleth; Integration with InCommon [30]. More intelligent metadata management and search capabilities; integration with semantic approaches to metadata search. 6 9. ACKNOWLEDGMENTS The is funded by a grant from the National Science Foundation Plant Cyberinfrastructure Program (#DBI ). 10. REFERENCES [1] PSCIC. (2006) Plant Science Cyberinfrastructure Collaborative. [Online]. sf06594 [2] Armando Fox, "Cloud Computing - What's in it for Me as a Scientist," Science, vol. 331, no. 6016, pp , 28 January [3] P. Khatri and S. Drăghici, "Ontological analysis of gene expression data: current tools, limitations, and open problems," Bioinformatics, vol. 21, no. 18, pp , June [4] Xen. [Online]. [5] VMware. [Online]. [6] Kernel-based Virtual Machine. [Online]. [7] J. Fontan, T. Vazquez, L. Gonzalez, R. S. Montero, and I. M. Llorente, "OpenNebula: The Open Source Virtual Machine Manager for Clouster Computing," in Open Source Grid and Cluster Software Conference, San Francisco, CA, May [8] D. Nurmi et al., "The Eucalyptus Open-source Cloudcomputing System," in CCA08: Cloud Computing and Its Applications, [9] Amazon. Amazon Elastic Compute Cloud. [Online]. [10] K. Keahey and T. Freeman, Nimbus or an Open Source Cloud Platform or the Best Open Source EC2 No Money Can Buy, Supercomputing 2008; invited talk. [11] OpenStack. [Online]. [12] Django Software Foundation. Django. [Online]. [13] Python Celery. [Online]. [14] AJAX. [Online]. [15] JavaScript. [Online]. [16] Sencha Inc. Ext JS. [Online]. [17] James Coglan. Faye. [Online]. faye.jcoglan.com [18] Alex Russell, Greg Wilkins, David Davis, and Mark Nesbitt. (2007) Bayeux Protocol -- Bayeux [Online]. [19] M. Livny, M. Litzkow, and M. Mutka, "Condor - a hunter of idle workstations," in Proceedings of the 8th International Conference of Distributed Computing Systems, IEEE Computer Society Press, Madison, Wisconsin, 1988, pp [20] J. Lope, Managing Infrastructure with Puppet, 1st ed. Sebastopol, CA, USA: O'reilly Media, Inc., [21] A. Rajasekar et al., irods Primer: Synthesis Lectures on Information Concepts, Retrieval, and Services.: Morgan & Claypool Publishers, 2010, vol. 2. [22] J. Sermersheim et al., "Lightweight Directory Access Protocol (LDAP): The Protocol," Internet Engineering Task Force, Network Working Group, RFC 4511, June [Online]. [23] Jasig. Central Authentication Service. [Online]. [24] Internet2. Shibboleth. [Online]. [25] T. Richardson, Q. Stafford-Fraser, K. Wood, and A. Hooper, "Virtual Network Computing," Internet Computing, IEEE, vol. 2, no. 1, pp , Jan/Feb [26] RealVNC Ltd. RealVNC. [Online]. [27] A. Smith et al., "Biology and Data-Intensive Scientific Discovery in the Beginning of the 21st Century," OMICS, vol. 15, no. 4, pp , [28] Filesystem in Userspace. [Online]. [29] Apache Libcloud. [Online]. [30] InCommon. [Online]. [31] boto. [Online]. AN IMPLEMENTATION OF E- LEARNING SYSTEM IN PRIVATE CLOUD AN IMPLEMENTATION OF E- LEARNING SYSTEM IN PRIVATE CLOUD M. Lawanya Shri 1, Dr. S. Subha 2 1 Assistant Professor,School of Information Technology and Engineering, Vellore Institute of Technology, Vellore-632014 Keywords Cloud computing, Cloud platforms, Eucalyptus, Amazon, OpenStack. Volume 3, Issue 11, November 2013 ISSN: 2277 128X International Journal of Advanced Research in Computer Science and Software Engineering Research Paper Available online at: Cloud Platforms Cloud Computing Solutions for Genomics Across Geographic, Institutional and Economic Barriers Cloud Computing Solutions for Genomics Across Geographic, Institutional and Economic Barriers Ntinos Krampis Asst. Professor J. Craig Venter Institute kkrampis@jcvi.org Orbiter Series Service Oriented Architecture Applications Workshop on Science Agency Uses of Clouds and Grids Orbiter Series Service Oriented Architecture Applications Orbiter Project Overview Mark L. Green mlgreen@txcorp.com Tech-X Corporation, Buffalo Office HEP Data-Intensive Distributed Cloud Computing System Requirements Specification Document HEP Data-Intensive Distributed Cloud Computing System Requirements Specification Document CANARIE NEP-101 Project University of Victoria HEP Computing Group December 18, 2013 Version 1.0 1 Revision History. Globus Research Data Management: Introduction and Service Overview. Steve Tuecke Vas Vasiliadis Globus Research Data Management: Introduction and Service Overview Steve Tuecke Vas Vasiliadis Presentations and other useful information available at globus.org/events/xsede15/tutorial 2 Thank you to Early Cloud Experiences with the Kepler Scientific Workflow System Available online at Procedia Computer Science 9 (2012 ) 1630 1634 International Conference on Computational Science, ICCS 2012 Early Cloud Experiences with the Kepler Scientific Workflow? Technical. Overview. ~ a ~ irods version 4.x Technical Overview ~ a ~ irods version 4.x The integrated Ru e-oriented DATA System irods is open-source, data management software that lets users: access, manage, and share data across any type or number Models and Platforms Cloud Models and Platforms Dr. Sanjay P. Ahuja, Ph.D. 2010-14 FIS Distinguished Professor of Computer Science School of Computing, UNF A Working Definition of Cloud Computing Cloud computing is a model Private Cloud An Introduction to Private Cloud As the word cloud computing becomes more ubiquitous these days, several questions can be raised ranging from basic question like the definitions of a cloud and cloud computing Assignment # 1 (Cloud Computing Security) Assignment # 1 (Cloud Computing Security) Group Members: Abdullah Abid Zeeshan Qaiser M. Umar Hayat Table of Contents Windows Azure Introduction... 4 Windows Azure Services... 4 1. Compute... 4 a) Virtual Managing Traditional Workloads Together with Cloud Computing Workloads Managing Traditional Workloads Together with Cloud Computing Workloads Table of Contents Introduction... 3 Cloud Management Challenges... 3 Re-thinking of Cloud Management Solution... 4 Teraproc Cloud GenomeSpace Architecture GenomeSpace Architecture The primary services, or components, are shown in Figure 1, the high level GenomeSpace architecture. These include (1) an Authorization and Authentication service, (2) an analysis Cloud Computing. Adam Barker Cloud Computing Adam Barker 1 Overview Introduction to Cloud computing Enabling technologies Different types of cloud: IaaS, PaaS and SaaS Cloud terminology Interacting with a cloud: management consoles An Introduction to Virtualization and Cloud Technologies to Support Grid Computing New Paradigms: Clouds, Virtualization and Co. EGEE08, Istanbul, September 25, 2008 An Introduction to Virtualization and Cloud Technologies to Support Grid Computing Distributed Systems Architecture Research Private Clouds with Open Source Private Clouds with Open Source GridKa School 2010 KIT September 7 th 2010 Christian Baun baun@kit.edu Cloud-Computing? Building on compute and storage virtualization, and leveraging Towards a New Model for the Infrastructure Grid INTERNATIONAL ADVANCED RESEARCH WORKSHOP ON HIGH PERFORMANCE COMPUTING AND GRIDS Cetraro (Italy), June 30 - July 4, 2008 Panel: From Grids to Cloud Services Towards a New Model for the Infrastructure Grid Comparison of Several Cloud Computing Platforms Second International Symposium on Information Science and Engineering Comparison of Several Cloud Computing Platforms Junjie Peng School of computer science & High performance computing center Shanghai Sisense. Product Highlights. Sisense Product Highlights Introduction Sisense is a business intelligence solution that simplifies analytics for complex data by offering an end-to-end platform that lets users easily prepare and analyze CONDOR CLUSTERS ON EC2 CONDOR CLUSTERS ON EC2 Val Hendrix, Roberto A. Vitillo Lawrence Berkeley National Lab ATLAS Cloud Computing R & D 1 INTRODUCTION This is our initial work on investigating tools for managing clusters Mobile Cloud Computing T-110.5121 Open Source IaaS Mobile Cloud Computing T-110.5121 Open Source IaaS Tommi Mäkelä, Otaniemi Evolution Mainframe Centralized computation and storage, thin clients Dedicated hardware, software, experienced staff High capital OpenShift. OpenShift platform features. Benefits Document. openshift. Feature Benefit OpenShift. Enterprise openshift Benefits Document platform features Feature Benefit FOR APPLICATIO DEVELOPMET Self-Service and On-Demand Application Stacks By enabling Developers with the ability to quickly and easily deploy salsadpi: a dynamic provisioning interface for IaaS cloud salsadpi: a dynamic provisioning interface for IaaS cloud Tak-Lon (Stephen) Wu Computer Science, School of Informatics and Computing Indiana University, Bloomington, IN taklwu@indiana.edu Abstract On-demand Solution for private cloud computing The CC1 system Solution for private cloud computing 1 Outline What is CC1? Features Technical details Use cases By scientist By HEP experiment System requirements and installation How to get it? 2 Clouds for research computing Clouds for research computing Randall Sobie Institute of Particle Physics University of Victoria Collaboration UVIC, NRC (Ottawa), NRC-HIA (Victoria) Randall Sobie IPP/University of Victoria 1 Research Simplified Private Cloud Management BUSINESS PARTNER ClouTor Simplified Private Cloud Management ClouTor ON VSPEX by LOCUZ INTRODUCTION ClouTor on VSPEX for Enterprises provides an integrated software solution for extending your existing Cloud Infrastructure Pattern 1 st LACCEI International Symposium on Software Architecture and Patterns (LACCEI-ISAP-MiniPLoP 2012), July 23-27, 2012, Panama City, Panama. Cloud Infrastructure Pattern Keiko Hashizume Florida Atl Analysis and Research of Cloud Computing System to Comparison of Several Cloud Computing Platforms Volume 1, Issue 1 ISSN: 2320-5288 International Journal of Engineering Technology & Management Research Journal homepage: Analysis and Research of Cloud Computing System to Comparison Infrastructure as a Service Infrastructure as a Service Jose Castro Leon CERN IT/OIS Cloud Computing On-Demand Self-Service Scalability and Efficiency Resource Pooling Rapid elasticity 2 Infrastructure as a Service Objectives 90% Scientific Cloud Computing: Early Definition and Experience The 10th IEEE International Conference on High Performance Computing and Communications Scientific Cloud Computing: Early Definition and Experience Lizhe Wang, Jie Tao, Marcel Kunze Institute for Scientific ACCELERATE DEVOPS USING OPENSHIFT PAAS ACCELERATE DEVOPS USING OPENSHIFT PAAS September 3, 2014 AGENDA World we live in today IT organization: Charter, goals, and challenges DevOps: Problem statement, what, and why How to enable DevOps Application Bridge Development and Operations for faster delivery of applications Technical white paper Bridge Development and Operations for faster delivery of applications HP Continuous Delivery Automation software Table of contents Application lifecycle in the current business scenario NEXT GENERATION ARCHIVE MIGRATION TOOLS NEXT GENERATION ARCHIVE MIGRATION TOOLS Cloud Ready, Scalable, & Highly Customizable - Migrate 6.0 Ensures Faster & Smarter Migrations EXECUTIVE SUMMARY Data migrations and the products used to Research on Operation Management under the Environment of Cloud Computing Data Center , pp.185-192 Research on Operation Management under the Environment of Cloud Computing Data Center Wei Bai and Wenli Geng Computer and information engineering BMC Cloud Management Functional Architecture Guide TECHNICAL WHITE PAPER BMC Cloud Management Functional Architecture Guide TECHNICAL WHITE PAPER Table of Contents Executive Summary............................................... 1 New Functionality............................................... Qlik Sense Enabling the New Enterprise Technical Brief Qlik Sense Enabling the New Enterprise Generations of Business Intelligence The evolution of the BI market can be described as a series of disruptions. Each change occurred when a technology Introduction to OpenStack Introduction to OpenStack Carlo Vallati PostDoc Reseracher Dpt. Information Engineering University of Pisa carlo.vallati@iet.unipi.it Cloud Computing - Definition Cloud Computing is a term coined to refer CYBERINFRASTRUCTURE FRAMEWORK FOR 21 st CENTURY SCIENCE AND ENGINEERING (CIF21) CYBERINFRASTRUCTURE FRAMEWORK FOR 21 st CENTURY SCIENCE AND ENGINEERING (CIF21) Goal Develop and deploy comprehensive, integrated, sustainable, and secure cyberinfrastructure (CI) to accelerate research Egnyte Storage Sync For NetApp Egnyte Storage Sync For NetApp Installation Guide Introduction... 2 Architecture... 2 Key Features... 3 Access Files From Anywhere With Any Device... 3 Easily Share Files Between Offices and Business Partners... Solution for private cloud computing The CC1 system Solution for private cloud computing 1 Outline What is CC1? Features Technical details System requirements and installation How to get it? 2 What is CC1? The CC1 system is a complete solution Infrastructure Clouds for Science and Education: Platform Tools Infrastructure Clouds for Science and Education: Platform Tools Kate Keahey, Renato J. Figueiredo, John Bresnahan, Mike Wilde, David LaBissoniere Argonne National Laboratory Computation Institute, University IO Informatics The Sentient Suite IO Informatics The Sentient Suite Our software, The Sentient Suite, allows a user to assemble, view, analyze and search very disparate information in a common environment. The disparate data can be numeric. Vistara Lifecycle Management Vistara Lifecycle Management Solution Brief Unify IT Operations Enterprise IT is complex. Today, IT infrastructure spans the physical, the virtual and applications, and crosses public, private and hybrid EMC IT AUTOMATES ENTERPRISE PLATFORM AS A SERVICE EMC IT AUTOMATES ENTERPRISE PLATFORM AS A SERVICE Self-service portal delivers ready-to-use development platform in less than one hour Application developers order from online catalog with just a few clicks,
http://docplayer.net/861661-Iplant-atmosphere-a-gateway-to-cloud-infrastructure-for-the-plant-sciences.html
CC-MAIN-2017-17
en
refinedweb
Send an Email Through Amazon SES Using the AWS SDK for Java The following procedure shows you how to use Eclipse IDE for Java EE Developers and AWS Toolkit for Eclipse to create an AWS SDK project and modify the Java code to send an email through Amazon SES. It retrieves your AWS credentials from environment variables. Before you begin this procedure, complete the setup tasks described in Before You Begin with Amazon SES and Send an Email Through Amazon SES Using an AWS SDK. AWS SDK for Java Create an environment variable called AWS_ACCESS_KEY_ID and set it to your AWS access key ID. The procedure for setting environment variables depends on your operating system. Your AWS access key ID will look something like: AKIAIOSFODNN7EXAMPLE. Create an environment variable called AWS_SECRET_ACCESS_KEY and set it to your AWS secret access key. Your AWS secret access key will look something like: wJalrXUtnFEMI/K7MDENG/bPxRfiCYEXAMPLEKEY. Create an AWS Java Project in Eclipse by performing the following steps: Open Eclipse. In Eclipse, choose File, choose New, and then choose AWS Java Project. If you do not see AWS Java Project as an option, try selecting Other. In the Create an AWS Java Project dialog box, type a project name. Choose Finish. In Eclipse, in the Package Explorer window, expand your project. Under your project, right-click the src directory, choose New, and then choose Class. In the Java Class dialog box, in the Name field, type AmazonSESSampleand then choose Finish. Replace the entire contents of AmazonSESSample.java with the following code:Copy import java.io.IOException; import com.amazonaws.services.simpleemail.*; import com.amazonaws.services.simpleemail.model.*; import com.amazonaws.regions.*; Amazon SES by using the AWS SDK for Java."; static final String SUBJECT = "Amazon SES test (AWS SDK for Java)"; public static void main(String[] args) throws IOException { // Construct an object to contain the recipient address. Destination destination = new Destination().withToAddresses(new String[]{TO}); // Create the subject and body of the message. Content subject = new Content().withData(SUBJECT); Content textBody = new Content().withData(BODY); Body body = new Body().withText(textBody); // Create a message with the specified subject and body. Message message = new Message().withSubject(subject).withBody(body); // Assemble the email. SendEmailRequest request = new SendEmailRequest().withSource(FROM).withDestination(destination).withMessage(message); try { System.out.println("Attempting to send an email through Amazon SES by using the AWS SDK for Java..."); // Instantiate an Amazon SES client, which will make the service call. The service call requires your AWS credentials. // Because we're not providing an argument when instantiating the client, the SDK will attempt to find your AWS credentials // using the default credential provider chain. The first place the chain looks for the credentials is in environment variables // AWS_ACCESS_KEY_ID and AWS_SECRET_KEY. // For more information, see AmazonSimpleEmailServiceClient client = new AmazonSimpleEmailServiceClient(); // Choose. Here, we are using // the US West (Oregon) region. Examples of other regions that Amazon SES supports are US_EAST_1 // and EU_WEST_1. For a complete list, see Region REGION = Region.getRegion(Regions.US_WEST_2); client.setRegion(REGION); // Send the email. client.sendEmail(request); System.out.println("Email sent!"); } catch (Exception ex) { System.out.println("The email was not sent."); System.out.println("Error message: " + ex.getMessage()); } } } In AmazonSESSample.java, replace the following. REGION—Set this to. In this example, we are using the US West (Oregon) region. Examples of other regions that Amazon SES supports are US_EAST_1 and EU_WEST_1. For a complete list of AWS regions that Amazon SES supports, see Regions and Amazon SES. Save AmazonSESSample.java. To build the project, choose Project and then choose Build Project. (If this option is disabled, you may have automatic building enabled.) To start the program and send the email, choose Run and then choose Run again. Review the program's console output to verify that the sending was successful. (You should see "Email sent!") Log into the email client of the recipient address. You will find the message that you sent.
http://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-using-sdk-java.html
CC-MAIN-2017-17
en
refinedweb
Extending Unified Communications Services of UCMA Bots to PIC Clients: Building and Deploying Application (Part Building and Deploying the Application on Lync Server Building the Application as the Presence Subscription Interceptor for Bot Deploying the Application as Trusted Lync Server Application - Debugging the Application - - This is the fifth) In part 1 to 4, you learned how the application works logically. In part 5, you learn how to build and run the application. If you are new to building and deploying a Microsoft Lync Server 2010 application that includes a UCMA managed component, you might find the process challenging. The undertaking can be fancy, involves different technologies and requires correct configuration on the server. To help you start the process smoothly, part 5 includes end-to-end steps in building, deploying, and running the application. Building the Application as the Presence Subscription Interceptor for Bot Before you start, make sure that Microsoft Visual Studio 2010 development system, Microsoft Lync Server 2010 SDK, and UCMA 3.0 SDK are installed on your development computer. For more information about installation, see Additional Resources. To build the application as the presence subscription interceptor for bot Start Visual Studio and then choose File, New, Project. In the New Project dialog box select the Visual C# Console Application template, use PresenceSubInterceptorForBot for the project name, and then specify a location for the project files, for example, c:\MyApps. In the area above the template selection pane, open the shortcut menu and ensure that .NET Framework 3.5 is selected, and then choose the OK button. In Solution Explorer, double-click Properties and ensure that the targeted platform is set to x64. The ServerAgent.Dll and the threading library use 64-bit binaries. In Solution Explorer, right-click References and then select Add References. In the Add Reference dialog box, select the Browse tab, navigate to the directories where the Lync Server 2010 SDK and UCMA 3.0 SDK are installed, choose the serveragent.dll (Microsoft Lync Server 2010 SIP Application API), microsoft.rtc.collabration.dll (UCMA) and SIPEPS.DLL (UCMA) assembly files, and then choose OK. Add a text file to the PresenceSubInterceptorForBot.am project. Write the application manifest in the file. You can either copy the application manifest from the code listings presented in this article or from the accompanying application project. Add C# class files to the project. You may want to add multiple class files to make coding easier to manage. You can rename the default Program.cs file that uses a more descriptive name, such as PresenceSubInterceptorForBot.cs, and then add AppEndpointManger.cs and AppUtils.cs files following the practice of the accompanying application project. In the C# class files, you may want to add the following, and possibly other, #include statements for any namespaces that are referenced by the application. using Microsoft.Rtc.Sip; // To use Lync Server API using Microsoft.Rtc.Collaboration; // To use UCMA using Microsoft.Rtc.Signaling; // To use UCMA using System.Text; // for text manipulation using System.Management.Automation; // To use PowerShell using System.Management.Automation.Runspaces; // To use PowerShell Add a PresenceSubInterceptorForBot.exe.config file that contains the configurable application settings for provisioning the application as a UCMA trusted server application. In Visual Studio, choose Build, Build Solution to build the project. At this point, you cannot yet start or debug the application because it must be properly deployed on the server before it can be executed without exceptions. The next section discusses how to deploy the application. Deploying the Application as Trusted Lync Server Application To deploy the Lync Server 2010 application, you install it on a server. If the application also uses UCMA, the application is deployed as a trusted server application. To deploy the application as a trusted Lync Server application To enable the server application as a trusted UCMA application, run the following PowerShell commands from a Lync Server Management Shell window on a Lync Server 2010 Front End computer, in the following, order: New-CsTrustedApplicationPool -identity lync-fe.contoso.com -site 1 -registrar lync-fe.contoso.com New-CsTrustedApplication -identity lync-fe.contoso.com/PresenceSubInterceptorForBot -port 5061 Enable-cstopology New-CsTrustedApplicationEndpoint -sipaddress sip:picinterceptor@contoso.com -applicationId "urn:application:PresenceSubInterceptorForBot" -trustedapplicationpoolfqdn lync-fe.contoso.com Here, the New-CsTrustedApplicationPool cmdlet creates an application pool in which the trusted application runs. The New-CsTrustedApplication cmdlet configures the application as a trusted application. The “PresenceSubInterceptorForBot” substring in the –Identity parameter is the name of the application (PresenceSubInterceptorForBot.exe) that is upgraded to a trusted application. The New-CsTrustedApplicationEndpoint cmdlet registers the application as a trusted application endpoint with a SIP URI of “sip:picinterceptor@contoso.com”. This URI must be supplied when the ApplicationEndpoint object is created. The application will have to supply the value of the -applicationId parameter when it instantiates a ProvisionedApplicationPlatformSettings object for the construction of the ApplicationEndpoint object. To install the application on Lync Server 2010, run the following PowerShell cmdlet from the Lync Server Management Shell window on a Lync Server 2010 Front End computer. Here, the New-CsServerApplication cmdlet registers a managed application as a Lync Server 2010 application that runs on the Lync Server 2010 computer (lync-fe.contoso.com). The -Uri parameter value specified in the cmdlet uniquely identifies the application and must be the same as the appUri attribute declared in the application manifest. The “PresenceSubInceptorForBot” substring in the -Identity parameter value can be any string value. This –identity parameter value is used to identify this application when Get-CsServerApplication or Remove-CsServerApplication is used later to inspect or delete the application, respectively. When the server application is connecting to the server, the application manifest is compiled and loaded into the server, and the embedded MSPL script is started. For a script-only Lync Server 2010 application, the -ScriptName parameter (not shown in part 5) must be included to specify the location of the application manifest file. Registering a script-only Lync Server 2010 application also loads the application manifest and runs the embedded MSPL script. Running the Application To run the application, you must be an administrator who is also a member of the RTC Server Applications local group. The accompanying application manifest (.am) file must be located in the same folder as the application’s executable (.exe) file. You should also copy the required application configuration (.config) file into the same folder. To run the application Log on to the Lync Server 2010 computer that uses an administrator account. Ensure that the user account is a member of the RTC Server Applications local group. If not, add the user account to the group, log off, and then log on to the computer. Create a folder and copy the PresenceSubInterceptorForBot.am, PresenceSubInterceptorForBot.exe, PresenceSubInterceptorForBot.exe.config, Microsoft.Rtc.Collaboration.dll, SIPEPS.Dll, and ServerAgent.Dll files to the application folder. Start the application (PresenceSubInterceptorForBot.exe). To run the application in the background, you must run it as a service. For more information about how to create and run an application as a Windows service, see Introduction to Windows Service Applications. Debugging the Application To debug the server application, tracing can be enabled for both the MSPL scripts and the managed component. For the MSPL script, ApiLogger can be used to trace the logs. For the managed application, the usual debugging techniques can be employed. If UCMA is used, the SIP traffic can be logged by OCSLogger. How to use ApiLogger and OCSLogger to trace the logs generated by a MSPL script and a UCMA server application are discussed later in part 5. To debug a MSPL script, , logs can be enabled by calling the Log(“Debugr”, “title”, “value”) function against the built-in debugger named Debugr in the script. Logged titles and values are displayed by the ApiLogger utility, a Lync Server 2010 SIP Application API application debugging tool that is included in the Lync Server 2010 SDK. To check the MSPL script for errors To check an MSPL script for possible grammatical errors, use the CompileSPL tool at the compile time by running the following command at a command prompt. To enable logs in a MSPL script, insert the statement of Log(“Debugr”, “title”, “value”) in appropriate locations in the script. The title parameter is a placeholder for a message description, and the value parameter is a placeholder for the message. “Debugr” must be used as is. To display the logs that are created by a MSPL script, start ApiLogger.exe. You will then be prompted to stop and restart the Lync Server 2010 computer. You can stop and restart the server by using the following commands. Start the server application. The logs appear in the command window where ApiLogger is running, while the server application is in session. To debug the UCMA managed server application Start OCSlogger.exe and choose the kind of debugging process. In OCSLogger, click Start Logging. Run the server application. In OCSLogger, click Stop Logging. Click Analyze log Files. This starts the Snooper to displace execution traces and the SIP traffic. To debug the server application by using the Microsoft.Rtc.Sip namespace, add serveragent.dll as an additional component in the OCSLogger configuration, and then repeat the previous steps. In this article, you learned how to extend unified communications services that are provided by a trusted UCMA bot application, which otherwise can be accessed only by a limited number of Lync 2010 clients in a single enterprise network domain, by creating a managed Lync Server 2010 SIP Application API application that is also a trusted UCMA server application. You learned how the Lync Server 2010 SIP Application API application is used to intercept SIP SUBSCRIBE requests that are targeted for a bot’s presence and sourced from a PIC client. The process involved creating a SIP application manifest that contains an embedded MSPL script, which among other tasks, served to dispatch the intercepted message to a managed code event handler by using the Microsoft.Rtc.Sip and Microsoft.Rtc.Collaboration namespaces. For the presence SUBSCRIBE request that is targeted for an enabled bot, the available presence status of the bot is returned, in a page-mode SIP message of the NOTIFY type, to the requesting client directly. All other messages are rerouted back to the server for regular processing. The list of the currently enabled bots is obtained by programmatically by periodically invoking appropriate Lync Server Management Shell cmdlets that are processed in a separately maintained thread. You also learn how to build and register the Lync Server 2010 application, enable it as a trusted UCMA server application, and instantiate a UCMA application endpoint by using the application settings that are provisioned from the Lync Server 2010 computer. The development process that is used in this article applies to many application scenarios that involve interactions between UCMA bots and PIC clients in federated networks. An example would be the integration of Skype and Lync 2010 services. For more information, see the following resources:
https://msdn.microsoft.com/en-us/library/office/jj128287(v=office.14).aspx
CC-MAIN-2017-17
en
refinedweb
scancode_to_ascii man page scancode_to_ascii — Converts a scancode to an ASCII character. Allegro game programming library. Synopsis #include <allegro.h> int scancode_to_ascii(int scancode); Description Converts the given scancode to an ASCII character for that key (mangling Unicode values), returning the unshifted uncapslocked result of pressing the key, or zero if the key isn't a character-generating key or the lookup can't be done. The lookup cannot be done for keys like the F1-F12 keys or the cursor keys, and some drivers will only return approximate values. Generally, if you want to display the name of a key to the user, you should use the scancode_to_name function. Example: int ascii; ... ascii = scancode_to_ascii(scancode); allegro_message("You pressed '%c'\n", ascii); See Also scancode_to_name(3) Referenced By scancode_to_name(3). version 4.4.2 Allegro manual
https://www.mankier.com/3/scancode_to_ascii
CC-MAIN-2017-17
en
refinedweb
OK, it looks like my instructions are/were incomplete. I won't go into the do-this-because clauses, I'll just re-specify what should be the *complete* set of steps to make this work... I also got a better mod for /etc/sysconfig/rhn/up2date (makes much more sense), so I'll add that in the re-specified verision. Thanks for everyone's patience with this, too! #ifdef OOPS tries++; /* up2date and RHN "how-to" */ #endif #ifdef CAVEAT In the following instructions, I deal with GUI-mode. I would need someone else more familiar with TUI-mode to translate... #endif [0] Get Wolverine on your system via one of the following methods: - Upgrade from 6.2, upgrade from 7.0, or fresh install = CD install (burned from Wolverine ISOs) = Hard-drive-partition install using ISO images = NFS/FTP/HTTP install from network server [2] At first boot, edit the file /etc/sysconfig/rhn/up2date; either - change "useGPG=1" to "useGPG=0" - add a blank line to the end of the file [3] Run "rpm -V up2date" and verify the following line is printed: S.5....T c /etc/sysconfig/rhn/up2date *** If you don't see the above line, it means the up2date config-file *** has not been modified and you should go back to step [2] [3] Login on X (if you haven't already) and run (as root) "up2date -r" - This is an anonymous-registration, which can ONLY be done done with the Wolverine version of up2date. - Press the Cancel button when it first activates [4] Run "ftp" and get the python-xmlrpm rpm $ ftp (using anonymous ftp) ftp> cd redhat/linux/rawhide/i386/RedHat/RPMS ftp> get python-xmlrpc-1.4-1.i386.rpm [5] Either grab the latest up2date and up2date-gnome RPMs from the ftp site (while you're there in step [4]) or get even newer ones from the URL [6] Upgrade your up2date, up2date-gnome, and python-xmlrpc RPMs: $ rpm -Uvh up2date*.rpm python-xmlrpc-1.4-1.i386.rpm [7] Re-run up2date. If you didn't change the useGPG=1 line in step [2] above, you're going to want to invoke it as "up2date --nosig". *That* should (just about) take care of it. Glen -- +===================================================+ | Glen A. Foster Red Hat, Inc. | | 919.547-0012 x415 | +===================================================+
https://listman.redhat.com/archives/wolverine-list/2001-April/msg00347.html
CC-MAIN-2017-17
en
refinedweb
Rendering ASCII Charts with D3 8 min read· A few days ago Bloomberg published their list of 50 companies to watch in 2016, and for some reason they decided to publish the entire report in ASCII! Whatever their reasons for doing so, I really like the result. Now as I developer, when I want to create a chart or visualisation the tool I always reach for is D3, which got me wondering, could D3 be used to create an ASCII chart? A long train journey this morning gave me the opportunity to explore this question, and the answer is ‘yes’! Here’s one of the charts from Bloomberg’s report rendered in ASCII using D3: CHINA IPHONE UNIT SHIPMENTS (FORECAST) Interested in how this works? Then read on … An ASCII Canvas HTML provides a number of different mechanisms for rendering graphics, with the most popular being SVG and Canvas. Unsurprisingly neither of these particularly lend themselves to the task of rendering ASCII graphics. From a quick Google search I did find a few frameworks that provide support for ASCII games but none of these seemed appropriate, so I decided to quickly create my own: function AsciiCanvas(width, height) { var buffer = Array.apply(null, Array(width * height)).map(String.prototype.valueOf, ' '); var self = this; this.render = function() { var stringBuffer = ''; for (var y = 0; y < height; y++) { for (var x = 0; x < width; x++) { stringBuffer += buffer[x + y * width]; } stringBuffer += '\n'; } return stringBuffer; } this.setPixel = function(x, y, char) { x = Math.floor(x); y = Math.floor(y); if (x < 0 || x > width - 1 || y < 0 || y > height - 1) { return; } buffer[x + y * width] = char; } } That was pretty simple! The above code lets you define a canvas which has a single method setPixel for addressing individual pixels: var canvas = new AsciiCanvas(5, 5); canvas.setPixel(3, 4, '#'); canvas.setPixel(2, 2, '-'); With the canvas in place I then set about creating objects that represented simple shapes which could then be rendered against the canvas: function Rectangle(bounds, fill) { fill = fill || '#'; this.render = function(asciiCanvas) { for (var i = bounds.left; i < bounds.right - 1; i++) { for (var j = bounds.top; j < bounds.bottom - 1; j++) { asciiCanvas.setPixel(i, j, fill); } } }; } These shapes provide a much more useable API for rendering ASCII graphics var canvas = new AsciiCanvas(5, 5); var rect1 = new Rectangle({ left: 2, right: 6, top: 2, bottom: 6 }); var rect2 = new Rectangle({ left: 0, right: 4, top: 0, bottom: 4 }, '='); rect1.render(canvas); rect2.render(canvas); console.log(canvas.render()); Which yields the following: === === ===## ### ### So far, so simple. The harder part is working out how to get D3 rendering to this canvas. D3 DOM There are quite a few ways that D3 could be used to render an ASCII chart, the simplest is to just use the D3 scales and array manipulation APIs. My colleague recently demonstrated a similar concept by showing how D3 could be combined with React. However, I personally think the data join is D3’s most powerful feature, it is what allows your documents to be ‘data driven’. I really wanted to use this feature to build my ASCII charts. The ASCII canvas shown above is a form of immediate mode graphics, the shape primitives are throw-away, once used all that remains of them is a collection of pixels. D3 requires a retained mode graphics system in the form of a DOM, which can be HTML or SVG. A potential solution to this problem is to create a DOM structure that represents the ASCII canvas, allowing D3 to operate on the nodes, rendering the result to the AsciiCanvas. With D3 it is possible to create elements with a custom namespace that will be ignored by the browser, Mike Bostock even has a demonstration of how this approach can be used for rendering to a HTML5 canvas. However, there is a significant issue with this approach, whilst you can create these elements by appending them to existing DOM nodes, you cannot use them with a data join: d3.ns.prefix.custom = ''; var canvas = d3.select('#ascii-dom').append('custom:ascii-canvas'); canvas.selectAll('custom:rect') .data(data) .enter() .append('custom:rect'); The above code fails because the custom element does not provide the DOM traversal APIs, such as querySelectorAll, which D3 requires for selectAll among other things. While the idea of defining custom elements for my ASCII canvas sounded quite appealing, It looks like the only solution is to use real DOM (or SVG) nodes. D3FC Charts With D3 and SVG I am now back on familiar territory … The chart at the top of this post is rendered using d3fc, an open source library I have been working on recently. Here’s the code that renders the chart: var data = [ {year: '2014', shipments: 34000000}, {year: '2015', shipments: 49000000}, {year: '2016', shipments: 53000000}, {year: '2017', shipments: 55000000}, {year: '2018', shipments: 57500000}, {year: '2019', shipments: 57700000} ]; var container = d3.select('#ascii-dom'); var bar = fc.series.bar() .xValue(function(d) { return d.year; }) .yValue(function(d) { return d.shipments; }) .decorate(function(sel) { sel.enter().select('path') .attr('ascii-fill', function(d, i) { return d.year === '2015' ? '#' : '=';}); }); var chart = fc.chart.cartesian( d3.scale.ordinal(), d3.scale.linear()) .xDomain(data.map(function(d) { return d.year; })) .yDomain(fc.util.extent().include(0).fields('shipments')(data)) .margin({bottom: 2, right: 5}) .xTickSize(0) .xTickPadding(1) .yTickSize(0) .yTicks(5) .yTickPadding(1) .yTickFormat(d3.format('s')) .yNice() .plotArea(bar); container .datum(data) .call(chart); The code above makes use of a few d3fc components: - bar series - this component renders the bounds data as a series of discrete bars, in the above code you can see that the d3fc decorate pattern is being used to access the underlying data join in order to highlight the data for this year. - cartesian chart - this components combines a pair of scales and axes to create a conventional chart layout. - extent - the fc.util.extentutility function is a useful little component that makes it easier to compute the extent of a scale. The above code is used to render a very small chart: … ready for conversion into ASCII. It is actually a very simple task to convert the SVG into the ASCII canvas shape primitives, D3 can be used to locate the various paths that the bar series generates: var paths = svg.selectAll('.bar path'); paths.each(function() { var rect = new Rectangle(this); rect.render(self); }); The Rectangle can be tweaked slightly to construct it from an SVG element: function getBounds(svgElement) { var bbox = svgElement.getBBox(); var transform = svgElement.getCTM(); return { left: bbox.x + transform.e, right: bbox.x + bbox.width + transform.e, top: bbox.y + transform.f, bottom: bbox.y + bbox.height + transform.f }; } function Rectangle(svgRect) { var bounds = getBounds(svgRect); var fill = svgRect.getAttribute('ascii-fill') || '#'; this.render = function(asciiCanvas) { for (var i = bounds.left; i < bounds.right - 1; i++) { for (var j = bounds.top; j < bounds.bottom - 1; j++) { asciiCanvas.setPixel(i, j, fill); } } } } The getBBox function is used to obtain the bounding box of an SVG element, however this needs to be combined with getCTM which obtains the transformation matrix applied to the element. Notice also that the rectangle fill is obtained via the ascii-fill attributes. Similar logic can be applied to render text or other SVG elements. All that’s left is to hide the SVG which acts as the intermediate form for the ASCII canvas. If you want to play with the code here’s a JSBin. This code is really quite hacky, but it does mean that we have all the power of the d3 data join, combined with the d3fc components - which means that creating charts with animated transitions is really quite straightforward: The above code takes the transitions example from the d3fc example, using requestAnimationFrame to continuously convert the hidden SVG chart into ASCII. There’s a JSBin if you want to play around with this example. So there you have it, ASCII charts rendered using D3. Not terribly useful, but if Bloomberg can do it, then so can I! Although I’ll let you into a little secret, the Bloomberg report might look like ASCII, but for the most-part it’s actually pre-rendered images. Cheats! Regards, Colin E.
http://blog.scottlogic.com/2015/11/18/d3-ascii.html
CC-MAIN-2017-17
en
refinedweb
Ok guys so i am trying to create 2 versions of a program which sorts items into boxes. The first version i have to create puts the item weights (integer between 1 and 20) into the first "box" they will fit into. So given the input 11,17,3,5,4 the list the program would out put would be 19,17,4. This version i have working fine. The next version has to put the integers into the boxes in which they will fit best. The code is exactly the same as my first version except i have changed the function which calculates which list item to add the weight to. Basically i have changed the function however is still gives the same output as the first version, i know its somewhere in the function im going wrong, just hoping a fresh pair of eyes could give it the once over and help me out, thanks a million. def findcontainer(conweights, itemweight): count = 0 gcount = 0 greatest = itemweight while count < len(conweights): if conweights[count] + itemweight >= greatest and conweights[count] + itemweight <= 20: greatest = conweights[count] + itemweight gcount = count return gcount count = count + 1 return -1 containerweights = [] itemweightlist = [] serial = [] itemweight = input("Please enter the first item weight. Enter zero to end.") while itemweight != 0: if findcontainer(containerweights, itemweight) != -1: containerweights[findcontainer(containerweights, itemweight)] = containerweights[findcontainer(containerweights, itemweight)] + itemweight elif findcontainer(containerweights, itemweight) == -1: containerweights = containerweights + [0] containerweights[findcontainer(containerweights, itemweight)] = containerweights[findcontainer(containerweights, itemweight)] + itemweight itemweightlist = itemweightlist + [itemweight] itemweight = input("Please enter the next item weight. Enter zero to end.") count = 0 while count < len(itemweightlist): print "Item", (count + 1),",", "Weight", itemweightlist[count],":", "Container" count = count + 1 print "Container Weights:", containerweights thanks again
https://www.daniweb.com/programming/software-development/threads/329310/need-help-with-knapsack-style-problem-please-thanks
CC-MAIN-2017-17
en
refinedweb
ManagementDateTimeConverter.ToDmtfDateTime Method System.ManagementSystem.Management Assembly: System.Management (in System.Management.dll) Parameters - date - Type: System.DateTime A DateTime representing the datetime to be converted to DMTF datetime. Return ValueType: System.String A string that represents the DMTF datetime for the given DateTime. Date and time in WMI is represented in DMTF datetime format. This format is explained in WMI SDK documentation. The DMTF datetime string represented will be with respect to the UTC offset of the current time zone. The lowest precision in DMTF is microseconds; in DateTime, the lowest precision is Ticks, which are equivalent to 100 nanoseconds. During conversion, Ticks are converted to microseconds and rounded off to the nearest microsecond. .NET Framework Security Full trust for the immediate caller. This member cannot be used by partially trusted code. For more information, see Using Libraries from Partially Trusted Code. The following example converts a given DateTime to DMTF datetime format. using System; using System.Management; // The sample below demonstrates the various conversions // that can be done using ManagementDateTimeConverter class class Sample_ManagementDateTimeConverterClass { public static int Main(string[] args) { string dmtfDate = "20020408141835.999999-420"; string dmtfTimeInterval = "00000010122532:123456:000"; // Converting DMTF datetime to System.DateTime DateTime dt = ManagementDateTimeConverter.ToDateTime(dmtfDate); // Converting System.DateTime to DMTF datetime string dmtfDateTime = ManagementDateTimeConverter.ToDmtfDateTime(DateTime.Now); // Converting DMTF time interval to System.TimeSpan System.TimeSpan tsRet = ManagementDateTimeConverter.ToTimeSpan(dmtfTimeInterval); //Converting System.TimeSpan to DMTF time interval format System.TimeSpan ts = new System.TimeSpan(10,12,25,32,456); string dmtfTimeInt = ManagementDateTimeConverter.ToDmtfTimeInterval(ts);.
https://msdn.microsoft.com/en-us/library/system.management.managementdatetimeconverter.todmtfdatetime(v=vs.100).aspx
CC-MAIN-2017-17
en
refinedweb
Getting Started - Your First Java Program You should have already installed Java Development Kit (JDK) and wrote a Hello-world program. Otherwise, Read "How to Install JDK". Let us revisit the Hello-world program that prints a message "Hello, world!" to the display console. Step 1: Write the Source Code: Enter the following source codes, which defines a class called " Hello", using a programming text editor (such as TextPad or NotePad++ for Windows; jEdit or gedit for Mac OS X; gedit for Ubuntu).". Filename and classname are case-sensitive. Step 2: Compile the Source Code: Compile the source code " Hello.java" into Java bytecode " Hello.class" using the JDK Compiler " javac". Start a CMD Shell (Windows) or Terminal (UNIX/Linux/Mac OS X) and issue these commands: // Change directory (cd) to the directory containing the source code "Hello.java" javac Hello.java Step 3: Run the Program: Run the program using Java Runtime " java", by issuing this command: java (Single-Line) Comment: begins with //and lasts until the end of the current line (as in Lines 4, 5, and 6). public class Hello { ...... } The basic unit of a Java program is a class. A class called " Hello" is defined via the keyword " class" in Lines 4-8. The braces {......} encloses the body of the class. In Java, the name of the source file must be the same as the name of the class with a mandatory file extension of " .java". Hence, this file MUST be saved as " Hello.java", case-sensitive. public static void main(String[] args) { ...... } Lines 5-7 defines the so-called main() method, which is the entry point for program execution. Again, the braces {......} encloses the body of the method, which contains programming statements. System.out.println("Hello, world!"); In Line 6, the programming statement System.out.println("Hello, world!") is used to print the string "Hello, world!" to the display console. A string is surrounded by a pair of double quotes and contain texts. The text will be printed as it is, without the double quotes. A programming statement ends with a semi-colon ( ;). Java Terminology and Syntax /* and ends with */, and may span multiple lines. An end-of-line (single-line) comment begins with // and lasts till the end of the current line. Comments are NOT executable statements and are ignored by the compiler. But they provide useful explanation and documentation. I strongly suggest that you write comments liberally to explain your thought and logic. Statement: A programming statement performs a single piece of programming action. It is terminated by a semi-colon ( ;), just like an English sentence is ended with a period, as in Lines 6. Block: A block is a group of programming statements enclosed by a pair of braces {}. This group of statements is treated as one single unit. There are two blocks in the above program. One contains the body of the class Hello. The other contains the body of the main() method. There is no need to put a semi-colon after the closing brace. Whitespaces: Blank, tab, and newline are collectively called whitespace. Extra whitespaces are ignored, i.e., only one whitespace is needed to separate the tokens. Nonetheless, extra whitespaces improve the readability, and I strongly suggest you use extra spaces and newlines liberally. Case Sensitivity: Java is case sensitive - a ROSE is NOT a Rose, and is NOT a rose. The filename is also case-sensitive.. Provide comments in your program! Output via System.out.println() and System.out.print() You can use System.out.println() (print-line) or System.out.print() to print message to the display console: System.out.println(aString)(print-line) prints the given aString, and advances the cursor to the beginning of the next line. System.out.print(aString)prints aString but places the cursor after the printed string. Try the following program and explain the output produced: The expected outputs are: Hello, world! Hello, world!Hello, world!Hello, world! Exercises - Print each of the following patterns. Use one System.out.println(...)(print-line) statement for each line of outputs. * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * (a) (b) (c) Let's Write a Program to Add a Few Numbers Let us write a program to add five integers and display their sum, as follows: The expected output is: The sum is 165 How It Works? int number1 = 11; int number2 = 22; int number3 = 33; int number4 = 44; int number5 = 55; These five statements declare five int (integer) variables called number1, number2, number3, number4, and number5; and assign values of 11, 22, 33, 44 and 55 to the variables, respectively, via the so-called assignment operator '='. You could also declare many variables in one statement separated by commas, e.g., int number1 = 11, number2 = 22, number3 = 33, number4 = 44, number5 = 55; int sum; declares an int (integer) variable called sum, without assigning an initial value. sum = number1 + number2 + number3 + number4 + number5; computes the sum of number1 to number5 and assign the result to the variable sum. The symbol ' +' denotes arithmetic addition, just like Mathematics. System.out.print("The sum is "); System.out.println(sum); Line 13 prints a descriptive string. A String is surrounded by double quotes, and will be printed as it. What is a Program? A program is a sequence of instructions (called programming statements), executing one after another in a predictable manner. Sequential flow is the most common and straight-forward, where programming statements are executed in the order that they are written - from top to bottom in a sequential manner, as illustrated in the following flow chart. Example The following program prints the area and circumference of a circle, given its radius. Take note that the programming statements are executed sequentially - one after another in the order that they were written. The expected outputs are: The radius is 1.2 The area is 4.523893416 The circumference is 7.5398223600000005 How It Works? double radius, area, circumference; declare three double variables radius, area and circumference. A double variable can hold a real number (or floating-point number, with an optional fractional part). final double PI = 3.14159265; declare a double variables called PI and assign a value. PI is declared final, i.e., its value cannot be changed. radius = 1.2; assigns a value (real number) to the double variable radius. area = radius * radius * PI; circumference = 2.0 * radius * PI; compute the area and circumference, based on the value of radius and PI. System.out.print("The radius is "); System.out.println(radius); System.out.print("The area is "); System.out.println(area); System.out.print("The circumference is "); System.out.println(circumference); print the results with proper descriptions. Take note that the programming statements inside the main() method). What is a Variable? Computer programs manipulate (or process) data. A variable is a storage location (like a house, a pigeon hole, a letter box) that stores a piece of data for processing. It is called variable because you can change the value stored inside. More precisely, a variable is a named storage location, that stores a value of a particular data type. In other words, a variable has a name, a type and stores a value of that type. - A variable has a name (aka identifier), e.g., radius, area, age, height. The name is needed to uniquely identify each variable, so as to assign a value to the variable (e.g., radius = 1.2), as well as to retrieve the value stored (e.g., radius * radius * 3.14159265). - A variable has a type. Examples of type are: int: meant for integers (or whole numbers or fixed-point numbers), such as 123and -456; double: meant for floating-point numbers or real numbers, such as 3.1416, -55.66, having an optional decimal point and fractional part. String: meant for texts such as "Hello", "Good Morning!". Strings shall be enclosed with a pair of double quotes. - A variable can store a value of the declared type. It is important to take note that a variable in most programming languages is associated with a type, and can only store value of that particular type. For example, a intvariable can store an integer value such as 123, but NOT (which includes integer as a special form of real number); a String variable stores texts. Declaring and Using Variables To use a variable, you need to first declare its name and type, in one of the following syntaxes: type varName; // Declare a variable of a type type varName1, varName2,...; // Declare multiple variables of the same type type varName = initialValue; // Declare a variable of a type, and assign an initial value type varName1 = initialValue1, varName2 = initialValue2,... ; // Declare variables with initial values For examples, int sum; // Declare a variable named "sum" of the type "int" for storing an integer. // Terminate the statement with a semi-colon. double average; // Declare a variable named "average" of the type "double" for storing a real number. int number1, number2; // Declare 2 "int" variables named "number1" and "number2", separated by a comma. int height = 20; // Declare an "int" variable, and assign an initial value. String msg = "Hello"; // Declare a "String" variable, and assign an initial value. Take note that: - Each variable declaration statement begins with a type name, and works for only that type. That is, you cannot mix 2 types in one variable declaration statement. - Each statement is terminated with a semi-colon ( ;). - In multiple-variable declaration, the names are separated by commas ( ,). - The symbol '=', known as the assignment operator, can be used to assign an initial value to a variable. More examples, 2 int variables in one statement, separated by a comma. double radius = 1.5; // Declare a variable named "radius", and initialize to 1.5. String msg; // Declare a variable named msg of the type "String" msg = "Hello"; // Assign a double-quoted text string to the String variable. int number; // ERROR: A variable named "number" has already been declared. sum = 55.66; // ERROR: The variable "sum" is an int. It cannot be assigned a double. sum = "Hello"; // ERROR: The variable "sum" is an int. It cannot be assigned a string. Take note that: - Each variable can only be declared once. (You cannot have two houses with the same address.) - In Java, you can declare a variable anywhere inside your program, as long as it is declared before it is being used. - Once a variable is declared, you can assign and re-assign a value to that variable, via the assignment operator '='. - Once the type of a variable is declared, it can only store a value of that particular type. For example, an intvariable can hold only integer such as 123, and NOT floating-point number such as -2.17or text string such as "Hello". - Once declared, the type of a variable CANNOT be changed. x=x+1? Assignment in programming (denoted as '=') is different from equality in Mathematics (also denoted as '='). E.g., " x=x+1" is invalid in Mathematics. However, in programming, it means compute the value of x plus 1, and assign the result back to variable x. "x+y=1" is valid in Mathematics, but is invalid in programming. In programming, the RHS (Right-Hand Side) of '=' has to be evaluated to a value; while the LHS (Left-Hand Side) shall be a variable. That is, evaluate the RHS first, then assign the result to LHS. Some languages uses := as the assignment operator to avoid confusion with equality. Basic Arithmetic Operations The basic arithmetic operations are: Addition, subtraction, multiplication, division and remainder are binary operators that take two operands (e.g., x + y); while negation (e.g., -x), increment and decrement (e.g., ++x, --x) are unary operators that take only one operand. Example The following program illustrates these arithmetic operations: The expected outputs are: The sum, difference, product, quotient and remainder of 98 and 5 are 103, 93, 490, 19, and 3 number1 after increment is 99 number2 after decrement is 4 The new quotient of 99 and 4 is 24 How It Works? int number1 = 98; int number2 = 5; int sum, difference, product, quotient, remainder; declare all the variables number1, number2, sum, difference, product, quotient and remainder needed in this program. All variables are of the type int (integer)."); // Print text string "sum" - as it is System.out.println. System.out.println("number1 after increment is " + number1); System.out.println("number2 after decrement is " + number2); print the new values stored after the increment/decrement operations. Take note that instead of using many print() statements as in Lines 18-31, we could simply place all the items (text strings and variables) into one println(), with the items separated by '+'. In this case, '+' does not perform addition. Instead, it concatenates or joins all the items together. Exercises - Combining Lines 18-31 expected output is: The sum from 1 to 1000 is 500500 How It Works? int lowerbound = 1; int upperbound = 1000; declare two int variables to hold the upperbound and lowerbound, respectively. int sum = 0; declares an int variable to hold the sum. This variable will be used to accumulate over the steps in the repetitive loop, and thus initialized to 0. int number = lowerbound; while (number <= upperbound) { sum = sum + number; ++number; } This is the so-called while-loop. A while-loop takes the following syntax: initialization-statement; while (test) { loop-body; } next-statement; As illustrated in the flow chart, the initialization statement is first executed. The test is then checked. If 17). statement.) Conditional (or Decision) What if you want to sum all the odd numbers and also all the even numbers between 1 and 1000? There are many ways to do this. You could declare two variables: sumOdd and sumEven. You can then use a conditional statement to check whether the number is odd or even, and accumulate the number into the respective sums. The program is as follows: The expected outputs are: The sum of odd numbers from 1 to 1000 is 250000 The sum of even numbers from 1 to 1000 is 250500 The difference between the two sums is -500 How It Works? int lowerbound = 1, upperbound = 1000; declares and initializes the upperbound and lowerbound. int sumOdd = 0; int sumEven = 0; declare two int variables named sumOdd and sumEven and initialize them to 0, for accumulating the odd and even numbers, respectively. if (number % 2 == 0) { sumEven += number; } else { sumOdd += number; } This is a conditional statement. The conditional statement can take one these forms: if-then or if-then-else. >>IMAGE or modulus operator (%) to compute the remainder of number divides by 2. We then compare the remainder with 0 to test for even number. Furthermore, sumEven += number is a shorthand for sumEven = sumEven + Java,.) More on-5) where e or E denote the exponent of base 10. Example The expected outputs are: 37.5 degree C is 99.5 degree F. 100.0 degree F is 37.77777777777778 degree C. Mixing int and double, and Type Casting Although you can use a double to keep an integer value (e.g., double count = 5.0, as floating-point numbers includes integers as special case), you should use an int for integer, as int is far more efficient than double, in terms of running time, accuracy and storage requirement.'s produce an int; while arithmetic operations of two double's produce a double. Hence, 1/2 → 0(take that this is truncated to 0, not 0.5) examples, int i = 3; double d; d = i; // 3 → 3.0, d = 3.0 d = 88; // 88 → 88.0, d = 88.0 double nought = 0; // 0 → 0.0; there is a subtle difference between int 0 and double 0.0 However, you CANNOT assign a double value directly to an int variable. This is because the fractional part could be lost, and the Java compiler signals an error in case that you were not aware. For example, double d = 5.5; int i; i = d; // error: possible loss of precision i = 6.6; // error: possible loss of precision Type Casting Operators To assign an double value to an int variable, you need to explicitly invoke a type-casting operation to truncate the fractional part, as follows: (new-type)expression; For example, double d = 5.5; int i; i = (int) d; // Type-cast the value of double d, which returns an int value, // assign the resultant int value to int i. // The value stored in d is not affected. i = (int) 3.1416; // i = 3 value of 5 and returns 5.0 (of type double). Example Try the following program and explain the outputs produced: The expected output are: The sum from 1 to 1000 is 500500 Average 1 is 500.0 <== incorrect Average 2 is 500.5 Average 3 is 500.0 <== incorrect Average 4 is 500.5 Average 5 is 500.0 <== incorrect The first average is incorrect, as int/int produces an int (of 500), which is converted to double (of 500.0) to be stored in average (of double). For the second average, the value of sum (of int) is first converted to double. Subsequently, double/int produces. Take note that 1/2gives 0, but 1.0/2gives 0.5. Try computing the sum for n=1000, 5000, 10000, 50000, 100000. Hints: public class HarmonicSeriesSum { // Saved as "HarmonicSeriesSum.java" public static void main (String[] args) { int numTerms = 1000; double sum = 0.0; // For accumulating sum in double int denominator = 1; while (denominator <= numTerms) { // Beware that int/int gives int ...... ++denominator; // next } // Print the sum ...... } } - Modify the above program (called GeometricSeriesSum) to compute the sum of this series: 1 + 1/2 + 1/4 + 1/8 + ....(for 1000terms). Hints: Use post-processing statement of denominator *= 2, which is a shorthand "Java References & Resources"
http://www3.ntu.edu.sg/home/ehchua/programming/java/J1a_Introduction.html
CC-MAIN-2017-17
en
refinedweb
An assembly is first and foremost a deployment unit, they should normally be used to group code that works together and is deployed together or putting it the other way around, they are used to split code that may not be deployed together. There are reasons to split code between multiple assemblies even if you intend to deploy them together but these are exceptions to the rule. I would see independent versioning requirements as one possible exceptional reason. What you really shouldn’t do is create assemblies just for the sake of splitting your code for cosmetic reasons. I’m not saying that you shouldn’t organize your code, just saying there are better tools for that job. In this case, that would be namespaces alongside project folders and while on the subject of namespaces, another thing that really does not make any sense is to try to have a single namespace per assembly. If you’re down that path, take a step back cause you’re doing it wrong… I saw, more than one time, .NET solutions suffer from this assembly explosion and quickly escalating to the hundreds of assemblies for something that it sure as hell wasn’t that complex and where 80% of the assemblies end up being deployed together due to a high level of dependencies. However, you also need to avoid doing the opposite and cram everything in a single assembly. As pretty much everything in software development the correct answer depends on many things specific to the scenario at hand. Be conscious of your decisions and why you make them.
https://exceptionalcode.wordpress.com/2014/11/25/a-different-kind-of-assembly-hell/
CC-MAIN-2017-17
en
refinedweb
"Invalid IL code ... method body is empty" when using fallthrough case in switch statement. This is a sibling of the earlier bug 21805. I'm not sure if this situation is specifically mentioned in the C# specification, so the current behavior might not necessarily be "wrong." ## Steps to reproduce 1. Compile the following program using `mcs`: using System; public enum Foo { One, Two }; class MainClass { public static void Main(string[] args) { const Foo foo = Foo.Two; object obj; switch (foo) { case Foo.One: case Foo.Two: obj = new object(); break; } Console.WriteLine(obj.ToString()); } } 2. Run the program with `mono`. ## Result when compiled with `mcs` ### Command-line output from step 2 > $ mono Program.exe > Unhandled Exception: > System.InvalidProgramException: Invalid IL code in MainClass:Main (string[]): method body is empty. > > [ERROR] FATAL UNHANDLED EXCEPTION: System.InvalidProgramException: Invalid IL code in MainClass:Main (string[]): method body is empty. ## Result when compiled with `csc` > $ mono Program.exe > System.Object ## Additional result (same on both `mcs` and `csc`) If you remove `const` from the `foo` local variable, both compilers reject the code due to "Use of unassigned local variable 'obj'". Since `csc` has the same behavior as `mcs` in this "additional" case, the only issue with `mcs` is when `foo` is *not* marked `const`. ## Version Information Tested with Mono 3.10.0 (detached/ac51002) and 3.10.1 (master/4e3ca74). Fixed in master
https://bugzilla.xamarin.com/show_bug.cgi?id=23475
CC-MAIN-2017-43
en
refinedweb
A namespace for utility functions that probe system properties. Return the CPU load as returned by "uptime". Note that the interpretation of this number depends on the actual number of processors in the machine. This is presently only implemented on Linux, using the /proc/loadavg pseudo-file, on other systems we simply return zero. Definition at line 620 of file utilities.cc. Fills the stats structure with information about the memory consumption of this process. This is only implemented on Linux. Definition at line 629 of file utilities.cc. Return the name of the host this process runs on. Definition at line 662 of file utilities.cc. Return the present time as HH:MM:SS. Definition at line 676 of file utilities.cc. Return the present date as YYYY/MM/DD. MM and DD may be either one or two digits. Definition at line 691 of file utilities.cc. Call the system function posix_memalign, or a replacement function if not available, to allocate memory with a certain minimal alignment. The first argument will then return a pointer to this memory block that can be released later on through a standard free call. Definition at line 706 of file utilities.cc.
http://www.dealii.org/developer/doxygen/deal.II/namespaceUtilities_1_1System.html
CC-MAIN-2017-43
en
refinedweb
>>" What do they mean? (Score:3, Interesting).... Dude, You're Stuck With a Dell (Score:3, Interesting) Then again, maybe Dell was looking for a way to stop selling OS-less PCs without incurring the wrath of Linux-zealots, and chose to blame MS. I would not be suprised.... This is what essentially killed Be (Score:4, Interesting) Scott Hacker has a great column on this called He Who Controls the Bootloader [byte.com]. Opt out (Score:2, Interesting) But surely I must be able to legally opt out of the EULA by returning the sealed agreement. If there is a license agreement then there MUST be an opt-out mechanism of some sort. Or would you have to return the whole computer ! I imagine if 1% of slashdot readers bought a Dell (or other brand) read and refused the terms in the EULA and asked to return the machine/software Dell and others would get the point and force the issue with MS. We just bought HP for linux 9i RAC (Score:2, Interesting) Re:Dude, you're getting a Mac (Score:5, Interesting) Hmmm. I guess that Microtel OS-less box I bought from WalMart really had a super-secret invisible Windows XP partition... There are alternatives and they do not all come from Apple. As disturbing as this may be... (Score:1, Interesting) Let's face it, most of the people who go out and purchase computers utilize Microsoft products do so because they feel that is the only way to go. I fail to see why people are getting nervous and acting like this is shocking or something. What exactly did we expect from Microsoft? From Dell? Did we expect Microsoft to sit back while manufacturers started toying with an alternative which they feel threatens them? It is our job, as Open Source, and *IX users, to educate our customers, family, and friends. Tell them that there are alternatives, and support them where they may roam. I expect another "0" for my rambling, moderators.. Dell From Hell! (Score:2, Interesting) Then I calmly stated that "you're going to have a lot of backlash from this decision. People wont like this. You're going to lose a lot of POENTIAL future customers because of this!" To which he again reiterated his previous stance "Well we just wont know what we missed, will we? We don't have any trouble selling systems with Microsoft software installed".... I suppose that this is truly a match made in HELL! Arrogant, greedy, self righteous fucking bastards! As the owner of a small business that's about to become quite large I say "FUCK YOU DELL AND MICROSOFT!!!" My corporate policy is NEVER USE MICROSOFT OR DELL PRODUCTS! These are truly evil enterprises! P.S. Have a lovely Open Source Day...Share your FREE as in FREEDOM Open Source Love Today. 10 Ways To Revolt. (Score:0, Interesting) It's simple, really. If you want to undermine Microsoft, pirate the hell out of their products, and direct people to the alternatives. It's the American way to express your dissatisfaction with a company. When it's clear who's pocket your elected officials are in, you have a God-given right to revolt. 1) A bootable Linux CD and a few drops of krazy-glue on the spindle hub makes any PC a permanent Linux box. 2) Alt-S, Up Arrow, Enter, CMD, Enter, del c:\winnt\explorer.exe, Enter. bye-bye Windows. 3) Find a list of elected officials' email addresses. Send them an email describing "a new game I hope you enjoy it." 4) Linux-on-a-floppy, and a tap of the reset button. 5) Point people to OpenOffice, not MS Office. 6) Microsoft has a nice "automatic update" feature. It would be nice if we could back-engineer this to introduce an update to Linux. 7) Burn, And Share. 8) The going rate for Microsoft exploits is about 2:1 9) The Trojans knew what they were doing when they climbed inside the horse. Do you? 10) Charity overpowers Greed, and Generosity is a virtue. Re:Monopoly (Score:2, Interesting) There is a path from many word processing programs and versions to the latest Microsoft version so people are encouraged to upgrade. These people that upgrade then send out files they saved using the default settings and find that no one can read them. Now everyone else has to upgrade also to read these formats. Come on. There is absolutely no need to break compatibility with each advancing version of a word processor. There is no grand new feature that requires a new file format. 99%* of all word processor users could still use Word 4.3 or some other product if not for incompatible file formats. * 98% of all statistics are made up on the spot.:Monopoly (Score:2, Interesting) Four years back when trying to buy systems without OFFICE, I went to the "big three" (Dell, Gateway, and Micron) asking each one if they would drop Office and add WordPerfect because we were a WordPerfect shop. None of them would do it. Gateway offered to purchase WP for us on the "open market". The other two refused. I asked each sales rep why and each one of them reponded: "Because of agreements with Microsoft". There was a parody of Richard Nixon awhile back in which "Nixon" said: "Once you have them by the balls, their hearts and mind will surely follow". MS is no different and very Machiavellian. Machiavellian money talks. I pay my taxes but get a lame DOJ. Just ask me if I'm feeling alienated by this government. Tux is making his way into our organization and the sooner the better.... woah there, come back on track (long) (Score:1, Interesting) Of course they only care about making as much money as possible. The problem is, that people do not admit this and use the system like it should. They try to 'bring knives to a gun fight' and end up only cutting themselves. Instead of running to the government, hurt them where it will matter. As you said, they are often above the law and until that changes you must focus on real results. People that stand around and bitch, but then support things are pathetic and not worthy of calling themselves Americans. (if you are not an American, this is no matter anyway :) As far as paying taxes "to support the public that gave said entity the right to exist?" Well, you are right that many companies enjoy a Corporate Welfare that hard working people do not get (tax breaks, yet federally funded projects and then reaping all the profits themselves) That is another example of a knife in a gun fight. Our economy is not built for that, just look at loans banks, capital investors and stock. It is ok (if it is in the deal) if someone voluntarily gives money to support some company or organization. They expect something in return. In the case of philanthropy, that is not an economic return (not directly). In a regular company you expect your money back, and normally with interest (term loosely applied since it depends on the type of transaction like loan or stock (dividends or not)). The point of this is that even though the companies are often exempt from what you or I have to suffer, that does not then mean that what you and I are suffering is the lowest common denominator required for a working civilization. Perhaps by removing the tax funded support of companies (i.e. involuntary (read: theft) money exchange) this will help a bit. Everyone needs to stop being like little wasps and buzzing all around in chaos, only to bite/sting anything that gets in their way. Put your vote where it counts... NOT in politicians but in your choice granted in this economy. Or... you can choose to give up that right and let some grayhairs make it for you and have even more problems but now with _NO_ option for recourse or choice in the matter. However, don't let this make you think I am in any way a fan of the leeway that corporations have now. Small business (or just any company that has scrupples and doesn't steal, cheat and lie) can really get the shaft from the way the lawyers have made things. Example: A large grocery chain goes bankrupt, but this of course takes time to be completed (don't remember which chapter exactly). This news comes as no surprise to many who knew that the main issue with this company, like so many others who put bureaucracy and blind policy in front of results, is innefficiency and waste in a 'breaking from its own weight' method. Said company owes many people money obviously, and attempts to liquidate its assets. Now comes the fun part! Because of the way laws are written and applied, the grocery chain decides it is in its best interest to not accept certain offers to sell parts of itself to either non-bankruptcy parties or as a liquidation and settling method with concerned parties. Why? Well lets just put it this way, you know how government agencies will often have a problem where due to their uncharacteristically efficient and thus ethical and American (as in concerned about being responsible stewards of tax payers' money) practices, they end up way under budget (includes done early). Well, their reward is less funding next year where it might actually be needed. So, with full knowledge by all parties, they basically blow the remaining money and are then rewarded with the same amount, and perhaps more if spent just right. Or another example: lets take a person who has 3 kids that supply her with some valuable foodstamps that are translated into beer, cigarettes and the like (don't comment if you don't know... I happen to have detailed knowledge of this first hand and it is NOT an urban legend). Now if she takes a job down at the local Sears, she will loose her welfare. So what that some hard working mother of 3 has taken the job and does her best to make ends meet... she is 'just a chump'. Well, these situations are like the corporate welfare system discussed above. Back to my original story now! The grocery chain now is in a very lucrative deal in which they do not have to pay off their debt, the stores and other assets just rot, and many people are now out of work. Did I mention that their lenders don't get their money back? More on that later. Next, we find that the higher executives are taking advantage of this great time to buy up things like cars, real estate and such either from scratch, or are merely transfering ownership into their names from previous company assets. Where does this money come from to pay for this stuff, you ask? Well it can get complicated a bit and confusing a LOT, but suffice it to say that magically even MORE people are screwed out of money they expect (like local car dealerships, banks, investors, stores, etc). Now the final blow... as it stands, the company known as 'the grocery chain' is as mentioned by others before held accountable as an individual. This means that after the judgement is rendered, it will be rather difficult for them to gather assets from others in loans and such. However! The individuals who where the brain of this (the decision makers) are not generally held accountable. Their personal assets are theirs, not to be liquidated in the name of the company problem. Yes SIR! that does indeed include the cars, houses, land, livestock etc that was basically purchased in so much a fashion that makes dot com stock buyouts seem a good thing. This means that the people and organizations that in a contractual agreement to exchange goods or services for other goods or services (money in this case) are screwed as much as if someone directly stole from their lot. Yet this is PERFECTLY LEGAL! Now that part about paying debt? Well that was a two-part'er. First part is covered, being that of the ability to legally steal from others that you morally, ethically and legally agreed. (somewhere there are rather honorable people who founded this country spinning in their graves) The second part is this question: Would this same situation even be remotely possible if the borrower was in fact an individual or small organization? Meaning, would the individual get the same legal protection not only from debt, but all legal responsibility, record marring and even make out like a (dare I say) bandit that GAINS money or goods from this? Anyone check the Dell site? (Score:2, Interesting) Look at it this way: If Soft didn't encourage the volume demand for PC's, the Internet would still be an academic curiosity and Linux wouldn't exist. Can Soft stop me from running Linux on any of my machines? Obviously not, it takes me about a minute to switch disks, so how exactly does that make Soft a monopoly? "But what about IE?" Never stopped me from downloading the free version of Netscape. FWIW, my guess is that eBay gets a call from the DOJ people in a few years. If eBay is smart, the attys are working on a response today. What's that flaming thing heading this way?!? Re:Monopoly (Score:1, Interesting) Spoken like someone quoting from slash meme instead of having lived through using these packages during the times you write. I used Wordperfect 5.1 for work back then, and I remember when Wordperfect was ported to Windows. It lost out NOT because it was slower than Word, but because it was a miserable port with a lousy user-interface and all the baggage of the DOS versions, like a user interface that didn't match Windows, and they kept their custom printer drivers and fonts instead of using the Windows systems. Wordperfect lost because they didn't understand the paradigm changes going on and tried to fake it; not because Microsoft leveraged their hidden faster API:Monopoly (Score:2, Interesting) Second, what exactly defines an "evil" company? One that dares to challenge the established world of the computer science elites? Or simply one that happens to be innovative and successful? Using this standard of measure, then, most well-known products would come from an "evil" company. Third, examine the alternatives to a Microsoft OS or MS based system. For the causal home user, one finds that the dominance of Windows has nothing to do with Microsoft distribution practices. Here's the home PC alternatives to Windows: Macintosh - good machine, stable OS - however, not a good deal of software choices, and those that do exist are maddeningly expensive. Linux - If you're a computer scientist, no problem. However, your average user does not want to deal with that much hassle everyday. BeOS/OS2/etc. - Incompatible with majority of other systems; lack of software for platforms; no longer exists, etc. If MS's dominance in the home PC market is to be diminshed, someone has to develop a product that can actually compete with Windows - instead of running to the Justic Department everytime someone else makes a better product. Now, for business-, and especially government-based systems, any argument that MS has a monopolistic dominance there has no solid foundation in fact. Yet, even here MS software has an advantage over its counterparts. Many businesses and government agencies employ UNIX (usually some version of Sun's Solaris breed) as a standard as opposed to MS's Windows NT/2000. Now, granted that WinNT required a maturation period (as did UNIX in the 1970s/early 1980s), from a performance and functionality perspective, one can get just about the same results from Windows 2000 or a Solaris system. The difference to a business, however, is productivity and cost. To build a mainframe system, Sun can charge tens to hundreds of thousands of dollars. Microsoft's Win2K? Just a few thousand with all the bells and whistles. As far as development goes, It is clearly more cost-effective to develop software on a Windows platform than a UNIX system for 4 reasons: 1) The process is faster under windows - researching, development, coding, and testing are done far faster with MS tools than in a UNIX environment. 2) There are more resources available - Many more people can develop in, and/or administrate Windows systems than UNIX systems. 3) The cost of development tools is far lower for MS systems, even with MSDN support, than for UNIX systems. 4) There is a greater base of third-party development in existence for MS tools and systems than for any UNIX brand. Therefore it stands to reason that it is the product, that has generated Microsoft's success. The only "evil" out there is born of envy - either from other, less successful (but sneakier) corporations, or from socialist politicians who see nothing but deep pockets..
https://slashdot.org/story/02/08/10/1420208/dell-no-longer-selling-systems-wo-microsoft-os/interesting-comments
CC-MAIN-2017-43
en
refinedweb
Source: Baidu "Double anti-investigation" Restart As early as Dec. 2010, China had once launched "double anti-investigation" (anti-dumping and anti-subsidy investigations) into American DDGS. But due to some constraints, the investigation was terminated in June 2012. And there was no clear conclusion about whether American DDGS are dumped into the Chinese market. This year, China had launched another "double anti-investigation" into American DDGS (HS code: 23033000). On 12 Jan., 2016, the MOC officially announced the "double anti-investigation" on it. The industrial injury investigation period lasted from 1 Jan., 2012 to 30 Sept., 2015 and the dumping and subsidy investigation period was from 1 Oct., 2014 to 30 Sept., 2015. Generally speaking, import volume of DDGS will substantially decline during the investigation period, just like the case in 2011. In Jan.-May 2016, merely 1.30 million tonnes of DDGS were imported into China, down by 11.97% YoY, according to China Customs. If the anti-dumping action is launched and anti-dumping duty is levied, its import volume will further decline. China's import volume of DDGS, Jan. 2012-June 2016 Source: China Customs Counterattack of China’s DDGS Chinese DDGS market has been long dominated by imported DDGS, due to its high quality and not high price. In 2015, a 70%+ market share was occupied by imported DDGS. Specifically, the US is the major import origin. Compared to domestic ones, American DDGS has richer fat and less mycete: 10% of fat on average, vs. 4-10% in domestic ones (percentage varies between different manufacturers), according to CCM's research. What’s more, the level of aflatoxin in China’s DDGS has long been a main restriction for its promotion. With higher quality under similar price, imported DDGS is more popular in China, especially in feed industry. According to CCM's price monitoring, as of August, the ex-work price of domestic DDGS (24% protein, 10% fat) is at about USD271 .59/t while the price of imported DDGS (26% protein, 1 0% fat) at around USD301 .76/t (RMB2,000/t). If China officially launches anti-dumping actions on imported DDGS, domestic DDGS is very likely to take over the market. Severe threat from corn Apart from China’s DDGS, other substitutes like corn also will make a threat to the imported DDGS. Around last August, the news about the cancellation of the policy of temporary purchase and storage of corn in China was inundated with market. This April, China officially cancelled this eight-year-old policy in order to ease the enormous stock of 250 million tonnes of corn. Subsequently, the price of corn dropped quickly. Take the FOB corn price in Dalian port as example, its price fell from USD405/t in June 2015 to USD300/t recently. Since corn is an important feed ingredient, the large fall of its price challenges a lot on other feed substitutes. At present, China’s main imported feed ingredients (the substitute of corn) include DDGS, Sorghum and Barley. According to the data in H1 2016, the import volume of them experienced a drastic fall compared with that in H1 2015. China's import volume of DDGS, Sorghum and Barley in H1 2015 and H1 2016 What’s more, CCM thinks that the price of corn is supposed to drop further thanks to more stock corn being auctioned and the supply of new corn, thus making bigger impact on other import feed ingredients, including import DDGS. More related information.
http://eshare.cnchemicals.com/publishing/home/2016/09/02/2095/import-ddgs-may-get-fatal-hit.html
CC-MAIN-2017-43
en
refinedweb
0 so i got finally done with make my player move right and left, and 1st level. now i want to make my player shoot bullets. i kind of now logic behind it but i need some help. and please let me know if you have a better method of bullet class. my plan: 1)create bullet class - done 2)when user hit space bar add bullet in arraylist - i think iam done not sure 3)print arraylist in paint method - need help bullet.java public class bullet { private int x, y; private int dx = 10; private int width = 10; private int height = 10; private boolean dead = true; //dead mean you can not see the bullet. so when game start no bullet private int bullet_limit = 50; //limit how many times can player shoot private int bullet_range = 200; //set how far a bullet can go. private BufferedImage bullet_image; //get image of bullet ..... //move my bullet public void SHOOT_MOVE() //move bullet { x += dx; if(x > bullet_range) //kill bullet if it get above bullet range { dead = false; } } //draw image of bullet. i didnt added code for adding this image but its works fine public void paint(Graphics g) { g.drawImage(bullet_image, x, y, width, height, null); }//end of paint method } alright so far good. i created a bullet and i am moving it right. now i am store the bullet in arraylist where ever user hit space bar. player.class public class player { ... bullet bullet_class; ArrayList<shoot> store_bullets = new ArrayList<shoot>(); //store bullets ... //set and get methods public ArrayList<shoot> getBULLETS() { return store_bullets; } public void setBULLETS(shoot value) //add bullets { store_bullets.add(value); } .... public void KEYS() //i am calling this method in main(actionPerformed) method. so it keep updateing when i hit space bar { if(space) //boolean var. when user hit space bar { bullet_class = new bullet(x, y); //create bullet store_bullets.add(bullet_class); //add in arraylist bullet_class.SHOOT_MOVE(); //update bullet move } } now i want to print arraylist<bullet> in main method. public class main ...{ .... public void paintComponent(Graphics g) { .... for(int i = 0; i < player_class.store_bullets.size(); i++) { ....paint(g); } } } this line is way wrong. i dont now how to print arraylist<bullet>. and display image on screen. ....paint(g);
https://www.daniweb.com/programming/software-development/threads/450887/player-shoot-bullets-class
CC-MAIN-2017-43
en
refinedweb
The latest version of this document is always available at. This FAQ tries to answer specific questions concerning GCC. For general information regarding C, C++, resp. Fortran please check the comp.lang.c FAQ, comp.lang.c++ FAQ, comp.std.c++ FAQ, and the Fortran Information page. -fnew-abito the testsuite?. In April 1999 the Free Software Foundation officially halted development on the gcc2 compiler and appointed the EGCS project as the official GCC maintainers. We are in the process of merging GCC and EGCS, which will take some time. The net result will be a single project which will carry forward GCC development under the ultimate control of the GCC Steering Committee. It is a common mis-conception that Cygnus controls either directly or indirectly GCC. While Cygnus does donate hardware, network connections, code and developer time to GCC development, Cygnus does not control GCC. Overall control of GCC is in the hands of the GCC Steering Committee which includes people from a variety of different organizations and backgrounds. The purpose of the steering committee is to make decisions in the best interest of GCC and to help ensure that no individual or company has control over the project. To summarize, Cygnus contributes to GCCproject, but does not exert a controlling influence over GCC. With GCC, we are going to try a bazaar style.. There are complete instructions in the gcc info manual, section Bugs. The manual can also be read using `M-x info' in Emacs, or if the GNU info program is installed on your system by `info --node "(gcc)Bugs"'. Or see the file BUGS included with the GCC source code. Before you report a bug for the C++ compiler, please check the list of well-known bugs. If you want to report a bug with egcs 1.0.x or egcs 1.1.x, we strongly recommend upgrading to the current release first. In short, if GCC says Internal compiler error (or any other error that you'd like us to be able to reproduce, for that matter), please mail a bug report to gcc-bugs@gcc.gnu.org or bug-gcc@gnu.org including: All this can normally be accomplished by mailing the command line, the output of the command, and the resulting `your-file.i' for C, or `your-file.ii' for C++, corresponding to: gcc -v --save-temps all-your-options your-file.c Typically the CPP output (extension .i for C or .ii for C++) will be large, so please compress the resulting file with one of the popular compression programs such as bzip2, gzip, zip, pkzip or compress (in decreasing order of preference). Use maximum compression ( -9) if available. Please include the compressed CPP output in your bug report. Since we're supposed to be able to re-create the assembly output (extension .s), you usually don't have to include it in the bug report, although you may want to post parts of it to point out assembly code you consider to be wrong. split, for example) and post them in separate messages, but we prefer to have self-contained bug reports in single messages.. The Fortran front end can not be built with most vendor compilers; it must be built with gcc. As a result, you may get an error if you do not follow the install instructions carefully. In particular, instead of using "make" to build GCC, you should use "make bootstrap" if you are building a native compiler or "make cross" if you are building a cross compiler. It has also been reported that the Fortran compiler can not be built on Red Hat 4.X GNU/Linux for the Alpha. Fixing this may require upgrading binutils or to Red Hat 5.0; we'll provide more information as it becomes available.. alterative.. To ensure that GCC finds the GNU assembler (the GNU loader),. The GCC testsuite is not included in the GCC 2.95 release due to the uncertain copyright status of some tests.. It is believed that only a few tests have uncertain copyright status and thus only a few tests will need to be removed from the testsuite. dejagnu snapshot available until a new version of dejagnu can be released. . Please read the host/target specific installation notes, too. If you are using the GNU assembler (aka gas) on an x86 platform and exception handling is not working correctly, then odds are you're using a buggy assembler. Releases of binutils prior to 2.9 are known to assemble exception handling code incorrectly. We recommend binutils-2.9.1 or newer. Some post-2.9.1 snapshots of binutils fix some subtle bugs, particularly on x86 and alpha. They are available at. The 2.9.1.0.15 snapshot is known to work fine on those platforms; other than that, be aware that snapshots are in general untested and may not work (or even build). Use them at your own risk. bug report entry). For the general case, there is no way to tell whether a specified clobber is intended to overlap with a specific (input) operand or is a program error, where the choice of actual register for operands failed to avoid the clobbered register. Such unavoidable overlap is detected by versions GCC 2.95 and newer, and flagged as an error rather than accepted. An error message is given, such as: foo.c: In function `foo': foo.c:7: Invalid `asm' statement: foo.c:7: fixed or forbidden register 0 (ax) was spilled for class AREG. Unfortunately, a lot of existing software, for example the Linux kernel version 2.0.35 for the Intel x86, has constructs where input operands are marked as clobbered. The manual now describes how to write constructs with operands that are modified by the construct, but not actually used. To write an asm which modifies an input operand but does not output anything usable, specify that operand as an output operand outputting to an unused dummy variable. In the following example for the x86 architecture (taken from the Linux 2.0.35 kernel -- include/asm-i386/delay.h), the register-class constraint "a" denotes a register class containing the single register "ax" (aka. "eax"). It is therefore invalid to clobber "ax"; this operand has to be specified as an output as well as an input. The following code is therefore invalid: extern __inline__ void __delay (int loops) { __asm__ __volatile__ (".align 2,0x90\n1:\tdecl %0\n\tjns 1b" : /* no outputs */ : "a" (loops) : "ax"); } It could be argued that since the register class for "a". This corrected and clobber-less version, is valid for GCC 2.95 as well as for previous versions of GCC and EGCS: extern __inline__ void __delay (int loops) { int dummy; __asm__ __volatile__ (".align 2,0x90\n1:\tdecl %0\n\tjns 1b" : "=a" (dummy) : "0" (loops)); } Note that the asm construct now has an output operand, but it is unused. Normally asm constructs with only unused output operands may be removed by gcc, unless marked volatile as above. The linux kernel violates certain aliasing rules specified in the ANSI/ISO standard. Starting with GCC 2.95, the gcc optimizer by default relies on these rules to produce more efficient code and thus will produce malfunctioning kernels. To work around this problem, the flag -fno-strict-aliasing must be added to the CFLAGS variable in the main kernel Makefile. If you try to build a 2.0.x kernel for Intel machines with any compiler other than GCC 2.7.2, then you are on your own. The 2.0.x kernels are to be built only with gcc 2.7.2. They use certain asm constructs which are incorrect, but (by accident) happen to work with gcc 2.7.2. If you insist on building 2.0.x kernels with egcs, you may be interested in this patch which fixes some of the asm problems. You will also want to change asm constructs to avoid clobbering their input operands..) Finally, you may get errors with the X driver of the form _X11TransSocketUNIXConnect: Can't connect: errno = 111. When compiling X11 headers with a GCC 2.95 or newer, g++ will complain that types are missing. These headers assume that omitting the type means 'int'; this assumption is wrong for C++. g++ accepts such (illegal) constructs with the option -fpermissive; it will assume that missing type is 'int' (as defined by the C89 standard). Since the upcoming C99 standard also obsoletes the implicit type assumptions, the X11 headers have to get fixed eventually. Building cross compilers is a rather complex undertaking because they usually need additional software (cross assembler, cross linker, target libraries, target include files, etc). We recommend reading the crossgcc FAQ for information about building cross compilers. If you have all the pieces available, then `make cross' should build a cross compiler. `make LANGUAGES="c c++" install' will install the cross compiler.. Unfortunately, improvements in tools that are widely used are sooner or later bound to break something. Sometimes, the code that breaks was wrong, and then that code should be fixed, even if it works for earlier versions of gcc or other compilers. The following problems with some releases of widely used packages have been identified: There is a separate list of well-known bugs describing known deficiencies. Naturally we'd like that list to be of zero length. To report a bug, see How to report bugs. The FD_ZERO macro in (e.g.) libc-5.4.46 is incorrect. It uses invalid asm clobbers. The following rewrite by Ulrich Drepper <drepper@cygnus.com> should fix this for glibc 2) Apparently Octave 2.0.13 uses some C++ features which have been obsoleted and thus fails to build with EGCS 1.1 and later. This patch to Octave should fix this. Octave 2.0.13.96, a test release, has been compiled without patches by egcs 1.1.2. It is available at. This has nothing to do with gcc, but people ask us about it a lot. Code like this: #include <stdio.h> FILE *yyin = stdin; will not compile with GNU libc (Linux libc6), because stdin is not a constant. This was done deliberately, in order for there to be no limit on the number of open FILE objects.. The appropriate place to ask questions relating to GNU libc is libc-alpha@sourceware.cygnus.com. Let me guess... you wrote `#' The problem, simply put, is that GCC's preprocessor does not allow you to put #ifdef (or any other directive) inside the arguments of a macro. Your C library's string.h happens to define memcpy as a macro - this is perfectly legitimate. The code therefore will not compile. memcpy(dest, src, 1224); from the above example. A very few might do what you expected it to. We therefore feel it is most useful for GCC to reject this construct immediately so that it is found and fixed. Second, it is extraordinarily difficult to implement the preprocessor such that it does what you would expect for every possible directive found inside a macro argument. The best example is perhaps #define foo(arg) ... arg ... foo(blah #undef foo blah) which. This error means your system ran out of memory; this can happen for large files, particularly when optimizing. If you're getting this error you should consider trying to simplify your files or reducing the optimization level.. We make snapshots of the GCC sources about once a week; there is no predetermined schedule.. Many folks have been asking where to find libg++ for GCC. First we should point out that few programs actually need libg++; most only need libstdc++/libio which are included in the GCC distribution. If you do need libg++ you can get a libg++ release that works with GCC from. Note that the 2.8.2 snapshot pre-dates the 2.8.1.2 release. If you're using diffs up dated from one snapshot to the next, or if you're using the CVS. . Autoconf is available from; have a look at for the other packages. It is not uncommon to get CVS conflict messages for some generated files when updating your local sources from the CVS repository. Typically such conflicts occur with bison or autoconf generated files. As long as you haven't been making modifications to the generated files or the generator files, it is safe to delete the offending file, then run cvs update again to get a new copy. On some systems GCC will produce dwarf debug records by default; however the gdb-4.16 release may not be able to read such debug records. You can either use the argument "-gstabs" instead of "-g" or pick up a copy of gdb-4.17 to work around the problem. The GNU Ada front-end is not currently supported by GCC; however, it is possible to build the GNAT compiler with a little work. First, retrieve the gnat-3.10p sources. The sources for the Ada front end and runtime all live in the "ada" subdirectory. Move that subdirectory to egcs/gcc/ada. Second, apply the patch found in egcs/gcc/README.gnat. Finally, rebuild per the GNAT build instructions. The GNU Pascal front-end does work with EGCS 1.1 It does not work with EGCS 1.0.x and the main branch of the CVS repository. A tarball can be found at. It is possible to checkout specific snapshots with CVS or to check out the latest snapshot. We use CVS tags to identify each snapshot we make. Snapshot tags have the form "egcs_ss_YYYYMMDD". In addition, the latest official snapshot always has the tag "gcc_latest_snapshot".. The current version of gperf (v2.7) does not support the -F flag which is used when building egcs from CVS sources. You will need to obtain a patch for gperf and rebuild the program; this patch is available at Patches for other tools, particularly autoconf, may also be necessary if you're building from CVS sources. Please see the FAQ entry regarding these tools to determine if anything else is needed. These patched utilities should only. From the libstdc++-FAQ: "The EGCS Standard C++ Library v3, or libstdc++-2.90.x, is an ongoing project to implement the ISO 14882 Standard C++ library as described in chapters 17 through 27 and annex D." At the moment the libstdc++-v3 is no "drop in replacement" for GCC's libstdc++. The best way to use it is as follows: Please note that the libstdc++-v3 is not yet complete and should only be used by experienced programmers. For more information please refer to the libstdc++-v3 homepage Return to the GCC home page Last modified: October 19, 1999
https://opensource.apple.com/source/gcc_legacy/gcc_legacy-938/faq.html
CC-MAIN-2017-43
en
refinedweb
In Django, the Q() can be used to construct complex queries, such as OR-ing fields. The docs are pretty straight forward. But what if you want to dynamically choose which fields to OR together? Here is one way: from django.db.models import Q from models import MyModel # Suppose this list is generated dynamically. model_fields = ['f1', 'f2', 'f3'] # Find all instances where any of these model_fields are not null query = Q() for f in model_fields: query |= Q(**{'{}__isnull'.format(f): False}) instances = MyModel.objects.filter(query) This code was inspired by this post on Stackoverflow. Advertisements
https://snakeycode.wordpress.com/2015/04/24/dynamically-constructed-q-filters-in-django/
CC-MAIN-2017-43
en
refinedweb
For much of healthcare data analytics and modelling we will use NumPy and Pandas as the key containers of our data. These libraries allow efficient manipulation and analysis of very large data sets. They are very considerably faster than using a ’pure Python’ approach. NumPy and Pandas are distributed with all main scientific Python distributions. NumPy NumPy is a library for supporting work with large multi-dimensional arrays, with many mathematical functions. NumPy is compatible with many other libraries such as Pandas (see below), MatPlotLib (for plotting), and many Python maths, stats and optimisation libraries. When we import NumPy as as library it is standard practice to use the as statement which allows it to be referenced with a shorter name. We will import as np: import numpy as np Pandas Pandas is a library that allows manipulation of large arrays of data. Data may be indexed and manipulated based on index. Data is readily pivoted, reshaped, grouped, merged. We will use pandas alongside numpy. Generally, NumPy is faster for mathemetical functions, but Pandas is more powerful for data manipulation. As with numpy, we import with a shortened name: import pandas as pd One thought on “20. NumPy and Pandas”
https://pythonhealthcare.org/2018/03/28/20-numpy-and-pandas/
CC-MAIN-2018-51
en
refinedweb
Version 0.17.0 released 17 May 2017 The Nim Team The Nim team is happy to announce that the latest release of Nim, version 0.17.0, is now available. Nim is a systems programming language that focuses on performance, portability and expressiveness. This release fixes the most important regressions introduced in version 0.16.0. In particular memory manager and channel bugs have been fixed. There was also many significant improvements to the language, in particular a lot of work was put into concepts. Zahary has been leading this effort and we thank him for his hard work. Be sure to check out the changelog below for a comprehensive list of changes. The NSIS based installer is not provided anymore as the Nim website moved to https and this caused NSIS downloads to fail. The latest version of Nim for Windows can still be downloaded as a zip archive from the downloads page. We would also like to invite you to test a brand new tool that aims to make the installation and management of multiple Nim versions much easier. This tool is called choosenim and allows you to install the latest version of Nim with a single command. installation instructions on GitHub to give it a go, but keep in mind that this tool is still experimental. This release also includes version 0.8.6 of the Nimble package manager, be sure to check out its changelog for a list of changes since its last release. Changelog Changes affecting backwards compatibility) Library Additions Added system.onThreadDestruction. Added dialprocedure to networking modules: net, asyncdispatch, asyncnet. It merges socket creation, address resolution, and connection into single step. When using dial, you don’t have to worry about the IPv4 vs IPv6 problem. httpclientnow supports IPv6. Added tomacro which allows JSON to be unmarshalled into a type. import json type Person = object name: string age: int let data = """ { "name": "Amy", "age": 4 } """ let node = parseJson(data) let obj = node.to(Person) echo(obj) Tool Additions - The finishtool can now download MingW for you should it not find a working MingW installation. Compiler Additions - The name mangling rules used by the C code generator changed. Most of the time local variables and parameters are not mangled at all anymore. This improves the debugging experience. - The compiler produces explicit name mangling files when --debugger:nativeis enabled. Debuggers can read these .ndifiles in order to improve debugging Nim code. Language Additions The trystatement’s exceptbranches now support the binding of a caught exception to a variable: try: raise newException(Exception, "Hello World") except Exception as exc: echo(exc.msg) This replaces the getCurrentExceptionand getCurrentExceptionMsg()procedures, although these procedures will remain in the stdlib for the foreseeable future. This new language feature is actually implemented using these procedures. In the near future we will be converting all exception types to refs to remove the need for the newExceptiontemplate. - A new pragma .usedcan be used for symbols to prevent the “declared but not used” warning. More details can be found here. The popular “colon block of statements” syntax is now also supported for letand varstatements and assignments: template ve(value, effect): untyped = effect value let x = ve(4): echo "welcome to Nim!" This is particularly useful for DSLs that help in tree construction. Language changes - The .procvarannotation is not required anymore. That doesn’t mean you can pass system.$to mapjust yet though. Bugfixes The list below has been generated based on the commits in Nim’s git repository. As such it lists only the issues which have been closed via a commit, for a full list see this link on Github. - Fixed “Weird compilation bug” (#4884) - Fixed “Return by arg optimization does not set result to default value” (#5098) - Fixed “upcoming asyncdispatch doesn’t remove recv callback if remote side closed socket” (#5128) - Fixed “compiler bug, executable writes into wrong memory” (#5218) - Fixed “Module aliasing fails when multiple modules have the same original name” (#5112) - Fixed “JS: var argument + case expr with arg = bad codegen” (#5244) - Fixed “compiler reject proc’s param shadowing inside template” (#5225) - Fixed “const value not accessible in proc” (#3434) - Fixed “Compilation regression 0.13.0 vs 0.16.0 in compile-time evaluation” (#5237) - Fixed “Regression: JS: wrong field-access codegen” (#5234) - Fixed “fixes #5234” (#5240) - Fixed “JS Codegen: duplicated fields in object constructor” (#5271) - Fixed “RFC: improving JavaScript FFI” (#4873) - Fixed “Wrong result type when using bitwise and” (#5216) - Fixed “upcoming.asyncdispatch is prone to memory leaks” (#5290) - Fixed “Using threadvars leads to crash on Windows when threads are created/destroyed” (#5301) - Fixed “Type inferring templates do not work with non-ref types.” (#4973) - Fixed “Nimble package list no longer works on lib.html” (#5318) - Fixed “Missing file name and line number in error message” (#4992) - Fixed “ref type can’t be converted to var parameter in VM” (#5327) - Fixed “nimweb ignores the value of –parallelBuild” (#5328) - Fixed “Cannot unregister/close AsyncEvent from within its handler” (#5331) - Fixed “name collision with template instanciated generic inline function with inlined iterator specialization used from different modules” (#5285) - Fixed “object in VM does not have value semantic” (#5269) - Fixed “Unstable tuple destructuring behavior in Nim VM” (#5221) - Fixed “nre module breaks os templates” (#4996) - Fixed “Cannot implement distinct seq with setLen” (#5090) Fixed “await inside array/dict literal produces invalid code” (#5314) - Fixed “asyncdispatch.accept() can raise exception inside poll() instead of failing future on Windows” (#5279) - Fixed “VM: A crash report should be more informative” (#5352) - Fixed “IO routines are poor at handling errors” (#5349) - Fixed “new import syntax doesn’t work?” (#5185) - Fixed “Seq of object literals skips unmentioned fields” (#5339) - Fixed “ sym is not accessiblein compile time” (#5354) - Fixed “the matching is broken in re.nim” (#5382) - Fixed “development branch breaks in my c wrapper” (#5392) - Fixed “Bad codegen: toSeq + tuples + generics” (#5383) - Fixed “Bad codegen: toSeq + tuples + generics” (#5383) - Fixed “Codegen error when using container of containers” (#5402) - Fixed “sizeof(RangeType) is not available in static context” (#5399) - Fixed “Regression: ICE: expr: var not init ex_263713” (#5405) - Fixed “Stack trace is wrong when assignment operator fails with template” (#5400) - Fixed “SIGSEGV in compiler” (#5391) - Fixed “Compiler regression with struct member names” (#5404) - Fixed “Regression: compiler segfault” (#5419) - Fixed “The compilation of jester routes is broken on devel” (#5417) - Fixed “Non-generic return type produces “method is not a base”” (#5432) - Fixed “Confusing error behavior when calling slice[T].random” (#5430) - Fixed “Wrong method called” (#5439) - Fixed “Attempt to document the strscans.scansp macro” (#5154) - Fixed “[Regression] Invalid C code for _ symbol inside jester routes” (#5452) - Fixed “StdLib base64 encodeInternal crashes with out of bound exception” (#5457) Fixed “Nim hangs forever in infinite loop in nre library” (#5444) - Fixed “Tester passes test although individual test in suite fails” (#5472) - Fixed “terminal.nim documentation” (#5483) - Fixed “Codegen error - expected identifier before ‘)’ token (probably regression)” (#5481) - Fixed “mixin not works inside generic proc generated by template” (#5478) - Fixed “var not init (converter + template + macro)” (#5467) - Fixed “ ==for OrderedTable should consider equal content but different size as equal.” (#5487) - Fixed “Fixed tests/tester.nim” (#45) - Fixed “template instanciation crashes compiler” (#5428) - Fixed “Internal compiler error in handleGenericInvocation” (#5167) - Fixed “compiler crash in forwarding template” (#5455) - Fixed “Doc query re public/private + suggestion re deprecated” (#5529) - Fixed “inheritance not work for generic object whose parent is parameterized” (#5264) - Fixed “weird inheritance rule restriction” (#5231) - Fixed “Enum with holes broken in JS” (#5062) - Fixed “enum type and aliased enum type inequality when tested with operator isinvolving template” (#5360) - Fixed “logging: problem with console logger caused by the latest changes in sysio” (#5546) - Fixed “Crash if proc and caller doesn’t define seq type - HEAD” (#4756) - Fixed “ pathconfig option doesn’t work when compilation is invoked from a different directory” (#5228) - Fixed “segfaults module doesn’t compile with C++ backend” (#5550) - Fixed “Improve joinThreadsfor windows” (#4972) - Fixed “Compiling in release mode prevents valid code execution.” (#5296) - Fixed “Forward declaration of generic procs or iterators doesn’t work” (#4104) - Fixed “cant create thread after join” (#4719) - Fixed “can’t compile with var name “near” and –threads:on” (#5598) - Fixed “inconsistent behavior when calling parent’s proc of generic object” (#5241) - Fixed “The problem with import order of asyncdispatch and unittest modules” (#5597) - Fixed “Generic code fails to compile in unexpected ways” (#976) - Fixed “Another ‘User defined type class’ issue” (#1128) - Fixed “compiler fails to compile user defined typeclass” (#1147) - Fixed “Type class membership testing doesn’t work on instances of generic object types” (#1570) - Fixed “Strange overload resolution behavior for procedures with typeclass arguments” (#1991) - Fixed “The same UDTC can’t constrain two type parameters in the same procedure” (#2018) - Fixed “More trait/concept issues” (#2423) Fixed “Bugs with concepts?” (#2882) - Fixed “Improve error messages for concepts” (#3330) - Fixed “Dynamic dispatch is not working correctly” (#5599) - Fixed “asynchttpserver may consume unbounded memory reading headers” (#3847) - Fixed “nim check crash due to missing var keyword” (#5618) - Fixed “Unexpected template resolution” (#5625) - Fixed “Installer fails to download mingw.zip” (#5422) - Fixed “Exception name and parent get lost after reraising” (#5628) - Fixed “generic ref object typeRel problem” (#5621) - Fixed “typedesc typeRel regression” (#5632) - Fixed “http client respects only one “Set-Cookie” header” (#5611) - Fixed “Internal assert when using compiles” (#5638) - Fixed “Compiler crash for variant type.” (#4556) Fixed “MultipartData in httpclient.Post appears to break header” (#5710) - Fixed “setCookie incorrect timestamp format” (#5718) - Fixed “[Regression] strdefine consts cannot be passed to a procvar” (#5729) - Fixed “Nim’s –nimblepaths picks 1.0 over #head” (#5752) - Fixed “Async writes are not queued up on Windows” (#5532) - Fixed “float32 literals are translated to double literals in C” (#5821) - Fixed “LibreSSL isn’t recognized as legit SSL library” (#4893) - Fixed “exception when using json “to” proc” (#5761)
https://nim-lang.org/blog/2017/05/17/version-0170-released.html
CC-MAIN-2018-51
en
refinedweb
Character code constants. These libraries define symbolic names for some character codes. This is not an official Goggle package, and is not supported by Google.". E xamples: $plus, $exclamation The ascii.dart library defines a symbolic name for each ASCII character. For some chraceters, it has more than one name. For example the common $tab and the official $ht for the horisontal tab. The html_entity.dart library defines a constant for each HTML 4.01 character entity, using the standard entity abbreviation, incluing). Add this to your package's pubspec.yaml file: dependencies: charcode: ^1.0.0+1 You can install packages from the command line: with pub: $ pub get Alternatively, your editor might support pub get. Check the docs for your editor to learn more. Now in your Dart code, you can use: import 'package:charcode/charcode.
https://pub.dartlang.org/packages/charcode/versions/1.0.0+1
CC-MAIN-2018-51
en
refinedweb
Javanook Home Inheritance Examples >> Core | Inheritance Objectives listing 1 // Employee.java import java.util.Vector; /* * abstract class, so it cannot be instantiated. * implements Comparable, so Collections.sort(list) can use it */ public abstract class Employee implements Salary, Comparable { // protected to make it accessible only to derived classes protected int accountNumber; protected String firstName; protected String lastName; protected double salary; protected String type; protected Vector randomNumbers = new Vector(); // recursive method to generate random number protected int getRandomNumber() { int R = (int)(Math.random() * 999); // wrap into Integer object, so Vector can store it Integer rI = new Integer(R); // check to see if number is greater than 99 // also, it is not already there in the Vector if(R >= 100 && !randomNumbers.contains(rI)) { // meets the condtion, break from recursion randomNumbers.add(rI); return R; } else { // recurse until the condition is met return getRandomNumber(); } } // method to add increment to salary public void updateSalary(int percent) { salary += (salary * percent)/100; } // set account number public void setAccountNumber(int number) { accountNumber = number; } // set first name public void setFirstName(String fname) { firstName = fname; } // set last name public void setLastName(String lname) { lastName = lname; } //set last name public void setSalary(double sal) { salary = sal; } // set emp type public void setType(String type) { this.type = type; } // get account number public int getAccountNumber() { return accountNumber; } // get first name public String getFirstName() { return firstName; } // get last name public String getLastName() { return lastName; } // get salary public double getSalary() { return salary; } public String getType() { return type; } // needed to sort // Used by the Collections.sort(list) method public int compareTo(Employee emp) { if(lastName.equals(emp.lastName)) { return firstName.compareTo(emp.firstName); } return lastName.compareTo(emp.lastName); } public void display() { System.out.println(accountNumber+"..."+firstName+" "+lastName+"..."+type+"..."+salary); } } The Employee class has a random number generator. It generates a 3 digit account number such that no duplicate account numbers are possible. The random numbers so generated are in the range 100 to 999. The class has a sort method which sorts the employees by last name. If two or more employees have the same last name then they are sorted by first name. To accomplish the sort operation, compareTo method is used. The java runtime ensure that this method is called for comparison whenever two Employee objects are compared. This is possible because the Employee class implements the Comparable interface which has just one method - compareTo. We will now take a look at the EmployeeDAO class that stores the Employee objects in an ArrayList. It also has the sort method that automatically sorts the Employee objects (see note above). listing 2 // EmployeeDAO.java import java.util.*; public class EmployeeDAO { java.util.ArrayList list; public EmployeeDAO() { // initialize ArrayList object list = new ArrayList(); } // add employee to the list public void add(Employee emp) { list.add(emp); } public boolean contains(Object o) { return list.contains(o); } public int indexOf(Object o) { return list.indexOf(o); } public Employee get(int index) { Object o = list.get(index); return (Employee)o; } public int size() { return list.size(); } public void sort() { Collections.sort(list); } } The example also shows the use of a java interface. Interface Salary has just one method updateSalary(). The Employee class has three derived classes Each of the above classes extends the Employee class and implements the Comparable interface. In the compareTo() method, we merely call the super class method. It is possible to provide a custom implementation in each class. The entire source code is available for download. Click here to download inheritance.zip. There is a driver program EmployeeDriver.java to run the example. Compile all the classes and run java EmployeeDriver from the command line. The program runs interactively with the user with a simple menu display on the console. Five Employee objects are hard coded, though the user may add any number of employees to the program.
http://javanook.tripod.com/examples/core/inheritance.html
CC-MAIN-2018-51
en
refinedweb
My current suggestion based on Michal Hruby's requirements would be a method called def get_events_count(timerange, event_templates): ... return dict where dict = {event_template_1: count1, event_template_2: count2, ... } -- Add new aggregate API You received this bug notification because you are a member of Zeitgeist Framework Team, which is subscribed to Zeitgeist Framework. Status in Zeitgeist Framework: New :
https://www.mail-archive.com/zeitgeist@lists.launchpad.net/msg02278.html
CC-MAIN-2018-51
en
refinedweb
public class FlavorEvent extends EventObject FlavorEventis used to notify interested parties that available DataFlavors have changed in the Clipboard(the event source). FlavorListener, Serialized Form source getSource, toString clone, equals, finalize, getClass, hashCode, notify, notifyAll, wait, wait, wait public FlavorEvent(Clipboard source) FlavorEventobject. source- the Clipboardthat is the source of the event IllegalArgumentException- if the source.
http://www.cs.oberlin.edu/~rhoyle/17f-cs151/jdk1.8/docs/api/java/awt/datatransfer/FlavorEvent.html
CC-MAIN-2018-51
en
refinedweb
Hide Forgot From Bugzilla Helper: User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.7.12) Gecko/20050915 Firefox/1.0.7 Description of problem: If you try and install using the FC4 x86_64 ISO boot disc, it crashes as it is booting just after: md: ...autorun DONE. with the message: VFS: Cannot open root device "<NULL>" or unknown-block(3,2) Please append a correct "root=" boot option Kernel panic - not syncing: VFS: Unable to mount root fs on unknown-block(3,2) Call Trace: <ffffffff8013a4a5>{panic+133} <ffffffff801cba74>{sys_mount+196} <ffffffff801f6ef9>{__bdevname+41} <ffffffff80582c00>{mount_block_root+496} <ffffffff80582d85>{prepare_namespace+213} <ffffffff801c186>{init+326} <ffffffff8010fc33>{chip_rip+8} <ffffffff8010c040>{init+0} <ffffffff8010fc2b>{chip_rip+0} <3>BUG: soft lockup detected on CPU#0! NOTES: I even tried removing one CPU to see if that helped. FC3 boot iso for x86_64 does not exhibit this behavior and I will have to reinstall my system again using FC3. Version-Release number of selected component (if applicable): How reproducible: Always Steps to Reproduce: 1. insert boot iso turn on machine 2. watch it boot 3. watch it crash Actual Results: same as above Expected Results: boots and anaconda starts. Additional info: The bug I'm duplicating this against has a pointer to an unofficial FC4.2, which is FC4 + updates. The newer kernel might be just enough to get you up and running. *** This bug has been marked as a duplicate of 169613 ***
https://bugzilla.redhat.com/show_bug.cgi?id=174770
CC-MAIN-2018-51
en
refinedweb
In MIDP, the basic unit of execution is a MIDlet. A MIDlet is a class that extends the class javax.microedition.midlet.MIDlet and implements a few methods—including startApp, pauseApp, and destroyApp—to define the key behavior of the application. As an example of programming with the MIDP application model, consider the following program that implements one of the simplest MIDlets possible: the canonical “Hello World” application. package examples; import javax.microedition.midlet.*; import javax.microedition.lcdui.*; public class HelloWorld extends MIDlet implements CommandListener { private Command exitCommand; private TextBox tb; // Constructor of the HelloWorld class public HelloWorld() { // Create "Exit" Command so the user ... No credit card required
https://www.oreilly.com/library/view/programming-wireless-devices/0321197984/0321197984_ch07lev1sec1.html
CC-MAIN-2018-51
en
refinedweb
Hi,the kernel uses the HPET timers in 32-bit mode for clock-events.While 32 bits, with a wrap-around time of >4 minutes, is probablygood enough for the clock-event purposes, on some chipsets thishas a negative side-effect on the HPET main counter.Unlike the original HPET specification 1.0 from 2004, which does notmention any side-effects of setting TN_32MODE_CNF on theindividual timers, the ICH9 documentation, for example, says: NOTE: When this bit is set to ‘1’, the hardware counter will do a 32-bit operation on comparator match and rollovers, thus the upper 32-bit of the Timer 0 Comparator Value register is ignored. The upper 32-bit of the main counter is not involved in any rollover from lower 32-bit of the main counter and becomes all zeros.(see, page819, section 21.1.5, Bit 8). I've seen this behaviour also onICH8. I have no idea what other chipsets are affected. But I haveseen AMD chipsets that Do The Right Thing.This means, that when the kernel configures the Timer 0 to 32-bitmode, on these chipsets it also cripples the 64-bit main counterto 32 bits.The HPET may be mmapped in userspace and the main counteraccessed directly by applications, expecting a 64-bit maincounter.I see two fays this could be fixed:1) do not use Timer 0 at all2) do not configure 64-bit capable timers to 32-bit modeThe patch below is my attempt to do 2). I did not yet have achance to test it (!!) as I don't have the affected hardwareright here. I can do that next week. I did, however, test aprevious x86_64-only version of the patch and it fixed theproblem.I would like to get your opinions. I am worried about some of the32-bit parts:1) setting the timer value in periodic mode. The documentationsays that the TN_SETVAL bit is automatically cleared when thevalue is written. I assume that any write within the 64-bit willreset the bit and we thus need to set it indivdually for the lowand high 32 bits?2) setting the timer period. The documentation says: After the main counter equals the value in this register, the value in this register is increased by the value last written to the register.I can only assume that writing the register in multiple writesdoes not matter. But to be on the safe side, hpet_write64()writes the (usually zero) high-order bits first.diff --git a/arch/x86/kernel/hpet.c b/arch/x86/kernel/hpet.cindex 77017e8..bb3b661 100644--- a/arch/x86/kernel/hpet.c+++ b/arch/x86/kernel/hpet.c@@ -57,8 +57,75 @@ static inline void hpet_writel(unsigned long d, unsigned long a) #ifdef CONFIG_X86_64 #include <asm/pgtable.h>++unsigned long hpet_readq(unsigned long a)+{+ return readq(hpet_virt_address + a);+}++static inline void hpet_writeq(unsigned long d, unsigned long a)+{+ writeq(d, hpet_virt_address + a);+}++#define hpet_read_counter64() hpet_readq(HPET_COUNTER)+#define hpet_write64(d, a) hpet_writeq(d, a)++#else++/*+ * reading the 64-bit counter value using 32-bit reads, special care must+ * be taken to detect/correct overflows of the lower 32 bits during the reads+ */+static inline u64 hpet_read_counter64()+{+ u32 high, high2, low;+ do {+ high = hpet_readl(HPET_COUNTER + 4);+ low = hpet_readl(HPET_COUNTER);+ high2 = hpet_readl(HPET_COUNTER + 4);+ } while (high2 != high);++ return ((u64)high << 32) + low;+}++static inline void hpet_write64(u64 d, unsigned long a)+{+ hpet_writel(d >> 32, a + 4);+ hpet_writel(d & 0xffffffff, a);+}++#endif++/*+ * Set the value of a 64-bit HPET timer to a given value.+ * The cfg parameter is supplied by the caller to save one read+ * of the HPET_Tn_CFG(timer) register.+ */+static inline void hpet_timer_set_val64(int timer, u32 cfg, u64 value)+{+ u32 cfg_set = cfg | HPET_TN_SETVAL;++ hpet_writel(cfg_set, HPET_Tn_CFG(timer));++#ifdef CONFIG_X86_64+ hpet_writeq(value, HPET_Tn_CMP(timer));+ /* the SETVAL flag was automatically cleared by the write */+#else++ hpet_writel(value >> 32, HPET_Tn_CMP(timer));+ /*+ * The documentation is not clear on the behaviour of the SETVAL flag+ * fith 32-bit writes. Make sure it is set for the high 32-bit write as+ * well and make sure it is clear after that.+ */+ hpet_writel(cfg_set, HPET_Tn_CFG(timer));+ hpet_writel(value & 0xffffffff, HPET_Tn_CMP(timer));+ hpet_writel(cfg, HPET_Tn_CFG(timer)); #endif +}+ static inline void hpet_set_mapping(void) { hpet_virt_address = ioremap_nocache(hpet_address, HPET_MMAP_SIZE);@@ -195,8 +262,7 @@ static void hpet_start_counter(void) cfg &= ~HPET_CFG_ENABLE; hpet_writel(cfg, HPET_CFG);- hpet_writel(0, HPET_COUNTER);- hpet_writel(0, HPET_COUNTER + 4);+ hpet_write64(0, HPET_COUNTER); cfg |= HPET_CFG_ENABLE; hpet_writel(cfg, HPET_CFG); }@@ -257,33 +323,50 @@ static int hpet_setup_msi_irq(unsigned int irq); static void hpet_set_mode(enum clock_event_mode mode, struct clock_event_device *evt, int timer) {- unsigned long cfg, cmp, now;+ u32 cfg;+ u64 cmp, now; uint64_t delta; switch (mode) { case CLOCK_EVT_MODE_PERIODIC: delta = ((uint64_t)(NSEC_PER_SEC/HZ)) * evt->mult; delta >>= evt->shift;- now = hpet_readl(HPET_COUNTER);- cmp = now + (unsigned long) delta;+ cfg = hpet_readl(HPET_Tn_CFG(timer));-));++ if (cfg & HPET_TN_64BIT_CAP) {+ /* configure a 64-bit timer */+ now = hpet_read_counter64();+ cmp = now + (unsigned long) delta;++ cfg |= HPET_TN_ENABLE | HPET_TN_PERIODIC;++ hpet_timer_set_val64(timer, cfg, cmp);+ udelay(1);+ hpet_write64((unsigned long) delta, HPET_Tn_CMP(timer));+ }+ else {+ /* configure a 32-bit timer */+ now = hpet_readl(HPET_COUNTER);+ cmp = now + (unsigned long) delta;+));+ } break; case CLOCK_EVT_MODE_ONESHOT: cfg = hpet_readl(HPET_Tn_CFG(timer)); cfg &= ~HPET_TN_PERIODIC;- cfg |= HPET_TN_ENABLE | HPET_TN_32BIT;+ cfg |= HPET_TN_ENABLE | (cfg & HPET_TN_64BIT_CAP ? 0 : HPET_TN_32BIT); hpet_writel(cfg, HPET_Tn_CFG(timer)); break; @@ -311,17 +394,29 @@ static void hpet_set_mode(enum clock_event_mode mode, static int hpet_next_event(unsigned long delta, struct clock_event_device *evt, int timer) {- u32 cnt;-- cnt = hpet_readl(HPET_COUNTER);- cnt += (u32) delta;- hpet_writel(cnt, HPET_Tn_CMP(timer));+ u64 cnt;++ if (hpet_readl(HPET_Tn_CFG(timer) & HPET_TN_64BIT_CAP))+ {+ /* set a 64-bit timer */+ cnt = hpet_read_counter64();+ cnt += (u32) delta;+ hpet_write64(cnt, HPET_Tn_CMP(timer));+ }+ else {+ /* set a 32-bit timer */+ cnt = hpet_readl(HPET_COUNTER);+ cnt += (u32) delta;+ hpet_writel(cnt & 0xffffffff, HPET_Tn_CMP(timer));+ } /* * We need to read back the CMP register to make sure that * what we wrote hit the chip before we compare it to the * counter. */++ cnt &= 0xffffffff; /* whatever the below check means (FIXME), don't break it */ WARN_ON((u32)hpet_readl(HPET_T0_CMP) != cnt); return (s32)((u32)hpet_readl(HPET_COUNTER) - cnt) >= 0 ? -ETIME : 0;Thanks for your thoughts, --
https://lkml.org/lkml/2008/11/16/155
CC-MAIN-2017-51
en
refinedweb
Save 37% off Nim in Action with code fccpicheta. Nim syntax The syntax of a programming language is a set of rules that govern the way programs are written in that language. Most languages share many similarities in terms of syntax. This is true for the C family of languages, which are also the most popular. In fact, four of the most popular programming languages take a heavy syntactic inspiration from C. Nim aims to be highly readable, and it often uses keywords instead of punctuation. Because of this, the syntax of Nim differs significantly from the C language family; instead, much of it is inspired by Python and Pascal. Keywords Most programming languages have the notion of a keyword, and Nim is no exception. A keyword is a word with a special meaning associated with it, when it’s used in a specific context. Because of this, one shouldn’t use these words as identifiers in your source code. As of version 0.12.0, Nim has 70 keywords. This may sound like a lot, but you have to remember that you won’t be using most of them. Some of them don’t have a meaning and are reserved for future versions of the language; others have minor use cases. The most commonly-used keywords allow you to do the following: Specify conditional branches: if, case, of, and when Define variables, procedures, and types: var, let, proc, type, and object Handle runtime errors in your code: try, except, and finally For a full list of keywords, consult the Nim manual, available at. Indentation Many programmers indent their code to make the program’s structure more apparent. In most programming languages this isn’t a requirement and serves only as an aid to human readers of the code. In those languages, keywords and punctuation are often used to delimit code blocks. In Nim, as in Python, the indentation itself is used. Let’s look at a simple example to demonstrate the difference. The following three code samples, written in C, Ruby, and Nim, all do the same thing. But note the different ways in which code blocks are delimited. Listing 1. C if (42 >= 0) { printf("42 is greater than 0"); } Listing 2. Ruby if 42 >= 0 puts "42 is greater than 0" end Listing 3. Nim if 42 >= 0: echo "42 is greater than 0" As you can see, C uses curly brackets to delimit a block of code, Ruby uses the keyword end, and Nim uses indentation. Nim also uses the colon character on the line that precedes the start of the indentation. This is required for the “if” statement and for many others. However, as you continue learning about Nim, you’ll see that the colon isn’t required for all statements that start an indented code block. Also note the use of the semicolon in listing 1. This is required at the end of each line in some programming languages (mostly the C family of languages). It tells the compiler where a line of code ends. This means that a single statement can span multiple lines, or multiple statements can be on the same line. In C you’d achieve both like this: printf("The output is: %d", 0); printf("Hello"); printf("World"); In Nim, the semicolon is optional and can be used to write two statements on a single line. Spanning a single statement over multiple lines is a bit more complex—you can only split up a statement after punctuation, and the next line must be indented. Here’s an example: echo("Output: ", ❶ 5) echo(5 + ❶ 5) echo(5 ❷ + 5) echo(5 + 5) ❸ ❶ Both statements are correct because they’ve been split after the punctuation and the next line has been indented. ❷ This statement has been incorrectly split before the punctuation. ❸ This statement has been incorrectly indented after the split. Because indentation is important in Nim, you need to be consistent in its style. The convention states that all Nim code should be indented by two spaces. The Nim compiler currently disallows tabs because the inevitable mixing of spaces and tabs can have detrimental effects, particularly in a whitespace-significant programming language. Comments in code are important because they allow you to add additional meaning to pieces of code. Comments in Nim are written using the hash character (#). Anything following it is a comment until the start of a new line. A multiline comment can be created with #[ and ]#, and code can also be disabled by using when false:. Here’s an example: # Single-line comment #[ Multiline comment ]# when false: echo("Commented-out code") Nim basics Now that you have a basic understanding of Nim’s syntax, you have a good foundation for learning some of the semantics of Nim. Let’s take a look at some of the essentials that every Nim programmer uses daily. You’ll learn about the static types most commonly used in Nim, the details of mutable and immutable variables, and how to separate commonly-used code into standalone units by defining procedures. Basic types Nim is a statically typed programming language. This means that each identifier in Nim has a type associated with it at compile time. When you compile your Nim program, the compiler ensures that your code is type-safe. If it isn’t, compilation terminates and the compiler outputs an error. This contrasts with dynamically typed programming languages, such as Ruby, that only ensure your code is type-safe at runtime. By convention, type names start with an uppercase letter. Built-in types don’t follow this convention, and it’s easy for you to distinguish between built-in types and user-defined types by checking the first letter of the name. Nim supports many built-in types, including ones for dealing with the C foreign function interface (FFI). I won’t cover all of them here. Foreign function interface The foreign function interface (FFI) is what allows you to use libraries written in other programming languages. Nim includes types that are native to C and C++, allowing libraries written in those languages to be used. Most of the built-in types are defined in the system module, which is imported automatically into your source code. When referring to these types in your code, you can qualify them with the module name (for example, system.int), but doing it isn’t necessary. Modules Modules are imported using the import keyword. Table 1. Basic types Integer The integer type represents numerical data without a fractional component; whole numbers. The amount of data this type can store is finite, and there are multiple versions in Nim, each suited to different size requirements. The main integer type in Nim is int. It’s the integer type you should be using most in your Nim programs. Table 2. Integer types An integer literal in Nim can be represented using decimal, octal, hexadecimal, or binary notation. Listing 4. Integer literals let decimal = 42 let hex = 0x42 let octal = 0o42 let binary = 0b101010 Listing 4 defines four integer variables and assigns a different integer literal to each of them, using the four integer-literal formats. You’ll note that the type isn’t specified for any of the defined variables. The Nim compiler infers the correct type based on the specified integer literal. In this case, all variables have the type int. The compiler determines which integer type to use by looking at the size of the integer literal. The type is int64 if the integer literal exceeds the 32-bit range; otherwise it’s int. But what if you want to use a specific integer type for your variable? There are numerous ways you can accomplish this: let a: int16 = 42 ❶ let b = 42'i8 ❷ ❶ Explicitly declares a to be of type int16. ❷ Uses a type suffix to specify the type of the integer literal. Integer size Explicitly using a small integer type such as int8 may result in a compile-time or, in some cases, a runtime error. Take a look at the ranges in table 2 to see what size of integer can fit into which integer type. You should be careful not to attempt to assign a bigger or smaller integer than the type can hold. Nim supports type suffixes for all integer types, both signed and unsigned. The format is ‘iX, where X is the size of the signed integer, and ‘uX, where X is the size of the unsigned integer. Floating-point The floating-point type represents an approximation of numerical data with a fractional component. The main floating-point type in Nim is float, and its size depends on the platform. Listing 5. Float literals let a = 1'f32 let b = 1.0e19 The compiler implicitly uses the float type for floating-point literals. You can specify the type of the literal using a type suffix. Two type suffixes for floats correspond to the available floating-point types: ‘f32 for float32 and ‘f64 for float64. Exponents can also be specified after the number. Variable b in the preceding listing is equal to 1×1019 (1 times 10 to the power of 19). Boolean The Boolean type represents one of two values: usually a true or false value. In Nim, the Boolean type is called bool. Listing 6. Boolean literals let a = false let b = true The false and true values of a Boolean must begin with a lowercase letter. Character The character type represents a single character. In Nim, the character type is called char. It can’t represent UTF-8 characters; it encodes ASCII characters. Because of this, char is a number. A character literal in Nim is a single character enclosed in quotes. The character may also be an escape sequence introduced by a backwards slash (\). Some common character escape sequences are listed in table 3. Listing 7. Character literals let a = 'A' let b = '\109' let c = '\x79' Unicode The unicode module contains a Rune type that can hold any unicode character. Table 3. Common character escape sequences Newline escape sequence The newline escape sequence \n isn’t allowed in a character literal, as it may be composed of multiple characters on some platforms. On Windows it’s \r\l (carriage return followed by line feed), whereas on Linux it’s \l (line feed). Specify the character you want explicitly, such as ‘\r’ to get a carriage return, or use a string. String The string type represents a sequence of characters. In Nim the string type is called string. It’s a list of characters terminated by ‘\0’. The string type also stores its length. A string in Nim can store UTF-8 text, but the unicode module should be used for processing it, such as when you want to change the case of UTF-8 characters in a string. Multiple ways can be used to define string literals, such as this: let text = "The book title is \"Nim in Action\"" When defining string literals this way, certain characters must be “escaped” within them. For instance, the double-quote character (“) should be escaped as \” and the backward-slash character (\) as \\. String literals support the same character escape sequences that character literals support; see table 3 for a good list of the common ones. One major additional escape sequence that string literals support is \n, which produces a newline; the actual characters produced depend on the platform. The need to escape some characters makes some things tedious to write. One example is Windows filepaths: let filepath = "C:\\Program Files\\Nim" Nim supports raw string literals that don’t require escape sequences. Apart from the double-quote character (“), which still needs to be escaped as "", any character placed in a raw string literal is stored verbatim in the string. A raw string literal is a string literal preceded by an r: let filepath = r"C:\Program Files\Nim" It’s also possible to specify multiline strings using triple-quoted string literals: let multiLine = """foo bar baz """ echo multiLine The output for the preceding code looks like this: foo bar baz Triple-quoted string literals are enclosed between three double-quote characters, and these string literals may contain any characters, including the double-quote character, without any escape sequences. The only exception is that your string literal may not repeat the double-quote character three times. There’s no way to include three double-quote characters in a triple-quoted string literal. The indentation added to the string literal defining the multiLine variable causes leading whitespace to appear at the start of each line. This can be easily fixed using the unindent procedure. It lives in the strutils module, so you must first import it. import strutils let multiLine = """foo bar baz """ echo multiLine.unindent This produces the following output: foo bar baz Defining variables and other storage Storage in Nim is defined using three different keywords. In addition to the let keyword you can also define storage using const and var. let number = 10 By using the let keyword, you’ll be creating what’s known as an immutable variable—a variable that can only be assigned to once. In this case, a new immutable variable named number is created, and the identifier number is bound to the value ten. If you attempt to assign a different value to this variable, your program won’t compile, as in the following numbers.nim example: let number = 10 number = 4000 The preceding code produces the following output when compiled: numbers.nim(2, 1) Error: 'number' cannot be assigned to Nim also supports mutable variables using the keyword var. Use these if you intend on changing the value of a variable. The previous example can be fixed by replacing the let keyword with the var keyword. var number = 10 number = 4000 In both examples, the compiler infers the type of the number variable based on the value assigned to it. In this case, number is an int. You can specify the type explicitly by writing the type after the variable name and separating it with a colon character (:). By doing this, you can omit the assignment, which is useful when you don’t want to assign a value to the variable when defining it. var number: int ❶ ❶ This will be initialized to 0. Immutable variables Immutable variables must be assigned a value when they’re defined because their values can’t change. This includes both const and let defined storage. A variable’s initial value will always be binary zero. This manifests in different ways, depending on the type. For example, by default, integers are 0 and strings are nil. nil is a special value that signifies the lack of a value for any reference type. The type of a variable can’t change. For example, assigning a string to an int variable results in a compile-time error as in this typeMismatch.nim example: var number = 10 number = "error" Here’s the error output: typeMismatch.nim(2, 10) Error: type mismatch: got (string) but expected 'int' Nim also supports constants. Because the value of a constant is also immutable, constants are like immutable variables defined using let, but a Nim constant differs in one important way: its value must be computable at compile time. Listing 8. Constant example proc fillString(): string = result = "" echo("Generating string") for i in 0 .. 4: result.add($i) (1) const count = fillString() Note The $ is a commonly used operator in Nim that converts its input to a string The fillString procedure in listing 8 generates a new string, equal to “01234”. The constant count is assigned this string. I added the echo at the top of fillString’s body to show that it’s executed at compile time. Try compiling the example using Aporia or in a terminal by executing nim c file.nim. You’ll see “ Generating string” amongst the output. Running the binary never displays that message because the result of the fillString procedure is embedded in it. To generate the value of the constant, the fillString procedure must be executed at compile time by the Nim compiler. Be aware that not all code can be executed at compile time. For example, if a compile-time procedure uses the FFI, you’ll find that the compiler outputs an error such as “ Error: cannot 'importc' variable” at compile time. The main benefit of using constants is efficiency. The compiler can compute a value for you at compile time, saving time that’d be otherwise spent at runtime in your program. The obvious downside is longer compilation time, but it could also produce a larger executable size. As with many things, you must find the right balance for your use case. Nim gives you the tools, but you must use them responsibly. You can also specify multiple variable definitions under the same var, let, or const keyword. To do this, add a new line after the keyword and indent the identifier on the next line: var text = "hello" number: int = 10 isTrue = false The identifier of a variable is its name. It can contain any characters as long as the name doesn’t begin with a number and doesn’t contain two consecutive underscores. This applies to all identifiers, including procedure and type names. Identifiers can even make use of unicode characters: var 火 = "Fire" let ogień = true Procedure definitions Procedures allow you to separate your program into different units of code. These units generally perform a single task, after being given some input data, usually in the form of one or more parameters. In other programming languages a procedure may be known as a function, method, or subroutine. Each programming language attaches different meanings to these terms, and Nim is no exception. A procedure in Nim can be defined using the proc keyword, followed by the procedure’s name, parameters, optional return type, =, and the procedure body. Figure 1 shows the syntax of a Nim procedure definition. Figure 1. The syntax of a Nim procedure definition The procedure in figure 1 is named myProc and it takes one parameter ( name) of type string, and returns a value of type string. The procedure body implicitly returns a concatenation of the string literal “ Hello ” and the parameter name. You can call a procedure by writing the name of the procedure followed by parentheses: myProc("Dominik"). Any parameters can be specified inside the parentheses. Calling the myProc procedure with a “ Dominik” parameter, as in the preceding example, will cause the string “ Hello Dominik” to be returned. Whenever procedures with a return value are called, their results must be used in some way. proc myProc(name: string): string = "Hello " & name myProc("Dominik") Compiling this example will result in an error: “file.nim(2, 7) Error: value of type ‘string’ has to be discarded”. This error occurs as a result of the value returned by the myProc procedure being implicitly discarded. In most cases, ignoring the result of a procedure is a bug in your code, because the result could describe an error that occurred or give you a piece of vital information. You’ll likely want to do something with the result, such as store it in a variable or pass it to another procedure via a call. In cases where you really don’t want to do anything with the result of a procedure, you can use the discard keyword to tell the compiler to be quiet: proc myProc(name: string): string = "Hello " & name discard myProc("Dominik") The discard keyword simply lets the compiler know that you’re happy to ignore the value that the procedure returns. That’s all for this article. If you find yourself suddenly very interested in learning more about Nim, download the free first chapter of Nim in Action and don’t forget that you can save 37% off the book with code fccpicheta at manning.com.
http://freecontent.manning.com/delving-into-nim/
CC-MAIN-2017-51
en
refinedweb
Rev4 MacOSX Lion 10.7 mozilla-inbound debug test mochitests-2/5 on 2012-06-20 08:40:59 PDT for push 1b1b8f3a4266 slave: talos-r4-lion-046 { == BloatView: ALL (cumulative) LEAK AND BLOAT STATISTICS, default process 445 |<----------------Class--------------->|<-----Bytes------>|<----------------Objects---------------->|<--------------References-------------->| Per-Inst Leaked Total Rem Mean StdDev Total Rem Mean StdDev 0 TOTAL 20 952 103544185 15 (23607.41 +/- 36532.72) 219335432 10 (42051518673.80 +/- 0.00) 427 nsAuthURLParser 24 24 2 1 ( 1.33 +/- 0.58) 283228 1 ( 8134.98 +/- 2123.79) 766 nsHashtable 72 72 4149 1 ( 450.47 +/- 108.79) 0 0 ( 0.00 +/- 0.00) 886 nsNPAPIPluginInstance 152 152 69 1 ( 3.22 +/- 2.02) 8679 2 ( 5.60 +/- 3.11) 887 nsNPAPIPluginStreamListener 136 136 44 1 ( 1.10 +/- 1.27) 134 1 ( 1.68 +/- 1.16) 943 nsPluginStreamListenerPeer 224 224 42 1 ( 0.96 +/- 1.04) 621 1 ( 5.57 +/- 4.25) 1043 nsStandardURL 248 248 87868 1 ( 8279.42 +/- 2080.08) 3850366 1 (18020.74 +/- 2826.11) 1055 nsStringBuffer 8 24 1440375 3 (73391.47 +/- 23956.39) 4581140 4 (106450.96 +/- 45247.65) 1100 nsTArray_base 8 32 33322072 4 (61476.22 +/- 23054.38) 0 0 ( 0.00 +/- 0.00) 1147 nsVoidArray 8 8 958994 1 (11584.67 +/- 2830.88) 0 0 ( 0.00 +/- 0.00) 1149 nsWeakReference 32 32 16465 1 ( 567.84 +/- 179.89) 488571 1 ( 1844.02 +/- 1076.53) nsTraceRefcntImpl::DumpStatistics: 1251 entries TEST-UNEXPECTED-FAIL | automationutils.processLeakLog() | leaked 952 bytes during test execution TEST-UNEXPECTED-FAIL | automationutils.processLeakLog() | leaked 1 instance of nsAuthURLParser with size 24 bytes TEST-UNEXPECTED-FAIL | automationutils.processLeakLog() | leaked 1 instance of nsHashtable with size 72 bytes TEST-UNEXPECTED-FAIL | automationutils.processLeakLog() | leaked 1 instance of nsNPAPIPluginInstance with size 152 bytes TEST-UNEXPECTED-FAIL | automationutils.processLeakLog() | leaked 1 instance of nsNPAPIPluginStreamListener with size 136 bytes TEST-UNEXPECTED-FAIL | automationutils.processLeakLog() | leaked 1 instance of nsPluginStreamListenerPeer with size 224 bytes TEST-INFO | automationutils.processLeakLog() | leaked 1 instance of nsStandardURL with size 248 bytes TEST-INFO | automationutils.processLeakLog() | leaked 3 instances of nsStringBuffer with size 8 bytes each (24 bytes total) TEST-INFO | automationutils.processLeakLog() | leaked 4 instances of nsTArray_base with size 8 bytes each (32 bytes total) TEST-INFO | automationutils.processLeakLog() | leaked 1 instance of nsVoidArray with size 8 bytes TEST-INFO | automationutils.processLeakLog() | leaked 1 instance of nsWeakReference with size 32 bytes } Also in mochitest-ipcplugins: Linux this time, with leaked URL I looked into this a little, but I'm not any closer to understanding what's going on. When we leak the plugin instance, we get a second call to nsPluginStreamListenerPeer::OnStopRequest, note aStatus NS_ERROR_NOT_INITIALIZED #0 nsPluginStreamListenerPeer::OnStopRequest (this=0x7fffb699ed60, request=0x7fffaf52c058, aContext=0x0, aStatus=NS_ERROR_NOT_INITIALIZED) at /home/johns/moz/moz-git/dom/plugins/base/nsPluginStreamListenerPeer.cpp:961 #1 0x00007ffff0f191f6 in mozilla::net::HttpBaseChannel::DoNotifyListener (this=0x7fffaf52c000) at /home/johns/moz/moz-git/netwerk/protocol/http/HttpBaseChannel.cpp:1432 #2 0x00007ffff0f298d0 in mozilla::net::HttpAsyncAborter<mozilla::net::nsHttpChannel>::HandleAsyncAbort (this=0x7fffaf52c2c0) at /home/johns/moz/moz-git/netwerk/protocol/http/HttpBaseChannel.h:339 #3 0x00007ffff0f297ec in mozilla::net::nsHttpChannel::HandleAsyncAbort (this=0x7fffaf52c000) at /home/johns/moz/moz-git/netwerk/protocol/http/nsHttpChannel.cpp:1844 #4 0x00007ffff0f3e7e8 in nsRunnableMethodImpl<void (mozilla::net::nsHttpChannel::*)(), true>::Run (this=0x7fffaf549a00) at ../../../dist/include/nsThreadUtils.h:349 #5 0x00007ffff2fbbe6f in nsThread::ProcessNextEvent (this=0x7ffff6d793d0, mayWait=true, result=0x7fffffffb38e) at /home/johns/moz/moz-git/xpcom/threads/nsThread.cpp:612 #6 0x00007ffff2f2fd59 in NS_ProcessNextEvent_P (thread=0x7ffff6d793d0, mayWait=true) at nsThreadUtils.cpp:220 #7 0x00007ffff2a04c98 in mozilla::places::(anonymous namespace)::BlockingConnectionCloseCallback::Spin (this=0x7fffaf50cb00) at /home/johns/moz/moz-git/toolkit/components/places/Database.cpp:246 #8 0x00007ffff2a04ab3 in mozilla::places::Database::Shutdown (this=0x7ffff6d221f0) at /home/johns/moz/moz-git/toolkit/components/places/Database.cpp:1899 #9 0x00007ffff2a058b7 in mozilla::places::Database::Observe (this=0x7ffff6d221f0, aSubject=0x7fffaf510e00, aTopic=0x7ffff4189a4b "profile-before-change", aData=0x7ffff41899d0 <nsXREDirProvider::DoShutdown()::kShutdownPersist>) at /home/johns/moz/moz-git/toolkit/components/places/Database.cpp:1996 #10 0x00007ffff2f5b816 in nsObserverList::NotifyObservers (this=0x7fffc4a10270,erverList.cpp:99 #11 0x00007ffff2f5dc96 in nsObserverService::NotifyObservers (this=0x7fffe7df3880,erverService.cpp:149 #12 0x00007ffff0d55cd0 in nsXREDirProvider::DoShutdown (this=0x7fffffffb9d8) at /home/johns/moz/moz-git/toolkit/xre/nsXREDirProvider.cpp:861 ...whereas we only ever get one call when the test does not leak, from InputStreamPump. bsmedberg, do you have any ideas about this pretty frequent leak (see John's initial assessment at comment 150)? (In reply to Ed Morley (PTO/travelling until 24th Oct) [:edmorley UTC+1] from comment #280) > bsmedberg, do you have any ideas about this pretty frequent leak (see John's > initial assessment at comment 150)? I guess that's a no. That's OK, manually starring this bug frequently throughout the day is fun anyway... I'm not proud. Or tired. Looks like we're probably on our own here. Alas, it's not as easy to disable our way to victory as the (former) summary would make it seem - neverending.sjs is only used by test_pluginstream_seek_close.html, but the reftests we've been dropping in here so long that I thought that was what the bug was about seem to be leaking something that says is used in 33 reftests. So probably our first step is going to be to file a separate Video/Audio bug for them, and then we can use this bug to just disable test_pluginstream_seek_close.html since nobody wants to fix it, and see whether or not anyone will want to fix those once they are in the right lap. I've disabled test_pluginstream_seek_close.html due to lack of action in this bug (see comment 354): Apparently I have a mxr-reading-comprehension problem, since once leaked demonstrating that it wasn't just test_pluginstream_seek_close.html, it was pretty obvious that test_streamatclose.html uses it too. Now that we know test_streamatclose.html leaks, we should probably disable it (more subtly, since it'll be easier to only disable it if SpecialPowers.isDebugBuild) and reenable test_pluginstream_seek_close.html to see whether or not it also leaks. Disabled test_streamatclose.html in, reenabled test_pluginstream_seek_close.html in It's going to take us a while to remember that bug 806133, which both of those are, exists, isn't it? /me deletes from history My awesomebar is trained on "604", sorry... Created attachment 679943 [details] [diff] [review] Fix Okay so I can reproduce this reliably and I think I sort of understand what is going on. This code scares me. 1) the nsNPAPIPluginInstance is stopped, and destroys its streams 2) nsNPAPIPluginStreamListener::CleanUpStream is called, but this stream has not gotten OnStartBinding 3) nsPluginStreamListenerPeer calls nsNPAPIPluginStreamListener->OnStartBinding / OnStopBinding (who owns this? Should it be killed earlier?) 4) In OnStopBinding() we finally cancel the actual request The resultant number of trips through the event loop for this channel to die and dependancy chain to unwind explains why this leak happens if we shut down the browser immediately, but not otherwise. I think. This patch has CleanUpStream cancel pending requests immediately if it is aware of its associated nsPluginSteamListenerPeer, and also causes OnStartBinding to bail out if we've already been cleaned up. It seems to fix the leak. @bsmedberg - Does any of this make any sense? I've no idea what I'm doing. Rev4 MacOSX Lion 10.7 mozilla-aurora debug test mochitest-other Comment on attachment 679943 [details] [diff] [review] Fix pushed: try: Waiting to see if this stops bug 806133 before re-enabling the test here Try run for c4b05fdd5971 is complete. Detailed breakdown of the results available here: Results (out of 103 total builds): success: 91 warnings: 11 failure: 1 Builds (or logs if builds failed) available at: Unfortunately, your try push was for linux64, and my feeling (without having loaded a hundred logs to double-check) is that 806133 is 100% linux32. (In reply to Phil Ringnalda (:philor) from comment #372) > Unfortunately, your try push was for linux64, and my feeling (without having > loaded a hundred logs to double-check) is that 806133 is 100% linux32. Indeed: (In reply to Phil Ringnalda (:philor) from comment #372) > Unfortunately, your try push was for linux64, and my feeling (without having > loaded a hundred logs to double-check) is that 806133 is 100% linux32. The patch fixes the local testcase I came up with to reproduce this, the try push was more to ensure this didn't cause any further failures -- I didn't hammer any tests on it. If more failures occur after this push, I'll need to go back and find a different repro. Good news: I triggered 20 linux32 debug reftests on your inbound push, and got zero leaks, three fewer than I would have expected if it was still leaking Bad news: we hadn't noticed that we had a permaorange failure in linux32 debug reftest from somewhere way down below you, so now your push looks like crap ;) (In reply to John Schoenick [:johns] from comment #370) > Waiting to see if this stops bug 806133 before re-enabling the test here Looks like this fixed bug 806133 :-) I've backed out the test-disabling: John, thank you for fixing this :-) Please may you request uplift to aurora? (I can't really speak for the patch's risk etc) Comment on attachment 679943 [details] [diff] [review] Fix [Approval Request Comment] Bug caused by (feature/regressing bug #): Unknown User impact if declined: No user impact, but continuing frequent orange on FF18 Testing completed (on m-c, etc.): on m-c Risk to taking this patch (and alternatives if risky): Low, small tweak to ordering of plugin stream cleanup. String or UUID changes made by this patch: None Comment on attachment 679943 [details] [diff] [review] Fix Approving on aurora as it has no user impact and fixes an orange on FF18
https://bugzilla.mozilla.org/show_bug.cgi?id=766886
CC-MAIN-2017-51
en
refinedweb
Software > Software C++ PROGRAMMING FOR A SINGLE LAYER PERCEPTRON LEARNING...HELP PLZ... (1/1) katherina: i need help as i have to pass this up in 2 days time...I have to do a program for a single layer perceptron learning for BOOLEAN LOGIC of an "OR GATE". I can't seem to display my output... n i wanted to display how many times(Epoch) the perceptron trained the program until the desired output is the same with the actual output. how do i make a program to know how many times did the program is trained until the answer is correct? please correct me on anything that u find wrong... espcially the program. This is the one that our lecturer gave us, the perceptron learning is developed using EXCEL... I have to deelop something that can output the things just like in this EXCEL program but using other languages... and i have chosen to use C++ language.. :) and this is my C++ progam...: #include <iostream> #include <cstdlib> #include <ctime> #include <cmath> using namespace std; int main () { float w [2]; int x1, x2, Yd; // to declare the inputs float Out, Yp, e, teta, alpha, ww1, ww2; // to declare the variables used cout << "Please insert 'INITIAL WEIGHTS' (between -0.5 and 0.5)" << endl << "------------------------------------------------------" << endl; cout << "w1 = "; cin >> w[1]; cout << "w2 = "; cin >> w[2];; cout << "Please insert the value for 'teta' and 'alpha'"<< endl; cout << "-----------------------------------------------" << endl; cout << "teta = "; cin >> teta; cout<< "alpha = "; cin >> alpha; /* define and initialize training data */ int train [4] [3] = { 0, 0, 0, 0, 1, 1, 1, 0, 1, 1, 1, 1 }; for (int i = 0; i < 4; ++i) { x1 = train[0]; //input for x1 x2 = train[1]; //input for x2 Yd = train[2]; // desired output //find weighted sum of inputs and threshold values Out = x1*w[1] + x2*w[2] - teta; } cout << Out; } MadMax: okay: 1. after a cin>> command, you should type cin.get(); the function of cin.get() is to discard the last piece of input you've put into a certain variable. This is very usefull, because when you press 'enter' on your keyboard, the ASCII code for 'enter' is added to your input 2. --- Code: --- cout << "w1 = "; cin >> w[1]; cout << "w2 = "; cin >> w[2];; --- End code --- you use the ';' sign two times after cin>> w[2]; so it should be: --- Code: --- cout << "w1 = "; cin >> w[1]; cout << "w2 = "; cin >> w[2]; --- End code --- 3. you declare this variable: --- Code: ---int x1 --- End code --- and at the end of the program, you say that x1 should be the entire array of 'train' --- Code: ---x1 = train; //input for x1 x2 = train[1]; //input for x2 Yd = train[2]; // desired output //find weighted sum of inputs and threshold values Out = x1*w[1] + x2*w[2] - teta; --- End code --- 4. You use C++ to program your program. However, you use 3 c-libraries, why aren't you using: "stdlib.h", "time.h" and "math.h" I also can't see the point in using time.h because you aren't using any of it's functions. And math.h is also unnesecary because you aren't using any complex mathmetics (sin, cos, tan functions etc.) 5. Either your shift key is stuck, or you should read this article: clicky ;-) 6. Last but not least, you use a loop to define the variable 'out' a couple of times. However, your 'cout<< Out;' command is placed AFTER the for loop. Was this your intention? katherina: tq 4 d help... ;D Navigation [0] Message IndexGo to full version
http://www.societyofrobots.com/robotforum/index.php?topic=2049.0;wap2
CC-MAIN-2017-51
en
refinedweb
In nearly every solution there is the need to have a unique numbering of the Custom Business Object instances. Until now in most cases a special Custom Business Object is “misused” for this functionally. With the release 1405 we finally provide a reuse library which does the job. Here I want to describe how this reuse library can be used and explain it with some examples. Use Case “Quote, Order, Invoice Numbering” You are using quotes, orders, and invoices and need to number them in separate intervals. Step 1: Create a own Code Data Type As we are working with quotes, orders, and invoices, I created a own code data type and named it “OrderType”. Step 2: Custom Reuse Library The reason to create a Custom Reuse Library is that you can centralize the creation of the numbers and reuse this. This Custom Reuse Library should contain a function to derive the numbers which has as an input parameter the order type. Step 3: Code the Function in the Custom Reuse Library In the resp. ABSL code the Reuse Library NumberRange is called to draw a new number for the order type from the input. We use the order type as so called Number Range Object to separate between different number ranges. As we want to separate the number between the order types a switch statement follows in which the formatting takes place. The result is convert to string and assigned to the return parameter Step 4: Call of the Function in the Custom Business Object Script In the ABSL coding of the Custom Business Object Quote the drawing of the invoice number looks like this. Similar are the Order and Invoice: Use Case “Special Format for Records” You need to format the identification of a record in a distinct manner; especially you want to include the current year. Step 1: Call the Reuse Library Call the Reuse Library to draw a new number for the record. Use the string “RECORD” for the Number Range Object. Step 2: Format the Number We want to prefix each and every number with the letter “R”, have the current year, and the number with 4 digits. Each part is separated by a minus sign. As the length of the return value of the DrawNumber function of the Reuse Library is char 60 we use Substring 56. Step 3: Call of the Function in the Custom Business Object Script The call in the ABLS code is very simple. Step 4: Reset the Number Range Object As we include the current year we want the numbers to restart each year. Therefore we need to reset the Number Range Object by calling this code. That’s all, folks. Horst Hi Horst, thanks for your blogpost. I have a question, as the above mentioned way doesn’t work and we are getting dumps in ByD. We have created a Codelist with an entry of our own created bo (ABCNumber). We are handling this Codelist value in the parameter of the created custom reuse library. In the reuse library we draw the number from the NumberRange as you mentioned above. Unfortunately we are getting a dump when we are exectuing this. The call is: var number = NumberRange.drawNumber(“ABCNumber”) Could you maybe help us here? Best Regards, Daniel Hello Daniel, Can you provide some details about the dump? Bye, Horst Hi Horst, thanks for your respond. We have tried to get a solution for this issue and we now found one. If we are using the following code, there will be a number drawn from the number range: // var numberRange : ID = “Record”; var number = NumberRange.DrawNumber(numberRange); var aktID = (100000 + number).ToString(); // We don’t know, why we got a dump, but finally it works. Best Regards, Daniel Hello Daniel, If there any issues, please contact me. Bye, Horst Hi Horst, I am getting “0” when I use NumberRange.GetNumber function in another instance. BeforeSave for instance 1 var rec : ID=”ORDER”; var num=NumberRange.DrawNumber(rec); // is 3. var currentNum=NumberRange.DrawNubmer(rec); // is 3 BeforeSave for instance 2 var rec : ID=”ORDER”; var current=NumberRange.GetNumber(rec); // always gives “0”. with a warning “Invalid Importing Parameter Namespace”. Best Regards Fred. Hello Fred, Because of this message you will get the “0” back. The message is raised because the namespace of your solution was not handed over. Any special for the second instance? Otherwise you need to raise a incident. You can ask the processor to put it direct on my name. 😀 Bye, Horst Hi Horst, Thanks . “Not handed over”? I dont understand what you mean. 🙂 How can I make it handed over? 🙂 I think there is nothing special in the second instance. Best Regards Fred Hello Fred, That’s nothing you are doing direct. 😀 It the system, stupid. 😉 So, create the incident. Sorry, Horst Thank you Horst for the great blog. Regards, Gincy Anto. Hi Horst, Thanks for sharing such type of blog!!!! I go through this blog , Firstly i have created code list data type with order only then create reuse library. When i have written code in GetOrderNumber.absl then it gives dump. I am not accessing Code list name directly . Can you help me on this. Regards, Puneet Mittal Hello Puneet, May you post the code? Bye, Horst
https://blogs.sap.com/2014/06/27/how-to-use-the-reuse-library-numberrange/
CC-MAIN-2017-51
en
refinedweb
In this first lab we will start with data exploration in Pandas. We will explore a medical dataset where the only thing we know is that each row is a patient. The last column (279) is the medical condition (coded with an integer) and we are trying to understand what the other features mean. Let's start by loading a few standard libraries and load the dataset using the DataFrame.read_csv method import pandas as pd import numpy as np import matplotlib.pyplot as plt %matplotlib inline from sklearn.preprocessing import StandardScaler path='PatientData.csv' df=pd.read_csv(path,header=None,na_values='?') The Pandas Dataframe df now contains our data as a table. We can have a quick look using df.head() 5 rows × 280 columns df.shape #See how many patients and how many features we have. (452, 280) One first method of visualization is to simply plot the first column as a time series plt.plot(df[0]) [<matplotlib.lines.Line2D at 0x119a4dcd0>] Looks like some mess around 50. Can't tell much more from this. Lets try to explore the values df[0] takes instead. df[0].value_counts()[:10] #The top 10 highest values 46 15 36 14 37 14 47 14 44 13 35 13 45 13 40 12 50 12 57 12 Name: 0, dtype: int64 Ok, these are always integers. It seems that 46 is the most frequent value that appears in 15 patients, then 36 etc. Lets make a histogram df[0].hist(bins=10) <matplotlib.axes._subplots.AxesSubplot at 0x1192bc5d0> There is a range from 0 to 80 and peaks around 45. Since these are patients, our conclusion: df[0] must be the age of each patient ! Our most reliable exploration is to see the value counts df[1].value_counts() 1 249 0 203 Name: 1, dtype: int64 This is some binary feature that seems balanced. We will need the help of something else to decide what. Let's keep on exploring for the third column. Plotting it as a time series shows something interesting: plt.plot(df[2]) [<matplotlib.lines.Line2D at 0x11d0d0b10>] Most values are around 180 but there are some crazy outliers. Let's find them and look at them more carefully: df[ df[2]>200] #select and show the rows where df[2] is big 2 rows × 280 columns So patients 141 and 316 are outliers for this feature. Lets see the value counts: df[2].value_counts()[:10] 160 81 165 46 170 40 155 23 175 21 156 19 163 16 162 15 168 15 172 14 Name: 2, dtype: int64 The key thing to realize here is that this is height in centimeters. This also explains that the **outliers** with height 780 and 608 have age 0 or 1. These must be babies and maybe there was some error in data entry. We can now decode what the 0 and 1 must mean in the categorical feature. We will create the average of the other features. Lets keep only columns 1:5 df2=df[[0,1,2,3,4,5]] print df2.head() print df2.shape 0 1 2 3 4 5 0 75 0 190 80 91 193 1 56 1 165 64 81 174 2 54 0 172 95 138 163 3 55 0 175 94 100 202 4 75 0 190 80 88 181 (452, 6) df3=df2.groupby(1).mean() df3 Groupby is a cool dataframe method that can be used to average rows grouped by their value on one feature (and can also do many other things). The output we obtain says that for these rows where df[1]=0, the average height (i.e. df[2]) is 171cm. The National center for Health statistics lists average weight and height for men to be 88.5 kg 176cm and for women 75kg and 162cm. So we conclude that df[1] =0 must indicate male patients and the opposite female. If we compare with the CDC data more carefully, we should calculate average height and weight of patients aged 20 or older: df4= df2[ df[0]>19].groupby(1).mean() df4 Strange ! Average heights became smaller for both men and women. This is because we removed the two giant babies (Observe above that one was male and the other female) which were actually increasing the average. Gladly the average weight increased a bit, as expected What about the other features? They turn out to be QRS duration and P-R interval. This is the UCI Arrhythmia dataset. from IPython.core.display import HTML def css_styling(): styles = open("custom.css", "r").read() return HTML(styles) css_styling() %%javascript javascript:$('.math>span').css("border-left-color","transparent")
http://nbviewer.jupyter.org/url/users.ece.utexas.edu/~dimakis/DataScience/DataExploring3.ipynb
CC-MAIN-2017-51
en
refinedweb
Hello everybody! I'm building a automated camera pan an tilt platform to take panorama pictures. I don't have much electronics experience but I'm jumping in the deep end anyway I'm trying to connect my LV168 with the Micro Serial Servo Controller. As far as I can figure out the serial lines on the LV168 are PD0 and PD1, are these the user I/O lines 8 and 7? So should I connect: (on LV168) - (on servo controller)User I/O signal 7 - RS232 serial input User I/O ground 7 - GND Are there by any change example programs for the LV-168 that demonstrate the micro servo controller? Thanks in advance! Hey Marcel, it's not quite the same as your setup, but have you taken a look at this thread? Anyway, you want to connect PD1 (I/O pin 7) to the logic-level serial input (SIN) pin on your micro serial servo controller, not the RS-232 level serial input pin. Also, you must have a ground connection between the two devices, but which ground pin you use isn't of particular importance. As for a code example, if you want to use the Arduino language, that thread I linked to above should help. If you're writing in C, this should work, but I hate posting code I haven't actually tested: #define F_CPU 20000000//CPU clock #define BAUD 9600//baud rate for UART #define MYUBRR 129//(F_CPU/16/BAUD-1) baud rate variable for UART hardware #include <avr/io.h> void USART_Init(unsigned int ubrr); void USART_Trans(unsigned char data); int main(){ USART_Init(MYUBRR); while(1); } void USART_Init(unsigned int ubrr){//Initialize USART hardware UBRR0H=(unsigned char)(ubrr>>8);//set buad rate UBRR0L=(unsigned char) ubrr; UCSR0B=(1<<TXEN0);//enable transmitter UCSR0C=(3<<UCSZ00);//Set frame format for 8bit with 1 stop } void USART_Trans (unsigned char data){//Transmit a byte of data over USART while(!(UCSR0A&(1<<UDRE0)));//wait for transmition to complete UDR0=data; } That should set servo 0 to its neutral position, using Pololu mode (mode select jumper removed on the servo controller) with the LV168 running at full 20MHz. Is everything working now? -Adam Hello. I assume that by "user I/O lines 7 and 8" you mean counting the header pins from left to right on the LV-168 starting from 1? If so, then you are correct. If you look on the silkscreen on the back of the board you can see the serial pins labeled as D0 and D1: So when the board is flipped over and you're looking down at the top side of the PCB, the LV-168's serial receive pin (PD0) is the rightmost one on the 3x8 header strip, and the serial transmit pin (PD1) is the one just to the left of it. - Ben Thanks for your answers Nexisnet and Ben! Is using the connection from PD7 (ground+signal) to the RS232 not possible? The reason I want to use the RS232 input is because the LV168 and the Servo controller are using diferent voltages. The LV168 is using 3.6V and the Servo Controller is using 4.8V. I tried your example program, but unfortunately it doesn't seem to work. I see the following: (Both LV168 and Servo Controller are off)Turn on Servo Controller -> Yellow LED is on continouslyTurn on LV168 -> Red LED is on continously, green LED blinks Could this be because I'm using the RS232 input? I tried hooking up the LV168 to the same battery pack as the servo controller (4 x 1.2V) but it then the LV168 made a high pitched squeaky sound, so I turned it off directly. It didn't sound healthy at all. The Orangutan LV168 is actually running at 5V (it uses a step-up voltage regulator to produce 5V from source voltages as low as 2V), so it can communicate just fine with the micro serial servo controller. The serial output of the LV168 must be connected to the logic level serial input pin of the servo controller, the RS-232 input will invert the serial signal, which is probably why you saw the servo controller's LEDs indicating a serial error. I hope your LV168 is alright, you should never connect more than 5V to it. The rating of your battery pack is the "nominal" voltage, but the voltage actually varies as the battery is charged and discharged. A fully charged NiMH four-cell pack can reach 6.4V, well out of spec of the LV168. Also, just to check, are you using the VCC=VS jumper on your servo controller? This bypasses the on-board voltage regulator, so you should not apply more than 5V this way. Good power options are:How's it going now? Did your LV168 survive? Ah, I didn't know that! Luckily it seems my LV-168 did survive, first thing I did was reprogram it with the test program. To my relief it seems to work ok (funky music!) I tried hooking up the Servo controller to the 3 cell battery pack, but it doesn't seem to have enough power that way. When I use 4 cell pack the yellow LED is on as soon as I connect, when I use the 3-cell pack none of the LEDs turn on. (Or are all LEDs supposed to be off?) That leaves me with the problem on how to lay the ground wire between the two boards. Here is my current setup (without a GND wire, so it won't work): Laying a GND wire between the GND pins on the two board seems like a bad idea, since they are on different voltages. Or isn't that a problem? I don't see the image in your post (I just see the word "image") but yes, you will need a ground wire connecting your two boards, and no, it won't be a problem if they're at different voltages. The ground connection just serves as a reference for the signal power. Voltages aren't absolute, they're relative differences, so the signals sent from your Orangutan to your servo controller need a common reference (i.e. 5V more than what?). Also, since the electronics on the servo controller are powered through a 5V linear regulator (which limits higher input voltages down to 5V) and the electronics on your LV168 Orangutan are powered through a step-up regulator (which increases lower voltages up to 5V) the two boards are actually 'running' at the same voltage anyway, even though they're being powered from different sources. Actually, the LV168 5V step-up regulator can source about 150mA above what the Orangutan uses itself, and the servo controller's regulator can take 5V as its input. If you're not doing anything else with it, you could power the electronics of your servo controller (voltage input on the left side of the board in the pictures) from the LV168's 5V output header, and the servo bus (right side of the board in the pictures) from a separate, higher battery. Just MAKE SURE you don't have the VCC=VS jumpers connected! I'm back at it after a break, and connecting the ground wire has worked! My servo is making tiny ticking noises indicating that its getting some signals at least. Not much movement though. Sorry to have to ask help again, but which values should I send to make it ping-pong between the maximum values? I tried something like this: [code] int main(){ USART_Init(MYUBRR); while(1){ _delay_ms(1000);34);//position low 7 bits _delay_ms(1000); } }[/code] Hey Marcel, welcome back. I see two little bugs in the code you pasted above. First, you had no way of knowing this, but at a 20MHz clock speed the stock delayms function maxes out at 13ms, so your second-long delays are really only 13ms long. You can achieve longer delays by calling a shorter delay multiple times in a loop. Also, the two different positions you're commanding are very close together, since you're only changing the low byte of the two-byte absolute position command. The two-byte protocol has a range from 500 to 5500, so on a scale with 5000 increments you're commanding a change of only 4 increments. Frankly I'm surprised the servo is even making noise for such a small change. You don't want to slam your servo into its mechanical stops, so lets try swinging it between 2000 and 4000. Using the Pololu mode absolute position protocol, the two position bytes would be:2000: 0x0F,0x504000: 0x1F,0x20 So you would want to change your code to something like this: int main(){ USART_Init(MYUBRR); unsigned char i; while(1){ USART_Trans(0x80);//start byte USART_Trans(0x01);//device ID (servo controller) USART_Trans(0x04);//command number 4 (absolute position) USART_Trans(0x00);//servo number USART_Trans(0x0F);//position high bits (2000: 0x0F,0x50) USART_Trans(0x50);//position low 7 bits for(i=0;i<100;i++){ _delay_ms(10); } USART_Trans(0x80);//start byte USART_Trans(0x01);//device ID (servo controller) USART_Trans(0x04);//command number 4 (absolute position) USART_Trans(0x00);//servo number USART_Trans(0x1F);//position high bits (4000: 0x1F,0x20) USART_Trans(0x20);//position low 7 bits for(i=0;i<100;i++){ _delay_ms(10); } } } Did that do it? For a little more explanation of the Pololu-mode absolute position protocol, check out this thread. Hmmm, no luck so far. I've added a bit of code that prints to the lcd, the program is running fine switching the position ever second.The green led on the Servo controller is blinking every 1 sec, but the servo is not moving. And here is a picture of my setup: old.cgtextures.com/.Temp/LV168_2.jpg And in case the wires are hard to see, here is a schematic of how I connected them. old.cgtextures.com/.Temp/LV168.jpg I've also tried a different servo (the one I'm using is the huge HiTec 805BB) but that gave me no movement either. The batteries are fully charged. Thanks again for your help, I really appreciate that you are taking your time to help me out here. Once I get the servo moving I'm sure I do the rest myself Hmm, that all looks right. Have you tried checking the servo number settings? Sometimes in figuring out how to use the servo controller, you can accidentally send a string of bytes that configures the controller to respond to a different set of servo numbers (I've done it). Detailed instructions are in the manual, but basically you can check the servo number range by putting the servo controller in Pololu mode (pull off the jumper then start it up) and sending the byte string {0x80, 0x02, 0x10}. The red and yellow LEDs should turn on, and the green led should flash a number of times over and over again with a 1 second pause in between. If the green LED flashes just once that's not the problem, but if it flashes any other number of times the servo number range has been changed. To reset it to normal (servos 0-7) reset the servo controller and send it the byte string {0x80, 0x02, 0x00}. You should now see the green LED flash just once every second. You'll need to reset the servo controller again before it will move any servos. If that's not it I'm running out of ideas. It works! My servo is happily moving back and forth. I'm ashamed to say the problem was that I had the Servo Controller in Mini SSC II mode, I thought the jumper was to turn Pololu mode on... Many thanks for your help, I'll be sure to post once I have some practical results out of my camera rig (or when I have more questions, which is more likely )
https://forum.pololu.com/t/pd0-pd1-on-lv168/947
CC-MAIN-2017-51
en
refinedweb
NSI Modifies "whois" Agreement 131 drwiii writes "Our good friends at NSI have modified their WHOIS agreement yet again, and it now seems to forbid any repackaging of the results returned from the query, even if your interest is not commercial. Also, notice how the agreement now appears before any results are returned. " I noticed it says "significant portion", but it also never really defines it, either... Re:WHOIS is useless these days anyway! (Score:1) Besides, now you don't have to wait a couple of years to modify your domain by sending out e-mails that takes months to answer after filling out the forms over at NSI. With Domain Manager at register.com you can change your DNS information yourself without having to wait for two months just to get a confirmation, then another two months to have that confirmation answered. Simplicity. Enter your new DNS info, wait for most DNS servers' cache to reload usually about 4-6 hours and your in business. sil@antioffline.com sil@macroshaft.org root@regret.org joquendo@register.com register.com whois / Helpful info on register.com (Score:1) word of warning about register.com -- They automatically have your MX (mail) records setup to send to their siteamerica.com email hosting "service" They want to charge some ungodly amount of money per year for this "service". Your not currently able to change your MX record with their web based administration tools (they tell me it's coming in a month or so!). So you have to email them. They say to expect a response within 48-72 hours, but are usually much quicker. I thought they weren't that great, but from what I'm hearing about NSI, they seem to be the lesser of two evils Re:WHOIS is useless these days anyway! (Score:1) whois -h whois.register.com cooldomain.org (and obviously replace cooldomain.org with whatever you're looking up) So, i guess in order to get domain contact info, you would need to write a script of sorts that checks each whois host (nsi's and register.com's at the moment -- more to come in the future, i'm sure) until it finds the domain you're looking for... Re:Grr (Score:4) It broke my scripts. All I want to do is find out if a name is taken already before I allow a user to proceed thinking all is well. I'll bet that's the idea, only they are targeting the new registrars who might want to automate the process of registration. The biggest mistake in breaking NSI's monopoly was that they got to retain the actual root servers and the whois database. IMHO, the whois database should be regarded as a public record like the property records are. Each registrar should be REQUIRED to have at least two root servers located on different networks, and a complete copy of the whois database. Whois updates and new DNS entries should be circulated like a newsfeed between the registrars. Each registrar should be assigned a night or nights where they circulate the entire contents of their databases so that consistancy can be checked and maintained. Database feeds should be provided free of charge to any and all who want the feed (provided they have the pipe to handle the data, 1200 baud users need not apply) as a REQUIRED public service. This might be an example of what a Geek Union [slashdot.org] would be good for. "We have already cached the root servers. Open the whois databases or we'll all switch to new root servers and lock you out". oops. (Score:2) 590 Spring Creek Court Marietta, GA 30068 US Domain Name: AMORPHOUS.ORG Administrative Contact, Technical Contact, Zone Contact: Brooks, David (DB24252) dbrooks@COMSTAR.NET 770.977.0460 Billing Contact: Brooks, David (DB24252) dbrooks@COMSTAR.NET 770.977.0460 ...oops. Does this constitute a majority? Even though this is my own information, am I still forbade to give it out at my discretion? -- Dave Brooks (db@amorphous.org) Re:WHOIS is useless these days anyway! (Score:1) a> try registering a domain name with Netsol or register.com.. they won't let you if it's registered.... b> do an nslookup using the rootnameservers (put a dot at the end of the domain) (one of the root nameservers is a.root-servers.net)... this will tell you if a name is currently pointing somewhere.. but won't tell you if the name it's self is on hold... (on hold would be a late payment or tradmark dispute type issue) c> go to register.com's whois and it will lookup information in both Netsol and their databases... notice the diffrence in information provided between nudesource.org(a domain registered via register.com) and yahoo.com( a domain registered via netsol) The most anyoing fact about this is there are lots of free hosting companys that have automated scripts that ONLY utilize Netsol's databases and forms.... Hope this helps, Chris Re:Legal Eagles... and republication (Score:1) "By submitting this query, you agree to abide by this policy." hardly seems to apply to a script that can't really understand it... Correction (Score:2) The MX hasnt been thrown into domain manage because the cgi scripts are still being worked on. Picture this for a second as an Admin or Tech Support person in the Internet related field such as register.com Customer: Hi, I just purchased WebTV and I want to host my domain on it. Also please set my MX info to l0ser.webtv.whatever. --------snip------- Currently it is being worked on and if anyone here needs an MX record changed or any other info for that matter I'll stick my foot in my mouth and offer my e-mail where I PERSONALLY will change the info for you. Any spams and I will block you in a heartbeat. Any moronic please redirect my domain to my PalmTop and I'll rm -f it. -----end snip----- joquendo@register.com Re:Probably to FIGHT spammers... (Score:1) Yeah, this license might have an effect on spam, but its effect on the availiabilty of the information in general is chilling. Re:register.com (Score:1) Browser Problem I'm sorry, but this site is not viewable with Lynx. Thank you for your understanding. Says it all... Re:Telnet access (Score:1) But the response begins with their admonition about how not to use it, concluding with the preposterous statement "By submitting this query, you agree to abide by this policy." /. effect, kinda-sorta? (Score:1) what would it take to get a devoted Free replacement available? granted, these buggers have the first-hand information because of their position, but there's got to be SOMETHING that can be done about their attitude.... anticompetitive? (Score:1) This strikes me as part of NSI's attempt to retard competition in the registrar arena while proclaiming all the best intentions. Speaking of competition, has anyone had success with one of the alternate registrars yet? AOL is in trouble (Score:3) Re:/. effect, kinda-sorta? (Score:1) Of course, if anyone comes up with an idea of what to do to the creatins, let me know... IANAL, but what if everyone took the whois information from a few sites, and put it in another database? That way, no one person is replicating a "substantial portion" of the database? Who knows.. just a thought "..by submitting this query..." (Score:1) That's what this is anyway, a result, not a query. Is NSI trying to make us think results are queries now? Now, if I submitted the result as a query, then I'd be 'agreeing' to their little request. But how many of you go around submitting those results as queries anyway? Not that I agree with their request. Re:register.com (Score:1) Re:411 (Score:1) Not sure what the legal basis of this decision was, but I'm sure it can & will be used as a precedent if & when NSI decides to sue someone. Answer: don't believe them. Ignore their claims. (Score:3) Their claim is invalid for the following reasons: Any one of these would invalidate their claim, even if they fixed the others! (Remember this, in case they fix any.) I don't think their claim could ever stand a chance in court. So does anyone want a CGI script that's a whois gateway? Install it on your site to automatically violate NSI's claim. It would force them to either openly ignore you or take you to court, where they'd have no case. If anyone wants to snub NSI like this, ask me and I'll write a simple whois gateway for you. On another front, it really seems to me that if all the sysadmins are pissed off at NSI, we could all start pointing our DNS's to an alternate root DNS server (maybe in addition to NSI). What, exactly, is stopping us from doing this? Even if only half the sysadmins did it, the others would follow suit so as not to lose access to all those alternate domains. Re:it's a feature (Score:1) 22 lines from start to finish of the actual form for a domain with 3 backup NS's. Sorry, still don't agree (Score:2) Well, I don't. I still don't. That's why I'm now repackaging, disseminating, and modifying (for HTML) the WHOIS record of my old ISP, Internet Direct. [idirect.com] gemini:~$ whois idirect. Registrant: TUCOWS Interactive Limited (IDIRECT-DOM) 5150 Dundas Street West #306 Etobicoke ON, M9A 1C3 CA Domain Name: IDIRECT.COM Administrative Contact, Technical Contact, Zone Contact: Administrator, DNS (LH90) dnsadmin@IDIRECT.COM 416-233-7150 (FAX) 416-233-6970 Record last updated on 29-Oct-98. Record created on 21-Nov-94. Database last updated on 6-Jul-99 08:47:29 EDT. Domain servers in listed order: NS.IDIRECT.COM 199.166.254.254 NS2.IDIRECT.COM 199.166.254.4 CNS2.IDIRECT.COM 207.136.80.18 CNS1.IDIRECT.COM 207.136.66.20 I called and complained (Score:2) I simply stated the following: 1. That my information was now under a new policy that seemed to discourage it's dissemination. 2. That I was not pleased about this "business decision" of theirs. She was most entirely uninterested in listening to my points. I've spoken with walls and gotten more useful feedback. So, I encourage all that can afford a 3 to 7 minute phone call to give NSI a call today, and let them know you don't exactly aprove of their changing their policy with regards to the data we gave them when we registered a domain. I think I'm going to call and see if I can't speak to somebody about how this "business decision" was reached. scottwimer By reading this message.. (Score:3) Huh? You guys using some interface or something? (Score:1) What ever happened to remebering URL's? ------- Q: What's up? A: A direction. Re:Telnet access (Score:1) EisPick asks, "When you say telnet access, do you mean the *nix whois command?" Nope. Our earlier astute observer is referring to another (former) way to get at whois, via telnet. At the prompt, you would type, telnet rs.internic.net [internic.net] or telnet whois.internic.net [internic.net] Just like telnetting anywhere else. Once logged in, at their prompt, you'd type, whois domain-name.foo I just pinged rs.internic.net, and the server responds. But if you try to telnet in--to either subdomain--it just hangs. I successfully telnetted to two other places, so the problem is not on my end. Looks like it's broken on purpose by NSI. Arrogant jerks. Re:WHOIS is useless these days anyway! (Score:2) NetSol's whois database isn't the only one to suffer from lack-of-usefulness. After repeatedly being the victim of smurf attacks (yes, there are still many broken networks [powertech.no] out there), I wrote a perl script which analyzed the Netflow export from a Cisco 7000-series router, tested the source IPs' networks for "brokenness," and used whois.arin.net to get contact information for those networks. Much to my dismay, I was getting stuff like... 150.174.97.255 52 Virginia State University (NET-VSUNET) "Grey, Michael" vsuars@VCUVM1.BITNET 161.223.245.0 32 Indian Health Service (NET-IHS-BNET) "Jaramillo, Valentino" [No mailbox] 192.48.125.0 33 Solar Energy Research Institute (NET-SERI-2) "Powers, Chuck" [No mailbox] Some of these organizations have had their IP allocations since the mid-1980s and apparently haven't updated their contact information in all this time. (BITNET? Can we say "way of the dodo"?) Of course, since there's no "enforcement" to keep the contact information up-to-date, things won't be changing anytime soon. (At least the .nu registry [] has strong wording in their policy [] regarding valid contact information...) "[No mailbox]" shouldn't be allowed as a contact e-mail address, in my opinion. With the abundance of free/near-free e-mail services out there ( HotMail [hotmail.com], Net@ddress [netaddress.com], etc.), there is no excuse for not having a valid, working e-mail address. If you don't have an e-mail address, then you probably don't need to have IP addresses, either... Re:WHOIS is useless these days anyway! (Score:2) c> go to register.com's whois and it will lookup information in both Netsol and their databases... Unfortunatly, apparently not. [sjames:~]$ whois yahoo.com@whois.register.com [whois.register.com] No match for "yahoo.com". Get your domain name at Re:411 (Score:1) As a side note, since the whois information is not freely distributed, NSI claims not copyright but licensing agreement right. So this argument wouldn't work for them. Re:Answer: don't believe them. Ignore their claims (Score:1) But, I do agree. Ignore it. Just know a good lawyer who doesn't mind fighting it out with NSI. Re:register.com (Score:2) Jerry Isn't this a relaxation of NSI policy? (Score:3) of the database as a whole: "Compilation, repackaging, dissemination, or other use of the WHOIS database in its entirety, or a substantial portion thereof, is not allowed without NSI's prior written permission." The restriction that NSI began attaching in May said: "You agree that you will not reproduce, sell, transfer, or modify any of the data presented in response to your search request, or use of [sic] any such data for commercial purpose, without the prior express written permission of Network Solutions." So in fact this seems to be a step back towards open records. Now, whether their claim that use of the entire database is "not allowed" has any legal force is something a lawyer would have to answer. They don't explicitly claim copyright, except with the "All rights reserved" statement and my memory is that the phone companies failed with similar "compilation copyrights" on white pages in the past. But would it hold up in court? (Score:1) > By submitting this query, you agree to abide by this policy. ... but to _see_ this license, you have to submit a query, which automatically means you've agreed to the license! This is like taking a contract, sealing it in an envelope, and giving it to someone, with a clause in the contract that reads "By opening the envelope in which this contract was contained, you agree to abide by its terms." Granted, this would be a bit harder to make fly if you did enough queries to get "a substantial portion" of the database, but still definately an issue. Government Problems? (Score:1) This is obviously to stop register.com and the like, but anyone who's dealt with NSI before shouldn't be surprised. Re:Telnet access (Score:1) # nmap -sT -p23 rs.internic.net Starting nmap V. 2.2-BETA4 by Fyodor (fyodor@dhp.com,) Interesting ports on rs.internic.net (198.41.0.6): Port State Protocol Service 23 filtered tcp telnet Re:anticompetitive? (Score:1) Register.com - Domain Name Registration Services Browser Problem. I'm sorry, but this site is not viewable with Lynx. Thank you for your understanding. This is lightyears ahead?? --------------- On Re:Telnet access (Score:2) It still works for me: $ telnet whois.internic.net 43 Trying 198.41.0.6... Connected to rs.internic.net. Escape character is '^]'. slashdot.org Access to Network Solutions' WHOIS information is .... etc Evil bastards (Score:1) Re:411 (Score:1) Their "agreement" can't be binding (Score:2) So what, you might say. So I have scripts -- like many other people -- that use the whois db info in a "repackaged" format. And most run without my intervention and have been for a while. So am I now in violation of their agreement? Hell, I may not even know where some of those scripts are anymore! (Possibly a slight exaggeration, but you see the point.) All I'm trying to say is that their "agreement" seems spurious and can't possibly be binding. I mean, who is agreeing to the terms of the "agreement" if the whois db info is being slurped by a script? The author of the software? Yeah, right. Try that one, and I'm suing MS for a mint. OK, maybe the user account that the script runs under? I'd love to see NSI try to sue nobody@lazlo.qualcomm.com. They going to sue my company? I hope they have a lot of lawyers and a lot of money; there's got to be plenty of companies doing the same thing. The hell with NSI, I say. Seriously, what is wrong with people these days? -B How to transfer domain from NSI to register.com? (Score:1) Re:Net::Whois (Score:1) This is taken from a diff that makes Whois.pm work again. It is against Whois.pm 1.13. Insert these lines after line 200. (There's a variable ($text) that gets the info from a socket. Just substitute null for the whole disclaimer phrase with a regex assign.) 201,205c201 my $disclaimer; $disclaimer = EOF;. EOF $text=~s/$disclaimer//; Re:success with one of the alternate registrars (Score:1) Re:By reading this message... (Score:1) Re:Net::Whois (Score:1) I can't make the code format correctly in a reply. There pissed... (Score:1) does any one know of any site with the followiing description Re:Their "agreement" can't be binding (Score:1) By opening this envelope and reading this letter you agree to pay me $100. You have one week to reply before I call my lawyers. Thank you. seems legally identical to me. whois is now so broken that it is nearly useless (Score:1) NSI's new terms seem aimed specifically at keeping someone from building a comprehensive whois database from the individual databases. I distinctly remember being able to query NSI's database from [register.com], but that link seems to be gone now. I never really hated NSI until now. FYI, register.com's whois server is at whois.register.com. Woogie Re:Grr (Score:1) forget boycotting the whois database - provide an alternative! why should we rely on NSI for this information? and somehow, i dont think we'd succeed in boycotting the root servers, either, unless someone is going to donate the machines and we can convince the rest of the world to follow us. but the whois database could be better implemented anyway. and it should be free. my $ 0.02 :) Re:blah at NSI (Score:1) Not to belittle your anti-NSI sentiments, for I think NSI are generally right bastards, but you *could* be perceived as a trifle biased, since you do work for register.com. Re:But would it hold up in court? (Score:1) It's like having a license on the software packaging that says "by reading this license you agree to abide by it"...... good point Come one! Moderate the guy up!! Maybe we could all submit millions of queries simultaneously to their servers?! Re:WHOIS is useless these days anyway! (Score:1) --- workaround (Score:1) Then their server will let you in Re:success with one of the alternate registrars (Score:1) Hm, time for a modified whois client? (Score:1) This information is my information. I paid for it to be entered into this database. As did many others. Meanwhile, the folks at NSI have been buying a new Lexus each year instead of improving their service. They've gotten fat and ugly on the spoils of their monopoly or so it seems. #undef RANT_MODE So I think I want to have this information `at my fingertips' without these silly ever-changing lawyertalk-addendums. So I'll just create a modified whois-client which filters out the crud and gives me what I paid for... Anyone interested just mail me... Cheers//Frank Re:This agreement is a very good thing (Score:1) In other words, "bug off, spammers". May I point out that I have not received one piece of spam to my whois contact email addresses since NSI added this agreement to the whois record. May I also point out that I would get about two or three spams a week (if not more) sent to my whois address as recently as last fall, before NSI added the agreement. Can I just say one thing? BS. =) Not only have 10 other people atleast said this exact thing, so I'm not sure why you're repeating it in the first place, but honestly, do you think spammers really give a damned about an extra few lines in the whois database? They don't. 1) If they did, these same people would abide by ISP AUPs that state spamming is not to be done through their mail servers on their domains, etc etc. They've never cared about that, why should it be different for something imposed by NSI? 2) Do you honestly think you could prove that the spammer got the info from NSI? You couldn't. Therefore why should they be worried about a legal implication such as this? I think you're just imagining things about receiving less spam. -- Mark Waterous (mark@projectlinux.org) I see what they're up to... (Score:1) Didn't the Supreme Court just [not] rule on this? (Score:1) For those who don't want to read it, the Supreme Court (United States) in refusing to hear the case, upheld a decision by a Federal court saying that West, the people who publish all those law books, does not have the exclusive copyright on publishing laws and judicial issues (court decisions, etc). In addition, others will now also be allowed to use West's page numbering system which has become so standard in the legal system, it's almost a second language. My argument is this: If domain names are like "page numbers" (indicators of where to find something, such as an IP address), and their registration information is public domain information (as are court opinions. the REASON I SAY THIS is not to usurp privacy concerns, but my contention that WHOIS is like a phone book, hence your "information" is public), then doesn't this mean that NSI does not have copyright protection for this information and database collection, and, hence, its' "restrictions" are invalid? Now, this might not have held before other registrars were allowed, but since they are, this is more a shared system than ever, and so is more like a phone book than a private listing of customers. #include " its_all_about_the_pentiums.wierd_al [kinet.org]" This agreement is a very good thing (Score:1) NSI is doing the right thing my making spammers legally responsible if they use WHOIS information to harvest spam addresses. - Sam Re:/. effect, kinda-sorta? (Score:1) URG Re:Probably to FIGHT spammers... (Score:1) (sigh) There is no honor among government monopolies. Re:Probably to FIGHT spammers... (Not.) (Score:1) Thinking this revised "license" will help stop spam is a pipe dream -- Network Solutions routinely sends spam to the contact e-mail addresses in its database. And since when has licensing or law stopped spammers? Does anyone remember the last time Network Solutions tried acting in the customer's best interest? Information about domains' last-updated dates was removed from the whois database. Woo, that really stopped the domain hoarding, didn't it? Of course, they must have figured out it didn't do squat -- the information is back. If Network Solutions really wanted to help "the problem," they'd require payment before domain activation. That would at least curb hoarders who register a domain, sit on it for a month, let it be dropped for non-payment, and start the cycle over. That's akin to holding a domain hostage -- the hoarder hasn't paid for it, and it wastes NetSol's resources. You'd think they'd act in their own best interests on this one... Anyway, my guesses about the new license: The writing has been on the wall for a long time. The big change that should have tipped everyone off was when [internic.net] was essentially replaced with [netsol.com], a site where Network Solutions can also peddle its domain parking/web hosting/e-mail services. I'm sure a bunch of clueless upper-management types go there to register a domain, see all the stuff about foreign terms like "nameservers," "DNS," "content hosting," etc., and then see where Network Solutions can handle it all for them! (For a fee, of course.) Just then, the sound of a cash register ding can be heard at Network Solutions' office, and an angel gets set on fire. Just business as usual with "the dot screw-the-customer people." Re:register.com (Score:1) For a domain registrar, you would think they'd would ensure their Web site is viewable by as many browsers as possible. That's just good e-commerce (ugh, I hate that word) sense... NSI - The Spoiled Brats of the Web (Score:1) NSI served notice (as I understand) to the large domain hosting firms hours before the change in the whois was made. However, as there was no way to test their script modifications, most found they had useless scripts Wednesday morning. They are definitely striking back at Register.Com as well. Take for example a domain modification. If you simply send in a modify template without checking first to see if the domain is a regular domain, a WhirlNick domain or a register.com domain and it turns out to be a WhirlNick domain you receive email telling you how to modify the domain. If it is a Register.Com domain you are told the domain name isn't registered. Totally bogus answer aimed at causing confusion. Perhaps ICANN should serve hours notice on NSI and Register.Com that they will, effective immediately, provide a consolidated whois server and both companies are required to send their daily updates to ICANN's server. Remember, NSI no longer sets the rules. ICANN is in charge. NSI is subject to ICANN's wishes which if we all get involved translates into OUR wishes. NSI == gang of mental midgets? (Score:1) Their statement is completely unenforceable. --j Telnet access (Score:3) register.com (Score:1) CmdrTaco: Lawbreaker (Score:1) It would be nice if it wrapped properly on an 80 column terminal, too. *sigh* Grr (Score:1) NSI Agreement (Score:4) What's the point? (Score:1) The new NSI chief's name is Jim Rutt (Score:1) Instead, it's getting worse. As has been pointed out, NSI is basically announcing its claim of compilation copyright on the whois database. This is the same greedy crap that West Publishing does with court rulings, and that many an online service does with the postings of its members. This is evil and must be stopped. Jim Rutt is a smart guy. I advised him to drop the claims on whois and get to the business of fixing their broken customer service system. So far he is heading in directly the opposite direction. Yesterday ICANN announced [icann.org] that 15 candidate registrars have been approved to add to the five existing ones. There are 37 more awaiting certification. Probably 5 to 10 will survive as more than mere niche players. Let's insist on better customer support, service, reliability and lack of greed, and may the best registrar win. It won't be NSI, though. -------- Okay, NSI. (Score. Yahoo (YAHOO-DOM) YAHOO.COM yahoo.com (DUZEN3-DOM) DUZEN.COM yahoo.com, jcarr (JY2887) jcarr_10@YAHOO.COM 303-843-2121 (FAX) 303-843-2221 yahoo.com, trisdog (TY1503) trisdog6@YAHOO.COM 303-571-4930 (FAX) 303-571-4911 yahoo.com, trisdog (TY1504) trisdog6@YAHOO.COM 303-571-4930 (FAX) 303-571-4911 To single out one record, look it up with "!xxx", where xxx is the handle, shown in parenthesis following the name, which comes first. There. I repackaged it into this page. Come get some! -- Re:WHOIS is useless these days anyway! (Score:2) Try their web interface at instead. Yep, that works perfectly. I do wish the ehois worked though, It's a little nicer to parse in a script than web returns. You never have to look at that message (Score:2) #!/bin/sh whois $1 | grep -v "portion thereof" $ alias whois=whois.sh -jwb Isn't the compilation owned by the US taxpayers? (Score:1) Re:anticompetitive? (Score:1) JOhn Re:anticompetitive? (Score:1) Actually I think it is because they use a secure server to register domains. Remember how lynx doesn't support https? Alert!: This client does not contain support for HTTPS URLs. I spidered the first page of port. It [styx.net] reads well with lynx, so it must be some other reason. Why don't you write to them and complain? Did you ever try to write to NIS and hope for a response that wasn't totally stupid or ignorant? This does not apply to me (Score:1) So - can i happily download the FULL database and use it as a source of a free replacement ?!? (i dont know if this is covered by an older/other license term which does not violate german or european laws [note: ALL microsoft license terms have parts that violate german law - even the german versions of these licenses... especially those "you agree to this license before you get the chance to read it" is completely invalid and can be happily ignored in germany]) -- Jor -- Re:Net::Whois (Score:1) Why do I always seem to be fixing stuff that other people break? Oh wait... that's my job. Enforceable doesnt matter (Score:1) NSI has learned from the masters: whether it's enforceable or not, they're doing their best to delay the transition, those annual reg fees are lifeblood. They know someone will take them to court over this, and even so, win or lose, the court costs won't be coming out of the salary budget, that's for certain. Re:How to transfer domain from NSI to register.com (Score:1) --- Re:Grr (Score:2) The problem is gathering the data. It's easy to determine if a name is active, the hard part is determining that a name is on hold or just registered (Newly registered names don't seem to become active as quickly as one might hope). Of course if the current DNS system is replaced, the NSI whois is worthless anyway since it would no longer reflect the true state of the DNS. As for the root server issue, the load doesn't have to be huge if the new 'underground' system is planned properly. Caching servers could help a lot. Currently, we have root servers a-m (or at least my named.ca does) Why not go from A - ZZ instead? Then define a 'hub' server and several designated alternates to coordinate the updates. Once the load is balanced and reasonable, now comes the matter of getting the servers. There is a good business case for providing a server to the cause. Since the system is meant to replace NSI's monopoly, it stands to reason that reasonable fees (certainly not more than is currently charged) could be imposed on registration, and that those fees would be divided amongst the owners of the root servers. (or, a simple rule. Root servers are all authoritative to register a domain name.) The new registrars might even get involved to protect their business interests and investment in becoming a registrar. In my spare time, I'm thinking about a usenet like distribution system for DNS. The only real problem to solve is the issue of collisions for new registrations. Perhaps a simple database of new registrations with a simple locking mechanism. Every night, the contents of the database could be dumped into the DNS feed to the root servers. As soon as every 'ring 0' server says it's got it, the record is dropped from the new regs database. In that sort of system, whois would be a two step process. First query a random root server. If no result, query the new regs database. The new process could be hidden so that the whois output looks just like it does now (minus the legal babble). Simply having a CONTINGENCY plan for all of this would probably bring NSI into line. After all, if it were ever implemented, they're instantly bankrupt (and subject to a bazillion refunds and/or lawsuits). It would be the world's fastest buisness failure. Simple rumblings wouldn't have the same effect, it must be an actual plan with actual willingness to implement it. A final note: The above is NOT a hijacking maneuver!! That has been (foolishly) tried before. It is simply a perfectly legal end run. Re:Probably to FIGHT spammers... (Score:1) Re:NSI Agreement (Score:1) God you all whine a lot. I've said it once and I'll say it again... (Score:1) Re:WHOIS is useless these days anyway! (Score:1) The only reason that this issue is becoming increasingly unworkable and highly unstable is due to the passive and active resistance by NSI to the privatization and redistribution of their monopoly. Federally funded info (Score:1) If so doesnt that mean they can't put such a restrictive use on it? And what about company info that is pre-NSI (e.g. Apple info, DEC info etc.) Does this count? (Score:1) Re:CmdrTaco: Lawbreaker (Score:2) Re:anticompetitive? (Score:2) Strong points of register.com: Negative aspects: All in all it's lightyears ahead of NIS, and I'm quite happy. 411 (Score:2) WHOIS is useless these days anyway! (Score:2) That said, does anyone know of ANY way to reliably tell if a domain has been registered now? WHOIS doesn't tell you, you can't just do an nslookup, etc. Could the boneheads... er... powers that be have not thought of this problem? I seem to have no way of knowing if a domain is registered without going to a website of one of the registrars and hoping their info is accurate. Seems this multiple-registrars thing has made stuff more complex, not simpler like you'd expect any intelligent group of people to do. Its B.S. that I can no longer reliably get information about who to contact in a domain, and that said data isn't 100% public domain. Uhoh... Can't access WHOIS via TCP/IP... (Score:2) Ooops... I repackaged the query in a TCP stream. Ooops... I did it again. The TCP stream was repackaged into IP packets. Oh bother. My IP packets were repackaged into ATM frames on the backbone. *sigh* Time to start wiring up the direct serial link from my dumb-terminal to their database. Oh wait, that won't work. The serial port will repackage the bytes by inserting parity and stop bits. Aw, hell, I'll go grab the yellow pages instead.--Joe -- This is how you x-fer it (Score:1) When you fill out the form (hosting) they will send you a confirmation to the original e-mail address you used to register it. You have to reply to the confirmation. (HAVE TO) It normally takes about 3-4 weeks or more depending on when they decide to answer there damn e-mail. Be advised they do take a while. Until then no one over at register.com can do anything to force them to move it, or speed up the process. Renewals: Being that the domain in question was more than likely registered through them, when renewal time comes around, you will have to have them release the domain back into the registry pool in order to re-register it. I'm sure you are aware that there is like a 90 day grace period they give the original owner to renew their domain. But since you wouldn't wanna wait, about a week or two before it expires contact NSI and tell them you have no intention to re-register with them and have decided to register the name elsewhere. They'll be pissed and probably will give you some mumbo jumbo response, but until the name is freed up you wont be able to just re-register it through register.com when it expires. joquendo@register.com name.space (Score:1) jsm writes: You can set your pc's nameserver to one of namespace's, and get to sites such as,,,, and (as well as the boring old .coms, .nets, .edus et cetera.) These new TLDs form a kind of half-there web underground. name.space has registered hundreds of new TLDs (Top Level Domains)... excessive quantity, maybe, but a cool idea. Interestingly, their policy is to protect "whois" information of their clients. From the "about us" page of their site ( [namespace.org]): I found them one day when I idly typed " [alternic.net]" into netscape, and found a link to name.space. (the alternic page is currently "down for construction") A fascinating idea, many small registration services. What it (possibly) destroys, is the idea that ALL domain names (and therefore internet resources) are accessible from everywhere, because of this monster global database (interNIC). The formation of many unregulated and unorganized registration services is the fragmentation, in some sense, of the internet, into many little niches and cliques. These many name spaces (to borrow name.space's name) might overlap, but still seem very distinct. Perhaps, however, this is necesary-- it would in many ways model other media and facets of society; perhaps this is a good thing, when the web is growing at the fantastic rate that it is. Very interested in the ideas of the Slashdot Cyber-Futurologicists. rh Re:workaround (Score:1) death to all copyright crap! Re:anticompetitive? (Score:1) I will give them credit, however, for a tailored message. I use lynx at work, since my only internet connection is because of a shell account I have on another's SunOS box. The proxy allows his machine to go through, and only on port 80. My job puts me on the phones, so I have a lot of free time to read on the Internet. And for that, lynx is great. (Except that I just thought that a "good company" would cater to all people browsing their site. Keeping lynx out of the secure parts is fine. Out of reading material is a bit too far. I have the time _now_ to read it. When I go home, I'd rather just do whatever it was that I could not do here. Whatever. Again, I wasn't complaining, just commenting. Re:Do we have no choice but to accept new rules? (Score:1) Since the rules don't apply to them, they don't apply to anybody else. And remember the old days when a And it's a feature (Score:2) Re:Wonders... (Score:2) Perhaps the whole board might qualify, but there are faster ways of "stealing" that information. James
https://slashdot.org/story/99/07/07/1744250/nsi-modifies-whois-agreement
CC-MAIN-2017-51
en
refinedweb
[ ] Hudson commented on GIRAPH-891: ------------------------------- ABORTED: Integrated in Giraph-trunk-Commit #1439 (See []) GIRAPH-891: Make MessageStoreFactory configurable (rohankarwa via majakabiljo) (majakabiljo:) * giraph-core/src/main/java/org/apache/giraph/comm/messages/out_of_core/PartitionDiskBackedMessageStore.java * giraph-core/src/main/java/org/apache/giraph/comm/messages/OneMessagePerVertexStore.java * giraph-core/src/main/java/org/apache/giraph/comm/messages/out_of_core/SequentialFileMessageStore.java * giraph-core/src/main/java/org/apache/giraph/comm/messages/ByteArrayMessagesPerVertexStore.java * giraph-core/src/main/java/org/apache/giraph/comm/netty/NettyWorkerServer.java * giraph-core/src/test/java/org/apache/giraph/graph/TestVertexAndEdges.java * CHANGELOG * giraph-core/src/main/java/org/apache/giraph/comm/messages/MessageStoreFactory.java * giraph-core/src/main/java/org/apache/giraph/partition/SimplePartition.java * giraph-core/src/main/java/org/apache/giraph/comm/messages/out_of_core/DiskBackedMessageStore.java * giraph-core/src/test/java/org/apache/giraph/jython/TestJythonComputation.java * giraph-core/src/main/java/org/apache/giraph/comm/messages/out_of_core/DiskBackedMessageStoreFactory.java * giraph-core/src/main/java/org/apache/giraph/comm/messages/InMemoryMessageStoreFactory.java * giraph-core/src/main/java/org/apache/giraph/conf/GiraphConstants.java > Make MessageStoreFactory configurable > -------------------------------------- > > Key: GIRAPH-891 > URL: > Project: Giraph > Issue Type: Task > Components: bsp > Affects Versions: 1.1.0 > Reporter: Rohan Karwa > Priority: Minor > Attachments: diff_2ndmay.txt > > > As mentioned in the task: 4213037 > Related to the Task: > Changed the MessageStoreFactory interface and added a new method "initialize(service, config)" in order to do the setting up of message store factory. In order to invoke the class (as per the configuration) on run time, reflection is used for the class invocation and then initialize() method is called on the instance. > There were few classes which had private factory implementation, for these classes there is no need to implement the initialize() method as the class is never exposed and can't be passed as a configuration. > Also, in order to make the DiskBackedMessageStore.class value to be passed from the configuration, I moved the implementation to the new file and made this class as a public class. > Modified a test case for testing this configuration(DiskBased/InMemory Backed Message Stores). > Review Link: -- This message was sent by Atlassian JIRA (v6.2#6252)
http://mail-archives.apache.org/mod_mbox/giraph-dev/201405.mbox/%3CJIRA.12711573.1398890680322.227774.1399235355184@arcas%3E
CC-MAIN-2017-51
en
refinedweb
Currently in Rhino importPackage and importCass are available when ImporterTopLevel is a scope object. I suggest to add JavaImporter constructor to Rhino that would construct explicit ImporterTopLevel objects. The constructor should be initialized during Context.initStandardObjects call to allow in all scripts a usage like: var Swing = new JavaImporter(); Swing.importPackage(Packages.java.awt.event); Swing.importPackage(Packages.javax.swing); Swing.importClass(Packages.java.awt.EventQueue); and later: var btn = new Swing.JButton() etc. In this way it would be possible to create ready-to-use aliases to package groups in application without danger of namespace pollution. The constructor should also allow to pass a list of packages/classes to import to simplify usage: var Swing = new JavaImporter(Packages.java.awt.event, Packages.javax.swing, Packages.java.awt.EventQueue); The extension should be orthogonal to the current usage of ImporterTopLevel as top scope object. Created attachment 150309 [details] [diff] [review] Implementing JavaImporter Simultaneous usage of ImporterTopLevel as top scope and prototype object makes the patch bigger then necessary. For example, it alters IdScriptable to avoid setting parent scope to self causing infinite loops. Created attachment 150367 [details] [diff] [review] Additional fix: no hiding Object.prototype.constructor The previous patch made JavaImporter a full-fetured host object constructor that defines among others JavaImporter.prototype.constructor property. This is problematic for ImporterTopLevel usage as top scope object as it makes top-level constructor property to point to JavaImporter.prototype.constructor and not to Object.prototype.constructor. This additional fix resolves the regression. Fixed: I committed both patches. With the patch applied and "with" operator one can almost achive affect of global importPackage without adding package classes to the scope permanently: with (new JavaImporter(Packages.java.awt.event)) { var btn = new JButton(); ... } Fixed: I committed both patches. With the patch applied and "with" operator one can almost achive effect of global importPackage without adding package classes to the scope permanently: with (new JavaImporter(Packages.java.awt.event)) { var btn = new JButton(); ... } The example in comment 4 is wrong. A better way to demonstrate usability of JavaImporter is this code: var SwingGui = JavaImporter(Packages.javax.swing, Packages.javax.swing.event, Packages.javax.swing.border, java.awt.event, java.awt.Point, java.awt.Rectangle, java.awt.Dimension); ... with (SwingGui) { var mybutton = new JButton(test); var mypoint = new Point(10, 10); var myframe = new JFrame(); ... } Proper target milestone Created attachment 156272 [details] [diff] [review] Regression fix The patch (which I already committed) fixes regression reported by Merten Schumman: The new implementation of importPackage/importClass assumed that thisObj should always be ImporterTopLevel. But this is wrong when ImporterTopLevel is used as top scope object to provide global import* functions since such scope can be a part of prototype chain. JavaImporter is an absolutely useful extension to Rhino IMHO, nice feature! Merten
https://bugzilla.mozilla.org/show_bug.cgi?id=245882
CC-MAIN-2017-34
en
refinedweb
Serverless Swift Running Swift Code on Amazon Lambda Out of the box, Lambda only supports code written in JavaScript (Node.js), Python and Java. However, it’s easy to use Node.js to run an external process written in any programming language you want. In fact, Amazon already provides a template called “node-exec” in Lambda’s Management Console for this purpose. Thus the key to running Swift code on Lambda is to compile your app into an executable that can be invoked by a Node.js shim. Hello Lambda A simple Lambda function in Swift consists of a command line tool that takes its input via stdin and writes its output to stdout (the reason for this will become clear when we’ll discuss how the Node.js shim interacts with the Swift executable). As an example, the following code simply echoes input data provided at the command line back to the caller: import Foundation let inputData = FileHandle.standardInput.readDataToEndOfFile() FileHandle.standardOutput.write(inputData) Combined with a basic package file for the Swift Package Manager, you can build this program and try it out in a terminal window: $ more Package.swift import PackageDescription var package = Package( name: "Lambda" ) $ swift build $ .build/debug/Lambda <<< "Hello Lambda" Hello Lambda Building for the Target OS Assuming that you edit and debug your code on macOS, you need to build your Swift program for a different operating system since Lambda is a Linux-based environment. The simplest way to do this is via Docker using one of Smith Micro Software’s Swift images. If you are new to Docker: it’s a tool that allows you to easily run pre-packaged images that contain everything needed to execute a piece of software — in this case the Swift compiler for Linux. $ docker run \ --rm \ --volume "$(pwd):/app" \ --workdir /app \ smithmicro/swift:3.0.1 \ swift build -c release --build-path .build/native The Docker command above uses Swift version 3.0.1 (indicated by the label of the Docker image after the colon). Since the container shares the build directory with the host, the build-path option places the compiler output files in separate folder so they don’t interfere with builds on the host. Making a Swift Executable Self-Contained The following scripts and ideas are based on Alexis Gallagher’s SwiftOnLambda project which provided the initial working code to execute Swift programs on Lambda. What I haven’t told you when building your Swift code in Docker: the Swift image above uses a different Linux distribution (Ubuntu) than Lambda (Amazon Linux, based on RHEL). The reason is that Swift.org currently provides packages for Ubuntu only. However, executables built on different Linux distributions are compatible with each other if you provide all dependencies necessary to run the program. The Swift executable itself is only half the story — it depends on a number of shared libraries that the operating system will load when it starts. Fortunately, the ldd command will tell us what those dependencies are. An alternative approach would be to build the Swift compiler for Amazon Linux based on instructions for CentOS by もどかしい. However, I haven’t explored this option. Using ldd and the following commands, you’ll receive a complete set of shared libraries used by your executable (roughly 50 shared libraries, including the Swift Core libraries, C/C++ standard libraries and all other dependencies): $ mkdir -p .build/lambda/libraries $ docker run \ --rm \ --volume "$(pwd):/app" \ --workdir /app \ smithmicro/swift:3.0.1 \ /bin/bash -c "ldd .build/native/release/Lambda | grep so | sed -e '/^[^\t]/ d' | sed -e 's/\t//' | sed -e 's/.*=..//' | sed -e 's/ (0.*)//' | xargs -i% cp % .build/lambda/libraries" To prove that the resulting package works, you can run your Swift code inside a Docker container that comes close to Lambda’s execution environment based on images provided by Amazon (unfortunately, Amazon only provides Docker images for version 2016.09 of Amazon Linux whereas Lambda uses 2015.09): docker run \ --rm \ --volume "$(pwd):/app" \ --workdir /app \ amazonlinux:2016.09 \ /bin/bash -c '.build/lambda/libraries/ld-linux-x86-64.so.2 --library-path .build/lambda/libraries .build/native/release/Lambda <<< "Hello Lambda"' ld-linux is Linux’s dynamic linker that loads the shared libraries needed by a program and then run the program. It’s similar to setting LD_LIBRARY_PATH, but running the executable via ld-linux from the Linux distribution that built the executable ensures that also the glibc version matches exactly the one needed. Providing the Node.js Shim The final piece that’s missing is the JavaScript program that executes the Swift executable. Based on Amazon’s node-exec template, the following code will run the Swift executable: const spawnSync = require('child_process').spawnSync; exports.handler = (event, context, callback) => { const command = 'libraries/ld-linux-x86-64.so.2'; const childObject = spawnSync(command, ["--library-path", "libraries", "./Lambda"], {input: JSON.stringify(event)}) // The executable's raw stdout is the Lambda output var stdout = childObject.stdout.toString('utf8'); callback(null, stdout); }; The script does exactly the same as the previous Docker command and executes the Swift code via ld-linux. This also explains why it was necessary to write the Swift program to take input from stdin and write output to stdout: this how the Node.js shim communicates with the Swift executable (the data from stdin is provided as the event argument to the handler function). Deployment You are now ready to upload your Swift code to Lambda, which expects a zip file with the Node.js shim, the Swift executable and the libraries that the Swift code depends on. The zip file for uploading these files needs to have this structure: $ unzip -l lambda.zip Archive: lambda.zip Length Date Time Name -------- ---- ---- ---- 10840 11-19-16 00:05 Lambda 419 11-19-16 00:05 index.js 0 11-18-16 21:50 libraries/ 154376 11-19-16 00:05 libraries/ld-linux-x86-64.so.2 665904 11-19-16 00:05 libraries/libasn1.so.8 [...]more libraries[...] -------- ------- 68000987 55 files Head over to the AWS Console and create a new Lambda function with a custom blueprint and no trigger. Give the function a name and select the Node.js execution environment. As code entry type, choose “Upload zip file” and select lambda.zip as described above. Leave the rest to the default values (128MB memory is plenty for a Lambda function using Swift). The upload will take a while and you can test the new function straight away in the AWS Console (pick any of the test events). Where to Go from Here My swift-lambda-app repo on GitHub contains a more sophisticated example of running Swift code on Lambda. Based on the ideas outlined in this article and AlexaSkillsKit, it implements a custom skill for Amazon Alexa, the voice service that powers Echo. I’ll write about Alexa Skills in Swift in a future article. In the meantime, you can contact me on Twitter if you have any question.
https://medium.com/@claushoefele/serverless-swift-2e8dce589b68
CC-MAIN-2017-34
en
refinedweb
public class Point { public int x; public int y; public Point(int x, int y) { this.x=x; this.y=y; System.out.println("Constructing a Point."); } } public class GeometricShape { public Point centre; public GeometricShape(int x, int y) { System.out.println("Constructing a GeometricShape."); Point centre = new Point(x,y); } public void displayCentre() { System.out.println("The x and y coordinates are: " + centre); } } public class Rectangle extends GeometricShape { public int width; public int height; public Rectangle(int x,int y,int w, int h) { System.out.println("Constructing a Rectangle."); width=w; height=h; } } public class Square extends Rectangle { public String colour; public Square(int x,int y,int w,int h,String col) { colour=col; System.out.println("Constructing a Square."); } public void showColour() { System.out.println("The Colour of the Square is: " + colour); } } public class InheritProgram { public static void main(String [] args) { Square s = new Square(10,20,15,15,"Blue"); s.displayCentre(); s.showColour(); } } The problem i have is that the result of the x and y coordinates returns null. In the assignment i was asked to pass two of the integers from the Rectangle class' constructor to the parent constructor and i didn't really understand that. here is the output if it helps. Constructing a GeometricShape. Constructing a Point. Constructing a Rectangle. Constructing a Square. The x and y coordinates are: null The Colour of the Square is: Blue any help would be much appreciated. thanks
http://www.dreamincode.net/forums/topic/86694-inheritence-and-constructors/
CC-MAIN-2017-34
en
refinedweb
0 hello im having problem trying to get this to do what i want it to do. after the program asks if the user has had any work up to date, i want it to ask for specification if the answer is yes, or go to a next question if no. except right now when the user inputs no, it still asks for specification. if the user inputs yes i want the specification to show in the output at the end. if user said no work was done i just want it to read as a simple no work done. any help would be appreciated. thanks alot! #include <iostream> #include <string> using namespace std; int main() { string Pname, CEmployer, AWUTDspecification; int age, n, y; char AWUTD; n=0; y=0; cout<<"Patients Name:"<<endl; getline (cin, Pname); cout<<"Age:"<<endl; cin>>age; cin.ignore(1000,'\n'); cout<<"Current Employer:"<<endl; getline (cin, CEmployer); cout<<"Any Work-Up to Date? Y/N"<<endl; cin>>AWUTD; cin.ignore(1000,'\n'); if(AWUTD=='y'||'Y') { cout<<"Please Specify:"<<endl; getline (cin, AWUTDspecification); } else if (AWUTD=='n'||'N') { cout<<endl; } cout<<"Patients Name:"<<Pname<<endl; cout<<"Patients Age:"<<age<<endl; cout<<"Patients Current Employer:"<<CEmployer<<endl; cout<<"Work up to date:"<<AWUTD<<endl; };
https://www.daniweb.com/programming/software-development/threads/186035/help-with-if-statement-and-output
CC-MAIN-2017-34
en
refinedweb
Available with Spatial Analyst license. Summary Derives incoming solar radiation for specific locations in a point feature class or location table. Learn more about how solar radiation is calculated Usage The input locations can be a point feature class or a table of point coordinates. The table can be a geodatabase table, a .dbf file, an INFO table, or a text table file. The values can be of type long integer, float, or double. When inputting locations by table, a list of locations must be specified with an x,y coordinate. Using an ASCII coordinate file, each line should contain an x,y pair separated by a comma, space, or tab. The following is a space-delimited example: X Y 325541.218750 4314768.5 325169.250000 4313907.0 325874.031250 4313134.0 325825.093750 4314181.5 Alternatively, you may specify slope (degrees) and aspect in the location table. Along with the x,y coordinate, the file should contain the slope and aspect value for each location, in either order. The following is a comma-delimited example: x, y, slope, aspect 325541.218750, 4314768.5, 15.84516716, 310.2363586 325169.250000, 4313907.0, 39.39801788, 2.03503442 325874.031250, 4313134.0, 16.10847282, 223.8308563 325825.093750, 4314181.5, 8.89850712, 205.2011261: The height offset should only be specified in meters. number of attributes for output features. When checked for point radiation analysis, the output feature class includes additional attributes (t0, t1, t2, and so on), which indicate radiation or duration values for each time interval (hour interval when time configuration is less than one day, or day interval when multiple days). PointsSolarRadiation (in_surface_raster, in_points_feature_or_table, out_global_radiation_features, {height_offset}, {latitude}, {sky_size}, {time_configuration}, {day_interval}, {hour_interval}, {each_interval}, {z_factor}, {slope_aspect_input_type}, {calculation_directions}, {zenith_divisions}, {azimuth_divisions}, {diffuse_model_type}, {diffuse_proportion}, {transmittivity}, {out_direct_radiation_features}, {out_diffuse_radiation_features}, {out_direct_duration_features}) Code sample PointsSolarRadiation example 1 (Python window) The following Python window script demonstrates how to use this tool. import arcpy from arcpy import env from arcpy.sa import * env.workspace = "C:/sapyexamples/data" PointsSolarRadiation("elevation", "observers.shp", "c:/sapyexamples/output/outglobalrad1.shp", "", 35, 200, TimeMultipleDays(2009, 91, 212), 14, 0.5,"NOINTERVAL", 1, "FROM_DEM", 32, 8, 8,"STANDARD_OVERCAST_SKY", 0.3, 0.5, "c:/sapyexamples/output/outdirectrad1.shp", "c:/sapyexamples/output/outdiffuserad1.shp", "c:/sapyexamples/output/outduration1.shp") PointsSolarRadiation example 2 (stand-alone script) Calculate the amount of incoming solar radiation for specific point locations. # PointsSolarRadiation_Example02.py # Description: For all point locations, calculates total global, direct, # diffuse and direct duration solar radiation for a whole year. # Requirements: Spatial Analyst Extension # Import system modules import arcpy from arcpy import env from arcpy.sa import * # Set environment settings env.workspace = "C:/sapyexamples/data" # Set local variables inRaster = "elevation" inPntFC = "observers.shp" outFeatures = "c:/sapyexamples/output/outglobal1.shp" latitude = 35.75 skySize = 200 timeConfig = TimeMultipleDays(2009, 91, 212) dayInterval = 14 hourInterval = 0.5 zFactor = 0.3048 calcDirections = 32 zenithDivisions = 8 azimuthDivisions = 8 diffuseProp = 0.3 transmittivity = 0.5 outDirectRad = "C:/sapyexamples/output/outdirectrad1.shp" outDiffuseRad = "C:/sapyexamples/output/outdiffuserad1.shp" outDirectDur = "C:/sapyexamples/output/outduration1.shp" # Execute PointsSolarRadiation... PointsSolarRadiation(inRaster, inPntFC, outFeatures, "", latitude, skySize, timeConfig, dayInterval, hourInterval, "INTERVAL", zFactor, "FROM_DEM", calcDirections, zenithDivisions, azimuthDivisions,"STANDARD_OVERCAST_SKY", diffuseProp, transmittivity, outDirectRad, outDiffuseRad, outDirectDur) Environments - Auto Commit - Cell Size - Current Workspace - Default Output Z Value - Mask - - ArcGIS Desktop Standard: Requires Spatial Analyst - ArcGIS Desktop Advanced: Requires Spatial Analyst
http://pro.arcgis.com/en/pro-app/tool-reference/spatial-analyst/points-solar-radiation.htm
CC-MAIN-2017-34
en
refinedweb
30,08 Local fir-- FORECAST: -- < 81 Partly cloudy al-- LOW day, into the - 58 evening. -= PAGE U.VC)_j NOVEMBER 30, > "- Ryan Weaver to perform at Country at the Car 12C .laying suspect caught VERY MICKEY CHRISTMAS: s-.ah Jolly Old St. Mick S:0 "Mickey's Very Merry ri -hriitma~s iIa b The arrest comes after an morning, according to the sher- Republic, according to sheriff's spokes- PFart, ..ifers Mian ex Uadited fromll investigation that sent Citrus iff's office, woman Gail Tierney. hohlida County Sheriff's Office detectives Jean-Jacques had been arrest- The U.S. Marshals returned Peralta on -heer, Dominican Republc through central and south ed in other counties on charges Wednesday to the United States. When he k 4 ci a< Jj DtFlorida in search of details relat- relating to drugs and property arrived in Miami, Peralta was met by ids and r ing to the case. crimes in the past, sheriff's local sheriff's investigators, Tierney said. S rdes' and CRiSTY LOFTIS Mario Jean-Jacques' body was spokeswoman Heather Yates said Miami-Dade officials took Peralta P:,j nt o:.,a./ cloftis@chronicleonline.com found Oct 6, off of Trail 10, which but none of the crimes were into custody, where he'll be held until SPage C Chronicle is near County Road 581 Mario related to violence, he's transported to the Citrus County (Pleasant Grove Road). Jean, Local detectives have been Detention Facility in Lecanto. RISKY BUSINESS: Insurance issues Runaway c:-astlinie condo -uillirig adds to existing risks for homeowners./Page 3A An arrest has been made in a homicide case that began in October when a 20- year-old Orlando man wasTound dead on a dirt road in Inverness. Andrew Miguel Peralta, 18, of Orlando, was arrested Wednesday on a warrant charge for first-degree murder in Miami. So far officials have released ' few details about the case, includ- was deac ing why they believe Peralta was Tra involved or why Jean-Jacques was killed. What is known is that Jean- Jacques was shot just a few hours before he was found by a passerby on a Saturday fo il j"'s working with the Orange and found Osceola County sheriff's offices, off of as well as the U.S. Marshals 10. Service and the Fifth Judicial Circuit During the investigation, detec- tives learned that after Jean-Jacques was killed, Peralta left for the Dominican First-degree murder cases must first be heard by a grand jury, which meets in secret It will be up to the jury to decide whether to later indict Peralta. Until then details relating to the case will be withheld, according to the sher- iff's office. L^--JKI New analysis The Republican presidential race grew remarkably bitter in Wednesday's televised debate./Page 7A OPINION: The United Way of Citrus County needs your help. : PAGE 12A. BROADWAY IS BACK: E O -T- - Show goes on Broadway shows are back on after a stagehands' strike temporarily turned off the lights for several big shows./Page 6B BOND JUMPER: Man sought Drug dealer is sought on active warrants, reward is offered for apprehension. /Page 2A STATE OF EMERGENCY: Deadline President Pervez Musharraf of Pakistan bows to international pressure, says a state of emergency in the country will end by Dec. 16./Page 14A ON THE LIST: Gun purchases Attorney General Michael Mukasev says the number of people barred from purchas- itg firearms because of men- :tal illness has doubled since ,the Virginia Tech shootings./Page 14A Annie's Mailbox ........ 9C Comics ............. 10C Crossword ............ 9C Editorial ............ 12A Entertainment ......... 6B Horoscope ...... . . 9C Lottery Payouts ........ 6B Movies ............. 10C Obituaries........... 6A Stocks ............ 10A Four Sections 6 11811 2I11111I 6 *8 45 78 2 00 25 5 5 100 years back home Heritage Days to honor Dunn house MIKE WRIGHT mwright@chronicleonline.com Chronicle t was in 1973 that Harvey and Astrid Dunn moved their three children from Okeechobee to the old home- stead in Floral City. The house had been empty for several years. It felt old and musty. The house had no heat, no hot water. That was no matter for Harvey and Astrid Dunn. n WHAT: Floral City Heritage Days. n WHEN: 5:30 to 9 p.m. today; 10 a.m. to 4 p.m. Saturday. CEREMONY: 10:30 a.m. Saturday; free hay rides to the Dunn House from the traffic light on U.S. 41 provided by Ferris Groves Inc. That house meant something. It meant, family and tradition. Still does. "I thought it was neat because it was so old," Mrs. Dunn said, reflect- ing on her first impres- sions. Today that two-story house serves as a diamond among the gems of Floral City's old homes. It's also 100 years old this year and will be featured in a ceremony Saturday morning as part of this weekend's Floral City Heritage Days. The house was built in 1907, not as a home, but as a field office for the Florida Mutual Mine Co. Harvey's grandfather, William H. Dunn, was field superintendent for the Floral City mines. In time, the office became a home for WH. Dunn and his family It has been in the Dunn family since 1916. Please see I /Page 4A : Astrid Dunn hangs a rib- bon on the mailbox of her Floral City home Wednesday morning in preparation for Floral City Heritage Days. Her home, where well-known local author Hampton Dunn was born, along with other historic, vintage homes will be open for tours during the annual festivities in Floral City over the weekend. .- ,;: The Dunn home was once used as a mining office facility during 1907. MATTHEW BECK/Chronicle Crystal River Christmas parade route set For the Chronicle The Crystal River Christmas parade is from 4 p.m. to 6 p.m. Saturday, with road closures beginning at 3:30 p.m. The Christmas parade follows the new route established in 2006 and will start on U.S. 19 at N.E. Third Avenue and proceed north on U.S. 19. For U Forr the majority of the on t route, the parade will para be viewable from both sides of the road P however, the area between N.W Seventh Avenue (area of the Best Western Hotel) and Turkey Oak will be closed for parking and is not recom- m he d kG ore mended for viewing. e" The parade will con- le tinue north on U.S 19 from N.W Sixth Avenue, to the second Mall entrance, where it will turn into the Mall and dis- band. This will provide addition- al viewing area for spectators. Mall patrons will need to use Turkey Oak or Crystal Street to travel to and from the Mall. To facilitate the route, U.S. 19 traffic in both directions will be closed between State Road 44 and Turkey Oak Street, just north of the Mall. The City has rented variable message boards Please see PARADE/Page 5A Holiday display contest kicks off MIKE WRIGHT mwright@chronicleonline.com Chronicle Say it ain't so, Santa. Citrus County officials have stopped the wildly popular annual home holiday decorat- ing contest because, well, turns out it wasn't so wildly popular after all. The contest drew just 25 entries each year for the past three years. With county employees putting in 150 paid hours to do the judging, the contest became too costly. "We were losing between $1,800 and $3,000 each year on this program from planning to implementation," county spokeswoman. Jessica Lam- bert said. Never fear. Your shimmer- ing lights can still shimmer here. The Citrus County Chronicle and Chronicle Online are teaming up for a holiday lights contest that kicks off today. The contest is open to homes, not businesses, and is divided into two categories: Most lights (the "Clark Griswold" division) and most festive (the "June Cleaver" division). Entrants may e-mail photos of their festive displays along with some simple informa- tion. (We request a phone number because some people, in the joyful holiday spirit, set up their unwilling neighbors with drive-by gawkers. In other words, we don't want people surprised that photos of their holiday decorations, along with maps to their streets, end up on the Internet.) Entries are due at noon Dec. 7. Voting begins at 5 p.m. that same day and runs through 5 p.m. Dec. 12. Voting may not take place until after the entry deadline passes so that early entrants do not get an unfair advantage. Entries along with maps will be available for viewing at The Chronicle will feature winners of each division in the Dec. 21 Scene section. 3 WHAT: Chronicle Online home holiday decorating con- test. N *WHEN: Submissions " accepted by e- mail today through noon Dec. 7. N VOTING: Dec. 7-12. I RULES ETC:- cleonline.com. 4* * .. . ,. .', ,,: .* 2A FRIDAY, NOVEMBER 30, 2007 Groundbreaking CITRus COUNTY (FL) CHRONICLE T '4 'AT Drug dealer sought on active warrants MATTHEW BECK/Chronicle City and state officials held a ceremonial groundbreaking Thursday morning at the Withlacoochee State Trailhead in Inverness for a new trailhead improvement project. The $215,200 in improvements constructed by Daly and Zilch will include a new park- ing lot, restrooms, a plaza and seating areas, decorative lighting and landscaping. The project is funded through the Florida Department of Transportation enhancement program. Reward offered CRIsTY LOFnrs cloftis@chronicleonline.com Chronicle Authorities are searching for a man who faces charges of selling and trafficking SUSPECT cocaine. Stephen N Call Sheriff Bishop Hall, John Novy a 32, is consid- with any lnf ered a fugitive from justice. Officials believe Hall committed. crimes in Citrus County and have reason to believe he has gone else- where to evade law enforce- ment and avoid punishment The U.S. Marshals' Tampa Bay Area Fuigitive Task Force and the Citrus County Sheriff's Office Vice and Narcotics Unit are working together to find Hall. Hall's last known address was 1409 Andrew St. in Inverness. Hall is a white male, 5 feet 7 inches tall and weighs about 160 pounds. He has blue 's 0 eyes and brown hair. He also has several distinctive tattoos on his neck, arms and legs. One of the tattoos is on Hall's neck of Satan whispering into his ear. N Hall faces five active Citri4 County warrants with no bon4, for failure Vo appear P SOUGHT court at se4- tencing all Sdective charges f t 726 4488 sale and traf- rmation. picking of cocaine. The original charges date back as far as September 2005. V Midnight Run Bail Bonds is offering up to a $5,000 reward for information leading to the apprehension of Hall. Owner Matthew Armato said Hall could be armed and dangerous and people should not try to capture Hall themselves. Midnight Run and the sher- iff's office are working togeth- er on the case. Information relating to the case may go to Midnight Run at 527-0919 or Sheriff's detective John Novy at 726-4488. - ~- Motorcyclist sent by Funds sought to give helicopter to hospital family new home Emergency services personnel transported a motorcyclist injured Thursday in an accident in Crystal River to Tampa General Hospital by helicopter, according to the Crystal River Police Department. Daniel Douglas, 29, of Crystal River, was traveling south on U.S. 19 on a motorcycle when he was hit by a vehicle driven by Janette Coale, of Crystal River. The accident happened at about 1:29 p.m. near Jones Restaurant. Coale was cited for violation of the right-of-way, Chief Steven Burch said. Events sought for inclusion in calendar The Citrus County Chronicle will publish the 2008 Community Events Calendar on Dec. 30. Any organization that wishes to have its 2008 event featured in the calendar should send information to adsc@chronicleonline.com no later than Saturday. Include the name of the organization, contact name, name and date of the event. Call 563-3291 for information. Crystal River sets town hall meeting The city of Crystal River will host a town hall meeting open to the citizens of Crystal River. The meet- ing is at 7 p.m. Mondayat City Hall council chambers. There is no agenda, except the public will have an opportunity to talk about issues they feel are important. The grandmother of a 3-year-old boy whose mother died in April wants to give the family a new home for Christmas. Kelly Kettelhut says the boy's family lives in a 28-year-old mobile home with structural problems and she is raising money through raf- fles, collection jars and an account at Edward Jones Investments. So far, Kettelhut has raised more than $2,200 toward a used mobile home or moving a donated home. To donate to the account, call Edward Jones at 344-8189 or visit the site at 2305 Hwy. 44, Inverness. The account name is Joseph Michael Griffin and the number is 312-17569. For more information, call Kefttelhut at 344-1144. Requests taken for absentee/mail ballots Mail ballot requests for the 2008 election cycle are now being accepted. To receive a ballot by mail, call the elections office at 341-6740 or make your request online at. Click on the Absentee Information button and fill out the request form. Your mail ballot request may also be submitted in writing to the Supervisor of Elections, 120 N. All About Baths Apopka Ave., Inverness, .FL 34450. Presidential Preference Primary Jan. 29, 2008. Primary Election -Aug. 26, 2008. General Election Nov. 4, 2008. Pilot Club to host tree lighting program The Crystal River Pilot Club will host the annual Crystal River Christmas tree lighting ceremony at 6:30 p.m. tonight at the gaze- bo in the park behind Crystal River city hall on U.S. 19. The program will include music by local churches and performers, free punch and cookies, a sing-along session and a reading of "The Night Before Christmas." Seating is available, but visi- tors may bring chairs and blan- kets for seating. The Pilot Club will be selling luminaries for $2. For more information, call Stephanie Price at 634-4641. CUB Christmas sign up available now Christmas sign-up will be from 10 a.m. to 2:30 p.m. Monday through Friday, until Dec. 7, at Citrus United Basket. Participants must bring a shot record or birth certificate for each child and a Social Security card for each adult in the household, or they will not be able to register. Children must reside in home in order to sign up for toys. Adults without children in home can sign up for Christmas food. CUB is located two blocks behind the new courthouse. Take North Apopka to Dampier Street and make a right. Come down to Mill Avenue and make a right. It is the only business located on the right. Call Nola Gravius, executive director, at 344-2242, between 10 a.m. and 3 p.m. Monday through Friday. Gifts sought for returning soldiers A number of Citrus County servicemen and women in the Army, Air Force, National Guard will be returning from their over- seas service between now and January. Barbara Mills wants to ensure that each of the locals who have served receives a gift basket filled with gift certificates and goodies to make each person feel appreci- ated and welcome. Businesses or people inter- ested in assisting Mills can call her at 422-6236 or e-mail tobar- baramills@remax.net. N Checks or gift certificates can be mailed to the Hernando VFW at P.O. Box 1046, Inverness, FL 34451. Checks should be made out to VFW Womens Auxiliary 4252. Democratic club slates meeting The Southwest Citrus Democratic Club will meet 10 a.m. Saturday in,! the new Homosassa Library on i Grover Cleveland Boulevard. 4 Democratic candidates for 2008 local, state and federal office elec-? tions and new members will be introduced. An ongoing membership drive is expected to result in many. new members from precincts soutfi of Ozello Road to the Hemando County line. For information, call President Ed Murphy at 383-0876, Vice President Lorraine Osbome at 382-3652 or Secretary Mary Gregory at 382-1330. -From staff repdits SO YOU KNOW li"News notes tend to run , one week prior to the date of an event. st.. December SOam-5pm Affordable upgrades for your EXISTING entryway in about an hour! Professionally installed Door Accessories: Schlage locks, Phantom screons, Weather stripping Half sizes start at $299 (22x36) Full sizes start at $499 (22x64) Huge Savings Until December 15 ! Bevel Cluster $6T NOW $549 Perry's Custom Glass & Doors 352-726-6125 2780 N. Florida Ave. Hemando, (Hemando Plaza) . 4 ., ,- : " FI Customers Receive Same Day Installation Glass must be in stack and installation must be located within 10 miles of Hemando. FL. Impressions 22x64 ... NOW $579 Purchase any glass, in stock, by 12/15 and we will install by Christmas! 726731 - ON iLa ',$759 1 tye 261 1^ HURRY! Sale Ends December 29th. LA B 0 S Floor samples on sale are subject to prior sale. Not valid on previous sales or orders. Cannot be combined with other discounts. Jl-"k--AJL County I * I., f - I' '7 I__ - ( '1 CITRUS COUNTY CHRONICLE N ~ ~L~L2~d 3A FRIDAY NOVEMBER 30, 2007 ~-- *~ - ~ 5biui ft A 4 - m 4w 4D 4 ~~aSc *-4 0 -w 0 S -. - - - - 0 o - 4w-mo N f 0' m State stopi u on pool 4 qm n - ""Copyrighted Material Syndicated Conten.t - a - a a - ~ -- 0 0 - -~ - - - S - a - I * -- ~- I - ~.- - --I 5- * - a Available from Commercial News Providers" 40- ab 40P a- S-t S- 5o 4 49110 ama -.0411 40 --gloom 40 40 awok 40 -00 4001 A 0 0--wilf - M l, am- ft --- 41 -a W "oo 4 a _M 4 .Em "MNOPa-Ma 11-mo" s ON.- -am--avo - di- 410- 91 .40 Shi eutonu&fr mL~w Im AR m*6-- a. ANN An - a - - I S - .5 -. a s--0- 0 o - a ~ - a - - - --0 * 0*~ .5 ~~5 - - ~- - 0 S - S ** S - S * S S - * - up OweS - -S - -a - - SW S - 5 - S ~ 0 S S S -lS -- -a 0 ~ - S S -a - 0 quo - 5- S - -gw An00 vwu~gwA-~ a*o nq- an aam s ~ m Gomm . aN-bo a ~ -lb so - .- -05 - -- 0 S a a - S - - -a. 49owpo two SlAve oiel ~- - - S - - -a a a - -a * .5 0 - - *5D -= * - S. S low o qb _ o I e 0 Q -- 0 qe - CITRUS COUNTY (FL) CHRONICLE, 4A FRIDAY, NOVEMBER 30, 2007 For the RECORD Citrus County Sheriff Arrest update M The State Attorney's Office is not filing charges against Donald Anthony Cook, 48, 2360 W. Amber Drive, Citrus Springs. Cook was arrested Sunday on a charge of fail- ure to comply with sexual offender registration laws. According to court documents, Assistant State Attorney Brian Trehy said Cook had no obli- gation to report as a sexual offender. Domestic battery arrests Timothy Wayne Buffington, 45, Homosassa, at 2:03 a.m. Saturday on a domestic battery charge. A 58-year-old woman said she and Buffington were arguing when he pushed her, so she slapped him. The woman said after that happened Buffington pushed her two others times, left and then came back and broke a sliding glass door because she had locked him out. Buffington said they were argu- ing when she slapped him. He also said he broke the door. No bond. a Rupert D. Northcut, 44, Inverness, at 7:53 p.m. Saturday on a domestic battery charge. A 45- HOUSE Continued from Page 1A Harvey Dunn's twin aunt and uncle, Hazel and Hampton Dunn, were born on the first floor of that house in what is known as the baby's room. Hampton Dunn would become a leading Florida his- torian and his book, "Back Home," details Citrus County's history from the start through the mid 1970s. "He loved this place," Astrid Dunn said of Hampton, who died in 2002. "When he was a young man, he could not wait to leave Floral City. The more year-old woman said they were arguing about her inability to use the DVD player. She said he hit in her in the forehead calling her "stupid." She said she went into the bathroom to take pictures of her forehead when Northcut took the camera and hit it with a hammer. She said she tried to get the camera back and her hand got hit by the hammer. Northcut told a deputy that he did hit her head and called her stupid. He also said next time, "I'll just get a knife." No bond. DUI arrest m Tracy Glenn Davis, 45, 3480 N. Woodlake Drive, Perry, at 12:53 a.m. Tuesday on a charge of driving under the influence. A deputy said Davis drove through a manned bar- ricade near the barge canal bridge without stopping. Davis failed field sobriety tests and refused a blood alcohol test. Bond $500. Other arrests Sonhaibou Diane, 30, 22329 W. Eight Mile Road, Apt. C43, Detroit, Mich., and Daouda Dieng, 22, 20438 Birwood St., Detroit, Mich. at 10:45 a.m. Tuesday on a charge of vending goods with a counterfeit he stayed away, the more it meant to him. That's why. he wanted to write a book about Citrus County." Harvey's father nearly sold the old home, but couldn't bear to part with it. Astrid Dunn recalled that living conditions for the family when they moved in were dif- ficult. "We had three kids, a dog and two ponies and a motor home," she said. "It was November and it was cold. The first two nights we stayed in the motor home." An old wood burning stove in the dining room kept them warm. They had no running hot water. The Dunns cleared the land ON THE NET * For more information about arrests made by the Citrus County Sheriff's Office, go to and click on the link to Daily Reports, then Arrest Reports. label. The men were selling fake Dooney & Bourke purses and wal- lets at the Cowboy Junction Flea Market. Bond was set at $10,000 each until a Homeland Security background check is completed as both men said they are from Africa, but could not produce passports. Julee Robbins Ritter, 44, 5085 W. Harding Terrace, Hemando, at noon Tuesday on a violation of probation charge in refer- ence to an original felony case. A urine check found traces of cocaine in Ritter's system. No bond. Anthony J. Selvester, 44, 421 W. Blueflax Court, Beverly Hills, at 3:33 p.m. Tuesday on a grand theft charge. In August, a woman said Selvester gave her an estimate for a security system and she paid him $2,900. She has still not received the security system. On Nov. 2 Selvester was arrested on an unre- lated charge. During an interview at the Citrus County Detention Facility, Selvester said had head remorse for what he did and would pay her back. Bond $2,000. Christopher Lee Binney, 33, 1401 N. Paul Drive, Inverness, at 11:04 p.m. Tuesday on charges of resisting and officer without violence and possession of drug parapherna- lia. Bond $750. Bud O'Neal Thorn, 22, 56 S. Monroe St., Beverly Hills, at 2:51 a.m. Wednesday on a Citrus County warrant charge of battery. Bond $500. Emil H. Borrmann, 37, 6679 S. Wald Point, Homosassa, at 8:37 a.m. Tuesday on a charge of driving with a suspended/revoked license. Bond $2,000. David Rae Cox, 53, 3829 S. Cedar Terrace, Homosassa, at 9:25 p.m. Wednesday on a charge of driving with a suspended/revoked license. Bond $500. MATTHEW BECK/Chronicle Christmas decorations adorn the Dunn home. and put up fences. "Just like ens, ate our goats, ate our the old days, we ate our chick- pigs," she said. "The kids Angel Maria Molina, 18, 14815 S. W. 39th Circle, Ocala, at 5:08 p.m. Tuesday, on a Citrus County warrant charge for aggravat- ed assault with a deadly weapon without intent to kill. He was original- ly arrested by the Marion County Sheriff's Office. Bond $5,000. Mark Simmons Hall, 37, 1409 Andrew St., Invemess, at 12:34 p.m. Thursday on Citrus County warrant charges for felony battery and resist- ing/obstructing an officer without vio- lence. No bond. Anthony Kyle Kresho, 20, 878 Stately Oaks Drive, Inverness, at 11:10 a.m. Thursday on a charge of retail theft. Bond $250. Roger Paul Brown, 46, 4645 N. Pine Valley Loop, Lecanto, at 1:35 p.m. Thursday on a felony fail- ure to appear charge in reference to *an original criminal mischief case. He was originally arrested at the Pinellas County jail on the Citrus County warrant charge. No bond. A 14-year-old boy and a 16- year-old girl were arrested Tuesday afternoon from the Renaissance Center in Lecanto on charges of dis- rupting/interfering with a school. In separate instances the students learned good work ethics." Mrs. Dunn said she looks forward to Saturday and opening her home to the pub- lic. "We love being able to let people enjoy it," she said. Marcia Beasley, chair- woman of the Floral City Heritage Council, said the Dunns should be commended for restoring the old house that is their home. "It's like so many beautiful homes that Floral City used to have," she said. "It's outstand- ing what they've done to save this piece of Citrus County. Something, obviously, was guiding them." Indeed, something was. Harvey Dunn was working for Sears when the family lived in South Florida. "We came to know the Lord in Okeechobee," Mrs. Dunn said. "He knew we had to do something different than Sears." 'U Dunn became a minister,, having retired in 2005 as asso-' ciate pastor of the Inverness' Church of God. Faith has driv- en their lives; faith, Mrs. Dunn said, has kept their family" strong. ) And so it is with this olds house as well. 0i "Hopefully it's not pride, butl it is pride of family," she said. "This is home. This is where"v our roots are. This is heritage.;I We understand how rare that is today." ,d * . =6 0 .0v 4f - m .0 * 0 -m -- 4b m p - . * 0 -~ 0 * 0 0~ * I- * * ~0 0 * ~0 ., -Copyrighted Material . 77 Syndicated Content .: Available from Commercial News Providers" 6. 0 ^ A a - '9 d o9 ~i~mwam ~ Mowgw=ow OW ~uEb ** 4mo __um 0_N w m m4 4W - ~. -101 C I T R U S. LHRONIC: S, Meadowcrest 44 office "41624 N. Norvell Bryanril .Hwy Meadowcrest Dunkenfield Blvd., Crystal S Ave Cannondale Dr River, FL 34429 A "\ Meadowcrest N "A- Blvd. I Inverness Courthouse office iTompkins St. square SS J/ 106 W. Main "^-\ "---'-, -. . St., Inverness, 1 --- FL 34450 1' t I -e refused to stop swearing and would not follow directions. Both teenagers were later released to their parents. Crystal River Police Arrests ,, Tod Watson Kemerer, 22,,j 8925 W. Halls River Road 5, Hom-i osassa, at 10:03 a.m. Tuesday on ac charge of driving with a suspend-, ed/revoked license. Bond $2,000. ," William Nolan Sassard, 25,; 11808 W. Bluebell Drive, Crystal,, River, at 3:22 p.m. Tuesday on,, charges of burglary of an unoccu-2 pied residence, grand theft and vio- lation of the Florida pawnbroker act.. A man said his home had been bur-" glarized. Four of the missing items'f tumed up at a Crystal River pawn-2 shop sold by Sassard. Sassard said1 he had initially received the pawned-' jewelry as a gift. Sassard also said5 he had not been at the man's housed in years. Sassard would not say who gave him the jewelry. Bond $19,000.) Gail A. White, 48, 820 W.` Sunset Drive, Beverly Hills, at 9:27' p.m. Monday on charges of posses-2 sion of a controlled substance and: possession of drug paraphernalia Bond $5,500. I m -Aff-I 0 u N T y m -No ly 1 . . --l--! i I I FRIDAY, NOVEMBER 30, 2007 5A I - mom al *mo %om"0 of - - "Copyrighted Material Syndicated Content - Pfoooc~ Available from Commercial News Providers". .- - SO YOU KNOW - w 4 . Mm 4- m a--- 4w a a"m - -- a a a- Holiday Accents! Gold Ankle Bracelets k. ECI ALT r GEMStd Usdtiltredn 1985;'. ; 600 SE Hwy 19, Crystal River . 795-5900 '7 - - 4- - - m - * a * - - - - 0 - -. - _ a - a - e -. E S. N [Jews notes tend to run S. o. ne week prior to the *. -. date of an event. During the busy season, * expect notes. to run rno *- -. more than twice. .. MODERN REPLACEMENT WINDOWS ... elegant Style Reduce Noise Raise Value Energy Efficient PKURESSOUNAL ""h INSTALLATION : Visib Brtemr" 31 Yars s Yor Hoeto n Dae opeeAuiu evc 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 3, 2007. HERBICIDE TREATMENTS Hernando Pool Floral City Inverness Pool Chassahowitzka Crystal River Floral City Pool Hernando Pool Nuphar / Lotus / Tussocks / Pickerelweed / Hydrilla / Salvinia Hyacinth / Tussocks / Lettuce / Hydrilla / Paspalum / Alligator Weed Tussocks / Lotus / Nuphar / Pickerelweed / Hyacinth / Paspalum / Hydrilla / S. Naiad River Hydrilla MECHANICAL HARVESTING Lyngbya Floating Heart / Tussocks Tussocks All treatments are contingent upon weather conditions and water quality. Treated areas will be identified with "Warning Signs" indicating the date of treatment and the necessary water use restrictions. For further information, please call 352-527-7620. Citrus County Division of Aquatic Services Shop Goodwill's of Values for gorgeous NEW holiday decorations and gifts. Redeem this coupon 11/30 12/2 fori10% off your entire purchase! 'ter o a XOpOp 11 16 PeeI Winners! Drawings at all stores 12/24. Need not be present to win. CCC Crystal River 408 N. Suncoast Boulevard Ocala Superstore 2830 ,S.W. 27th Avenue For more store locations, visit Goodwill Industries-suncoast, Inc. Your purchases change lives. ,1' 550 SunTrust Gift Card to keep for your own cause. And now SunTrust introduces SunPoints for Charity,"' my details.. -*^.,r ,,,Aluminum, Inc. Hwy. 44, Crystal River 795-9722 1-888-474.2269 N7Y (PI.) CHRONICLE v w Licensed & Insured Lic. #RR0042383 7C ; Coumn\ tr T \ /Rnwirn T, Rrr US our v -- v 40W - * at. - 40. - t o a. o Q -, 1.- -1 ic_ F"', 4,11 I Sto the curb lane of State Road 44 and will turn north on Turkey Oak m Local traffic and traffic wanting to go southbound US 19 _- should stay in the left lane will continue onto U.S. 19. Parking. S- The following areas are avail- able for parking: City Hall lot Little Springs Parking lot 0 0 E City lots on Crystal Street -. -. near the Trail. U] George Washington Carver S- School lot located on N.E. Third S - Ave. and N.E. Fifth St S- Crystal River Mall. U Vacant field south of the Mall. Fire department lot . Business and property owners S- in the downtown area who do not wish to provide parking should designate their property S as no parking. Parade spectators should watch for no parking signs and respect them, as prop- Sb erty owners could have their S- - a vehicles towed. _- For more information, call the S-- Crystal River Police Depart- * ment at 7954241. 4 I olii CITRus COUNTY (FL) CHRONICLE Karl Blount, 64 HOMOSASSA Karl Sturgis Blount, 64, Homosassa, died Tuesday, Nov. 20, 2007, from lung cancer. He was born Aug. 22, 1943, in Philadelphia, Pa., to the late Marion S. and Della (Braun) , Blount Mr. Blount joined the Navy in 1963 and was sta- tioned on the Karl Blount USS Yosemite, USS Saratoga, USS America, USS Puget Sound and NAU Clarksville Base, Tenn., NWS Yorktown, Va., COMFLEACTS Yokosuka, Japan, and NWTGLANT in Norfolk, Va. He retired as CW04 in 1990 after 26 1/2 years of service. He worked with his wife at Pitty Pat's Porch for several years and as lead security offi- cer for the College of William and Mary at the Virginia Institute of Marine Science (VIMS) Gloucester Point for nine years. Following his retirement from VIMS, Karl and Phyllis moved from Gloucester Point, Va., where they lived 24 years, to Homosassa in June 2007. He was a member of the Sons of the American Revolution, Veterans of Foreign Wars, The American Legion, Fleet Reserve Association, Naval Nuclear Weapons Association and was president of the Blount Family Reunions in Waynesboro, Ga. He was an active member of St. Mark Lutheran Church, Yorktown, Va., and attended St. Timothy Lutheran Church, Crystal River. Survivors include his wife of 41 years, Phyllis; a son, Kevin Blount and wife Joan of Florida; a daughter, Theresa Paris and her husband; and two granddaughters, Alyssa and Kelsey of Mansfield, Pa. Wilder Funeral Home, Homosassa Springs. Dale Dando, 52 HOMOSASSA Dale Jay Dando, 52, Homosassa, died Wednesday, Nov. 28, 2007. He was born Sept. 26, 1955, in Pittsburgh, Pa., and came here three years ago from Largo. Mr. Dando was a Navy veteran of Vietnam. He was a maintenance fore- man for apartments. Survivors include his wife, Catherine E. (Ingram) Dando of Homosassa; stepson, Frankie Mancini III of Largo; and a brother, George Dando of Kenneth City. Wilder Funeral Home, Homosassa Springs. Otto Deutsch, 95 BEVERLY HILLS Otto Deutsch, 95, Beverly Hills, died Tuesday, Nov. 27, .2007, in Lecanto. Born Oct 12, 1912, in Vienna, Austria, to Siegmund and Bertha (Klein) Deutsch, he came to this area in 1976 from New York City. Mr. Deutsch worked as a HEINZ FUNERAL HOME & Cremation David Heinz & Family 341-1288 Inverness, Florida waiter at the Waldorf Astoria Hotel in New York City before retiring. He was an Army veteran, serving during World War II. He was a member of Congregation Beth Sholom and a former member of the Beverly Hills Recreation Association. Survivors include his wife, Charlotte Deutsch of Beverly Hills; sister, Erika Neimeth of Beverly Hills; three nieces; two nephews; and many grand and great-grand nieces and nephews. Hooper Funeral Home, Beverly Hills. Carmen Floyd, 88 HOMOSASSA Carmen W. Floyd, 88, Homosassa, died Monday, Nov. 26, 2007, at her home. She was born May 20, 1919, to Louis A. and Wilhelmina Floyd and came to this area 28 years ago from her native New Orleans, La. Mrs. Floyd was a bookkeeper for RAF Department Store for eight years in New Orleans and also worked as a bookkeeper for 13 years for the Avondale Shipyard in New Orleans. She was retired. She was a life member of VFW Post 8189 Ladies Auxiliary and Military Order of the Cootie Puptent 92 Crystal Bugs Auxiliary. She enjoyed reading, RV traveling and cooking. She was a member of St. Thomas Catholic Church. , ' Survivors include her hus- band of 68 years, William C. Floyd of Homosassa; one son, William C. Floyd Jr. of Louisville, Ky; two daughters, Patricia F Abadie of Bayou Gauch, La., and Barbara F. Loverde of River Ridge, La.; five grandchildren; four great- grandchildren; and several nieces and nephews. Strickland Funeral Home, Crystal River. Ruth Johnson, 91 INVERNESS Ruth M. Johnson, 91, Inverness, died Thursday, Nov. 29, 2007 at Avante at Inverness, under the care of Hospice of Citrus County. Born Dec. 17, 1915, .in Buffalo, N.Y, to William and Mary Metzger, she came to this area 13 years ago from Fort Pierce. Mrs. Johnson was the owner and operator of a printing shop. She enjoyed bowling, fishing and traveling. She was a member of St. Timothy Lutheran Church in Crystal River. She was preceded in death by three brothers. Survivors include her hus- band of 56 years, Harry K. Johnson of Inverness; and a son, Neil Johnson and wife Bettie of Brooksville. Chas. E. Davis Funeral Home with Crematory, Inverness. Virginia Reed, 82 LECANTO Virginia E. Reed, 82, Lecanto, died Thursday, Nov. 29, 2007, at the Life Care Center in Lecanto. Mrs. Reed was born Jan. 5, 1925, in Marietta, Ohio, the CLa. 2havL Funeral Home With Crematory RUTH M. JOHNSON Private CremationArrangements THERESE EVANS Private CremationArrangements VERA MEAGHER Kloehn,Fahl & Melton Funeral Home Ft.Wayne,Indiana JULIA L.PADFIELD Private Cremation Arrangements FREDERICK W. RUSSELL,JR. Private Cremation Arrangements 726-8323 721 Casonunra &Crmaio-Srvce Our Inverness Oice is Open & Here to Serve Your funeral Planning Counseling & Arranging Needs visit us a0 DmierS.,Iv.76-23 Family Owned Service daughter of Robert and Louise Barnhart and moved to Lecanto in 1984 from St. Petersburg, where she was the owner/bro- ~-"', : ker of Virginia E. Reed Realty. . She was pre- . ceded in death by her hus- Virginia band, Jack W Reed Reed; brothers, Julius R. Barnhart and Donald E. Barnhart; sisters, Doris E. Carpenter, Wanda L. Vanoster, Mildred M. Jett, Nola E. Green and Sara B. Barnhart; and a grandson, Mark Reed. Survivors include two sons, Joel M. Reed and wife Linda of Indian Rocks Beach and Scot A. Reed and wife Teri of Gulfport; daughter, Vicki L. Hudson and husband Fred of Lecanto; brother, Terry L. Barnhart of Hanoverton, Ohio; and five grandchildren, Steven L. Sullivan and wife Angie of Powder Springs, Ga., Shawn F Hudson and wife Candace of Inglis, Brian W. Reed and Alison Reed of Gulfport, and Kelli Stickrath and husband Paul of Okeechobee. Heinz Funeral Home & Cremation, Inverness. Michael Toll, 67 INVERNESS Michael B. Toll, 67, Inverness, died Monday, Nov. 26, 2007, in Inverness. Born Sept. 19, 1940, in Yonkers, N.Y, the son of Herbert and Cecile (Blackburn) Toll, he came to Florida in 1992 from Long Island, N.Y. Mr. Toll was a lineman for New York Telephone. He was a member of Alcoholics Anonymous. His wife, Margaret Toll, pre- ceded him in death in May 2007. Survivors include three daughters, Melissa Gruini and husband John of Maybrook, N.Y, Michele Dewild and hus- band David of Pinebush, N.Y, and Melanie Metzger of Fishkill, N.Y; four stepchil- dren, Teresa Fishburn of Port St. Lucie, Patricia Dolzonek of East Stroudsburg, Pa., William Powell of Hempstead, N.Y, and Richard Powell of Mims; two grandsons, Ethan Rastadt of Fishkill, N.Y, and Matthew Gruini of Maybrook, N.Y; and 10 step-grandchildren. Heinz Funeral Home & Cremation, Inverness. Dale Trombly, 68 HOMOSASSA Dale E. Trombly, 68, of Sugarmill Woods, Homosassa, died Monday, Nov. 27, 2007, at his home. He was born July 19, 1939, in Plattsburgh, N.Y, the son of Maynard and Ella (Pombrio) Trombly He married Billie Faye Coffey in Norfolk, Va., in 1960, where he was serving in the Marine Corps. Returning to Plattsburgh, he was a plumber and steamfitter and belonged to the local union. In 1972 they moved to Clearwater and later to Homosassa, where he was the owner and operator of Aire Dale Limo Service. He also worked for the Home Depot of Crystal River. He was a dog lover who loved to dance to country music. His favorite place to be was on the water. He was preceded in death by his wife Billie in 1994 and his son Dwain in 1985. Survivors include his pres- ent wife, Judith Williams Trombly; daughters, Vicki Walker and husband John of Plattsburgh, N.Y, and Tami Adams and husband Robert of Tarpon Springs; son, Troy Trombly and companion Michelle; seven grandchildren, Johonna, Joshua and Jessica Walker, Robert and Alyssa Adams and Chanell and David Trombly; also Judith's family: Lettie Rile': and husband Ron, Rebecca Morris and husband Reed, Daphne Smith and hus- band Larry, and Terry Jones; her 10 grandchildren and eight great-grandchildren all of Citrus County. Dobies Funeral Home, Hudson. Click on- line.com to view archived local obituaries. Funeral David S. Keene. Memorial services for David S. Keene will be at 2 p.m. Saturday, Dec. 1, 2007, at the Shepherd of the Hills Episcopal Church in Lecanto, with Fr. Ladd Harris, celebrant. In lieu of flowers, the family requests memorial gifts to be made to Shepherd of the Hills Episcopal Church Memorial Fund, 2540 W Norvell Bryant Highway, Lecanto, FL 34461 or to the David S. Keene Memorial Fund at Episcopal Relief and Development Fund, PO. Box 7058, Merrifield, VA 22116. Virginia E. Reed. Funeral services for Mrs. Reed, 82, Lecanto, will be conducted at 11 a.m. Monday, Dec. 3, 2007, at the Heinz Funeral Home, 2507 Highway 44 West in Inverness with burial to follow at Memorial Gardens in Beverly Hills. The Rev. Kip Younger will preside. The family will receive friends before services from 9 to 11 a.m. Dale E. Trombly. Visitation for Mr. Trombly, 68, Sugarmill Woods, will be from 2 to 4 p.m. and 6 to 8 p.m. Friday, Nov 30, 2007, and funeral at 11 a.m. Saturday, Dec. 1, 2007, at Dohies Funeral Home, Hudson. Burial in Stage Stand Cemetery, Homosassa. Deaths 7 -: V :.-.;. Larry Bland, 67 HISTORIAN LEXINGTON, Va. Larry Bland, a historian, author and teacher on the life of George C. Marshall, has died of heart fail- ure, the George C. Marshall Foundation announced. He was 67. Bland, who died Tuesday, wrote and edited articles and publications on the life of Marshall, a former Secretary of State whose "Marshall Plan" helped rebuild Europe from the ravages of World War II. He lectured on Marshall in the U.S. and abroad. Bland also served as manag- ing editor of the Journal of Military History for 19 years. Bland was active in Rockbridge County history affairs and often volunteered at the Virginia Military Institute's theater, where his wife, Joellen, served as direc- tor. A native of Indianapolis, Bland received a bachelor's degree in physics from Purdue University and his master's and doctorate in diplomatic history from the University of Wisconsin. After teaching at colleges in North Carolina and Illinois, Bland was recom- mended for the Marshall Foundation position in 1977. Gennie DeWeese, 86 ARTIST BOZEMAN, Mont. Gennie DeWeese, an artist known for her landscape paintings and woodblock prints whose works are displayed at museums across the Northwest, has died. She was 86. DeWeese died Monday at her studio south of Bozeman. Dahl Funeral Chapel confirmed her death. Her first oil painting was of her dog, done when she was 12 years old. In 1995, DeWeese received an honorary doctorate of fine arts from Montana State University, and she received the Montana Governor's Award for the Arts. Elaine Lorillard, 93 NEWPORT JAZZ PATRON NEWPORT, R.I. Elaine Lorillard, a socialite who encouraged a club owner to start the Newport Jazz Festival, has died of an infection, a nurs- ing home official said. She was 93. Lorillard died Monday at the Heatherwood Nursing and Rehabilitation Center in Newport, where she had been treated for dementia, said Lori Curtin, director of quality assurance. Lorillard is best remem- bered for inspiring jazz club owner George Wein to create the Newport Jazz Festival, the first such gathering in the United States and the model for hundreds of similar cele- brations worldwide. While visiting Wein's club in 1953, she told him jazz might liven up the "terribly boring" social scene in the summer resort for the rich. Her husband, Louis, a tobac- co heir, gave Wein a $20,000 line of credit to start the festi- val. suing it in 1959. She and Wein publicly recon- ciled in 1992. S 4Iir in stc fo - 5trickland Funeral Home and Crematory fd .....,. . Since 1962 wvw .sr.C.1ilan a u nera omi liore.Icom 352-795-2678 o 1901 SE HwY. 19 CRYSTAL RIVER, FL 34423 Sl FR mU)AI N"VFMF-tF EAC) 200 Obituaries OMA % w-.tfrirkla Uj% FRIDAY, NOVrMBER:5U, ZUU/ I FRIDAY, NOVEMBER 30, 2007 7A STATE CTUS COUL NTY (PI jL) CHROA.nflJ.ItCLE RepuMicn*% tvar d&uwn w odau4r U-L- fork ed ~,. &~4a ~1 dip. Available from Commercial News Providers" W. - - - a. - Barry J. Kaplari, 90 D ABLINDSS NO PAYNTlNTR 731623BLINDS WE'LL MEET OR BEAT ANY COMPETITORS PRICE* The Savings Are Yours Because The Factory Is Ours! FAST DELIVERY PROFESSIONAL STAFF 72 HOUR PUIND FACTORY FREE . n 1, Mr1Ti. i Corin ulh _ ,,AVE. .. LECANTO TREETOPS PLAZA 1; NMust present wnten estimate from competior for this pnce wr i(i IF TLE4- RE'' 527-0012 HRS' MON -FRI 8AM-4 30PM TOLL FREE 1-877-746.0011 Tooth Talk What is Cosmetic Dentistry? Over the last 25 years, new materials and techniques have enabled dentists to make teeth look better than ever. Dentists who practice Cosmetic or Esthetic Dentistry generally have a particular interest in making their patients' teeth look as attractive as possible. Special continuing education courses teach about how to choose and use the new, more attractive materials. The most common procedures in cosmetic treatment include tooth bleaching, porcelain veneers, tooth-colored fillings in back teeth and porcelain crowns. Treatment varies for each patient, depending on the condition of their teeth and the result they want. Some of the problems with older fillings and crowns can be (352) 795-5935 Wi Meadowcrest 6015 W.Nordling Loop Crystal River 34429 "Pe solved with today's better materials. It's not necessary to have dark lines at the edges of crowns and you no longer need to look at unattractive "silver" fillings. If your smile could use a "tune- up" and your dentist hasn't suggested any ways to improve it, ask what options are available. Not all dentists are comfortable with the newer techniques, so you may not get the answer you're looking for. Don't be afraid to investigate by seeking a second opinion. If you aren't happy with your smile, ask a dentist who enjoys creating more attractive teeth. You may be surprised by the possibilities available to create a dazzling smile. Dr. Linda therow, DDS Dedicated to personalized Care" More Benefits than Original Medicare. All from one convenient health plan. AARP MedicareComplete , provided through SecureHorizons is .-'*". the only Medicare Advantage plan with the AARP name, and you don't have to be a member of AARP to join. It provides you more benefits than Original Medicare including: monthly health plan premiums starting at $0* no referral required to see specialists, and lower specialist and primary care provider copays than last year. Come learn about your Medicare coverage options at a FREE community meeting provided by SecureHorizons health plans. December 3,10,17 & 24, 2007 9:30 a.m. Ruby Tuesday 2235 E. Gulf-to-Lake Hwy. Inverness, 34453 December 6, 13 & 20, 2007 2 p.m. The Front Porch Restaurant 12039 N. Florida Ave. Dunnellon, 34434 December 5, 12 & 19, 2007 9:30 a.m. Gabby's Bar & Grill 1801 NW U.S. Hwy. 19 Crystal River, 34429 December 6, 13, 20 & 27, 2007 2:30 p.m. Oysters Restaurant 606 N. U.S. Hwy. 19 Crystal River, 34429 Call SecureHorizons today to reserve your place or receive a FREE information packet: A sales representative will be present with information and applications. For accommodations of persons with special needs, call SecureHorizons at: 1-866-719-7409, (TTY: 1-866-832-8671). AWRP December 5, 12,19 & 26, 2007 10 a.m. Misty River Seafood 4135 S. Suncoast Blvd. Homosassa, 34446 December 20, 21, 27 & 28, 2007 9:30 a.m. Applebee's 1901 W. Main St. Inverness, 34453 December 6, 7,13 & 14, 2007 9:30 a.m. Applebee's 1901 W. Main St. Inverness, 34453 December 31, 2007 9:30 a.m. Ruby Tuesday 2235 E. Gulf-to-Lake Hwy. Inverness, 34453 1-866-719-7409 (TTY: 1-866-832-8671) 8 a.m. to 8 p.m. local time, any day of the week MedicareComplete provided through SecureHorizonso * You must continue to pay your Medicare Part B premium if not otherwise paid for under Medicaid or by another third party. AARP" does not make health plan recommendations for individuals. You are strongly encouraged to evaluate your needs before choosing a health plan. The AARP MedicareComplete plans are SecureHorizons Medicare Advantage plans insured or covered by an affiliate ofUnitedHealthcare, PacifiCare Health Plans or Oxford Health Plans, Medicare Advantage Organizations the AARP Logo are trademarks or registered trademarks of AARP. The SecureHorizons and MedicareComplete marks are trademarks or registered trademarks of United Healthcare Alliance, LLC and its affiliates. Limitations, copayments and coinsurance may apply. Benefits may vary by county and plan. AARP and its affiliates are not insurance agencies or carriers and do not employ or endorse individual agents. 247H55071019D1007 HI' ''I UI17H55.':' I",'11R5287 071019DL12 N A.M'IX W0O37.O | t7.1 L4p S.' , 1 rrTQ nr~-rv,Fn eryi~nvriF I I VAL Letters 7~~-~ -:~i Alternatives to cows Each greenie environmental- ist tries to outdo each other. Haley Mills drove up in her big Mercedes. gave a speech on removing cows' milk for rats' milk. She wants us to drink rats' milk and get rid of the cows because of the methane. If we do what the greenies want, we will get rid of all man- ufacturers, oil, gas and let them control us. Editor's note: The speech giver was Heather Mills McCartney, not Haley Mills. Who pays fee? I agree with the writer about the flipside of impact fees. And I agree that the Chronicle seems to have a problem with it ... Do they want the people living here to pay the impact fee rather than the people who move in? It's wrong, wrong, wrong to suggest we should have more taxes. The impact fee should be put on the people moving in and building in this area, because we don't need another Port Richey, either. Wrong day watering Could someone please print a phone number for water viola- tions? I have neighbors who water on Sundays and also on the wrong day when we are in a big water shortage. We should not water if it is not a designat- ed day. Please print a number to call. Do you call the sheriff? I have no idea. Editor's note: The watering restriction hot line is (800) 848- 0499. Fatal season Here we go. The next 35 days, approximately, that we're going to start killing off people on our streets and it could be up to 3,000 or 4,000 people during Christmas, Thanksgiving, New Year's. And where's the anti-war protesters. about all the Americans killing Americans right here in our own country? Yet you complain about what we've done in Iraq, which it took six years to reach that amount. Here we do it in 30-some days every year ... Every year it gets worse. Wake up, people. Quit complaining about us trying to save lives in other places when we can't even save our lives right here in this country with our own peo- ple. Offensive odors This is in regards to the (callers) that were complaining about the front-door smokers. Well, I'm complaining about the cheap perfume and garlic smells. So if they can't stand the cigarette smoke, we can't stand their cheap garlic and cheap perfume smells and body odor. So get a life. Best police Crystal River will never be the same without our police depart- ment. In my opinion, they were one of the best. What a won- derful Christmas present our mayor and his cohorts have given to the men and women of the police department. We shall miss them. Counting employees Whom do the county com- missioners represent the state politicians or the citizens of Citrus County? Who is the biggest special interest group in Citrus County? How many employees are there in Citrus County being paid for by the taxpayers? That should include both state and county employ- ees. Leave it alone Two things: First of all, I hope those people will leave that poor fox squirrel alone. They are so frightened and they're very shy. Why put it in a cage and trap it and scare it and take it away from its pos- sible babies? 2. I would wel- come a Wal-Mart, Target or anything of that nature that would save me gas and that would give me employment. Don't be so picky. Just be happy if we get something. Too much rushing A week or so ago, a caller had expounded upon the "evil" (my word use) of too-slow driv- ers who drive at, or less than, the speed limit. It evidently offended the caller to have to wait for the slower driver who, according to the caller, "endangered everyone else on the road who wanted to get moving along," at, I add, a speed greater than the posted maximum speed limit. I say this is one of the biggest prob- lems with most of our society today. Most everything has to be done in a big rush. Rush down the highway never mind the law. The maximum speed limit is never honored. The cops look the other way. What the heck. Light crews I see a nice big picture on the Chronicle's front page of an out-of-our-county contractor putting up Christmas lights. Don't we have any city or county maintenance crews to do this? Maybe the contractor knows our councilmen. Hmmm, I wonder. Where's the money? The commissioners have doubled the gas tax and tripled the impact fees, and Vicki Phillips says we don't have enough money to widen south Croft Road? What are they doing with all the money? Awful traffic Commissioners Phillips and Valentino are wondering why property is needed on Croft Road for expansion because it is not on the five-year plan. My question is: Why isn't it on the five-year plan? I travel Croft every day and the traffic is get- ting awful. Talk against war Watching TV and reading the papers, these modern-day citi- zens supposedly American citizens with the way they talk against the war and Bush and so on. In my time it was the big one, the last war we won, No. 2. In those days we would call these people not real Americans. We would call them enemies of our country, the way they speak against the war and what's going on instead of encouraging the sol- diers. These guys are just knocking them down and so on. Low-income seniors Editor's note: The following letter to state Sen. Charlie Dean is published at the writer's request. In response to your letter of Nov. 6, you spend more than-a full page attempting to convince me of the fine job the Legislature is doing to provide relief in property taxes for Florida residents. The problem I'm having is you are help- ing new homeowners, renters, second home owners and businesses. In my opinion, if you can afford a second home or the start of a new business, or purchase a home for a half a million dollars, then you can afford the appropriate tax. Was the purpose of the amendment to pro- vide relief for all Floridians; or all Floridians except low-income seniors? Where is the help for those who cannot afford three full meals a day, or those who cut their medications in half so he or she will have enough money to pay the phone bill? The single paragraph in your letter that addressed my concerns states: "Due to the complexity of the issue," it was more impor- tant to avoid those who need help the most. Let's face it, Senator, there are more well- to-do voters than there are low-income sen- iors. I would appreciate knowing when the issue of low-income seniors will ever be a part of the proposed property tax amend- ment should it gain approval in January 2008. Or will out Legislature continue to let low-income seniors cry themselves to sleep not knowing how they can meet their finan- cial obligations having to live on an inade- quate Social Security check? Richard DeMeritt Inverness Legless friends Once again, I am compelled to write to you due to the ignorance of other Citrus County residents in regards to reptiles, * 10K * 14K * Any Carat $ * Gold Coins * Gold Watches * Broken * Unwanted * Anything in Gold! specifically snakes. I moved here in 1976. I've seen a lot of changes through the years, including the massive rapid decline of our native snake population. As a child, I used to be able to walk down any road or any stretch of woods and come across a snake to capture, study, feed and, if lucky, get them to breed, then selling the offspring to local pet shops for pretty good money for a 10-year-old boy. As years passed, I landed a job at a local pet shop and have been working with reptiles and wildlife ever since. Snakes became my passion over all my other animal friends, and in 1988 I became a nuisance wildlife relocator, which in my spare time I've been doing ever since. I've helped hundreds of Citrus County residents overcome their fears by removing and relocating their unwanted house guest, and then educating the homeowner about why it was there in the first place. And, no, it didn't come in to attack or bite them or even try to scare them, especially when chasing it with a broom. By the way, did you know that more 90 percent of all venomous snake bites in America are because the per- son was trying to capture or kill the reptile? A snake bites only as a last resort; its first response is to get away from you. During the past three to four years, I've seen a drastic drop in our legless friends from both nuisance calls as well as in the field. Now I receive more and more calls about rats, mice and bats in their homes ... Hmmmm ... I remember something about something called a food chain. Well enough of that, bottom line is if you really like hav- ing very destructive, disease-spreading crit- ters living in your home, then continue to whack 'em with your broom or sliding that shovel through the necks of your legless house guests. It's kind of like that guy in that Hummer complaining about the gas prices. Danny Sullivan Inverness $CASHI * Dental Gold * Diamonds (Any Size, Any Shape) * Silver Coins * Rolex's FLORIDA JEWELERS 726 7780 3850 E. Gulf to Lake Hwy. (Next to Ford), Inverness i WOO $2.00 Admission FREE Parking Door Prizes Tools, Carving Supplies, Wood, Blanks & Cutouts Carving Books EXCITING RAFFLE At the Citrus County Auditoriui 32825 Contact: Dave Me SHOW *ING Saturday, December 1,2007 ):00 AM to 3:00 PM CI ii<)k\l:l.K m (Citrus County Fairgrounds/Airport), Hwy 41 South of Inverness lton (352) 527-4561 or Jim Adams (352) 382-7209 SAVINGS UP TO S10,0001 CARS FROM $99 MONTH* 0% FINANCING ON 2007 MODELS!' HUNDREDS OF EXCLUSIVE VEHICLES AT WHOLESALE PRICES! *Example:'04 Kla Rio with $2,000 down, plus tax, tag & title and $499.50 dealer fee. 72 mos. at 8.95% WAC. t On select models, WAC. 1200 NEW VE~j :i H ICS 20 REOWEDVHILE ALL MAKES 8 MODELS: CHEVY CADILLAC DODGE CHRYSLER * MITSUBISHI VW* BMW TOYOTA BUICK HONDA PONTIAC FORD * GMC SATURN SUZUKI* NISSAN* KIA LEXUS HYUNDAI 8 MORE! (- 1111 I5 YOUR ONLY CIAWOER Iti 4 gii i] H4 k;iJ E^y i111) ini(9J1U0 1; 1 i;:.'JI . --i I..._. ... i T .m w... .. ;... . _ EAGLE BUICK PONTIAC GMC VEHICLE TENT EVENT AT CRYSTAL RIVER NATIONAL GUARD ARMORY I THURSDAY FRIDAY SATURDAY SUNDAY NOV. 29 NOV. 30 DEC. 1 DEC. 2 9AM-8PM 9AM 8PM 9AM-7PM 12- 5PM SUICKC PONTIAC GMC LOCATION:* CRYSTAL ATTHE 8551 W. VENABLE W Venable ARMORY CRYSTAL RIVER a, NATIONAL GUARD ARMORY CRYSTAL RIVER, FL Eagle 3x5 St. Pete Times runs 11/28/07 SA FImIAv,, Novximm.ii 30, 2007 Sound ..: - CITRus COUNTY (FL) CHRONICLE ,-% Nature Coast Carving Club's 10th Annual CASH FOR THE HOLIDAYS! BUYING GOLD & DIAMONDS! PAY YOUR HOLIDAY ,. BILLS & GIFTS CITRS C~i~y (L) HROI~l ~i~ PIIONFRIAYNOVMBE 30 207 9 Sound OFF Florida recount In re: Bush v. Gore in 2000, the Supreme Court voted to overrule the Florida Supreme Court's order for a full statewide recount in the disput- ed presidential election a ruling that effectively made George W. Bush president. The Supreme Court did not rule on any three-county recount. It ruled on the entire state of Florida recount. So, yes, the Supreme Court did appoint George Bush as president in 2000. A later recount found that Gore had really won. Unable to leave Many New Orleanians, when told to evacuate, had no trans- portation to evacuate. Therefore, they were not stay- ing home in the face of orders to evacuate. They were unable to leave. While school buses sat in yards and got flooded, school buses could have been used to evacuate them. As far as looting is concerned, those people that managed to sur- vive the hurricane, in their own homes or wherever, had been without food ahd water for days when they began to break into grocery stores to get the badly needed food and water. Poor donations When people donate to a nonprofit organization, they should consider that people who shop in these nonprofit thrift stores do not want their garbage, nor their junk, nor their stained, torn or other misused items. The people who shop in these stores go from extremely wealthy to the very poor. And even though the items do not cost very much, it's still a lot of money to those who are spending in those stores. W ve some wonderful nonprofit organiza- tions around the county. Please do not think that you can drop your garbage off at these stores and save on your landfill fees, because the land- fills do charge the nonprofit organizations ... These non- profit organizations are run by a staff of volunteers. These volunteers come out faithfully on their days that it's their time to volunteer to help the community, not hurt the com- munity. So please, again, when you donate, make sure it's something that you would want to purchase even though we may only charge very little for these items. Have a merry Christmas and a happy holiday season. Read the newspaper I would just like to say that I love that people can call in to the Sound Off and complain about stuff and ask questions and ask why the Chronicle doesn't look into things, when it turns out that they've written articles already. Many people have called about the two left- hand turn lanes from (State Road) 44 going onto (County Road) 486, and there was a big article in the paper from the Department of Transportation explaining that it is a state road on (S.R.) 44 and it is a county road on (C.R.) 486, and that whenever the county ends up redoing widening (C.R.) 486, that they will be responsible then for making it so that the two lanes become two lanes ... It has been discussed and it is already part of the plans to widen (C.R.) 486. Those have been in the newspaper. Difficult decisions I'm calling with regards to the article that was in Nov. 19's paper about "Animals budget." I'm not questioning, I'm not at all saying this per- son is not telling the truth. I'm questioning perhaps their motivation for that item. I know for a fact that Animal Control will do anything they have to and can to help an ani- mal get adopted. So fronting someone 25 cents that sounds a little bit ridiculous and odd. The motivation behind that may be a little peculiar. That may be one of these nice people who suppos- > lad Jshion -ie 9 ake fand /-u6ic 7?ie Tastin& Presented by Floral City United Methodist Church 8480 E. Marvin St. Enter Pies 9 to 10 a.m. Saturday, December 1 during Floral City Heritage Days Sour pie Categories for both Home Made and Commercial Bakers For rules and entry form call Liz at 726-9200 or Marty at ) 726-8311 G LF AMERICA ' Pro Shop & Clearance Center Monday-Saturday 9-6 Sunday 10-4 LESBR o 352-326lI~ T : n-0 OCL 32-45-63 NW Corer 1-7 & C ~ '484]:~ (Be indMconld DIVIDER GOLF BAGS $4A 99 14 Way Top While Supplies Last 9 Each & Up ORLIMAR ASSORTED PACKAGE DEALS PACKAGE DEAL Best Selection & Price Ever! Irons, Woods, Hybrid Irons, Woods, $4 a99 Putter, Bag, Head Covers Putter, Bag, Etc. I-& Up $34999 GOLF HUGE SELECTION *ASSORTED GLOVES Drivers Hybrids Putters S I Fairway Woods & Wedges 9 $999to $2999 L UP edly wanted to be in on the privatization of so the animal services. You know, there's a lot Jl that people don't real- ize about animal serv- ices. The first thing being that they do a difficult job every day. They have to make dif- s ficult decisions. ALL Turning lanes 563-0579 This is for the coun- ty commissioners wasting that was more of our tax dollars. know, it They're putting in the turning Swal lane on Grover Cleveland for the new library. And then, for This is what? So people can turn into printed the library? People are turning Hallowe into businesses and everything am a Ha else up on Grover Cleveland me tell y without having a turning lane. division And then when they're going to 31 housl widen Grover Cleveland any- 25 child way, they're going to dig all years of that right back up and re-top it ago, we again, so it's wasted money. trick-or-t And don't let them use some and there kind of excuse about wanting knocked to save accidents or prevent trick-or-t accidents. Because if that's horrible. their excuse, they should be out that putting a light up there in neighbor Holder and about a dozen about 80 other places here in this coun- knocking ty that they could make better bring ca to prevent accidents. trailers p kids. Our Name calling and wea Hillary Clinton is a dignified, driveway intelligent, well-spoken, nice- car out t looking woman and needs no there we defending from me. However, ambulan she is not a "B" no woman would nc is. That's the correct term for L a female dog. I can only imag- ine the type of person who Page 3 called her that. I'm sure John (recently McCain would not want his the white wife or loved ones to be called paper. N by that name. got local mm VACATION TIME! Vultures' lunch For the person who was wondering about the headless deer on State Road 44 that was killed and laying there: I did see it when it was picked up. It was picked up by a bunch of vul- tures that were flying around overhead and they ate the thing. So a good thing. You gave them a lunch. rmed by goblins to the Sound Off call Nov. 19 titled een grinches": Yes, I Illoween grinch and let 'ou why. I live in a sub- near Inverness that has es and approximately ren younger than 16 age living here. Years were happy to give reat candy to the two e dozen children that on our door. However, reat night has become I guess the word got this was a generous hood. Now we have )0 kids that come g on our doors. Parents rloads, truckloads, pulled by tractors full of r roadways are blocked are trapped in our and we cannot drive a o leave our area. If re any emergency, nces or fire trucks )t be able to reach us. ocal photos 3 of the Chronicle ), a large picture of e heron was in the ice picture, but you've photographers - newspaper in education I CALL 53-565 LaPeter, Beck, Sigler, to name a few and all of these guys have taken better pictures than that and it's more of a local interest. So I don't understand why the Chronicle buys these pictures from some outsource and puts them in the paper when we've got our homegrown guys that do a fantastic job. So this is a compliment to them and a question for the Chronicle. Leftover smoke I'm calling about the person who said to get out of the streets if you're not a smoker. Those people wait 'til you walk past, then blow the smoke right in your face like it's our fault that they smoke. No, it's not our fault, but it is our right to not want to smell your leftover smoke. Smoke if you wish, but be respectful about it and have respect for other people. Get what you vote for Following the presidential elec- tion of 2004, I accepted the results and said the people got what they voted for. Well, let's fast-forward to about three-and-a- half years: The proof is evident. Everyone's complaining about the high oil and gas prices. The housing market is flat and won't come back for a while. The eco- nomic spending in this country is at its lowest point, but Mr. Bush is spending $6 billion of your tax dollars every month for what exactly? People, you got what you voted for. CRHS football The article I read in the Chronicle about records being broken by the quarterback is great. I watched all the games this year and about 80 percent or better, the defense has won or put the offense in such a sit- uation where they could win it. Not a word in the paper has been said about the defense. It seems like they have only two or three players on the team. I won- der how the other players feel. Good luck Friday night, and go defense! Defense will win you championships, and offense will win you games. Makes no difference I'm reading the Sound Off of Nov. 20, on a Tuesday, and there's one in here that says... "Here's your sign." It's talking about Sheriff Dawsy was taking over Crystal River, that someone with intelligence was coming through there. Well, I don't know how a deputy made it to ser- geant because he opened the "exit" door at the store instead of the "in" door. What difference does that make? This person thinks he can't be a sergeant or he's stupid because at 10 a.m. he went in the "exit" door at Lowe's. What difference does that make? SJ ,CATARACT & T -4-! LASER INSTITUTE - C,/ "Excellence... with love" FREE HEALTH SCREENING In Association With: Anne Marie Newcomer, OD Friday, Dec. 14t Vision Cataract Glaucoma Blood Pressure Eyeglass Adjustments Homosassa Eye Clinic 4564 S. Suncoast Blvd., Homosassa For an appointment call: 352-628-3029 THE PATIENTS AN ANY OTHER PERSON RESPONSIBLE FOR PAYMENT HASARIGHTTO REFUSE TO PAY, CANCEL MENT, OR BE REIMBURSED FOR PAYMENT FOR ANY OTHER SERVICES, EXAMINATION, OR TREATMENTTHAT IS PERFORMEDASARESUL T OF AND WITHIN 72 HOURS OF RESPONDING TO T HEADVERTISETMENT FOR THE FREE, DISCOUNTED FEE. OR REDUCED FEE SERVICE, EXAMINATION, OR TREATMENT,TMSTORE ALTAMONTE SPRINGS 175 E. Altamonte Drive at State Road 436 and Crane; P.o.:*[ Or.,- APOPKA 3030 E. Semoran Blvd. at the intersection of SR 436 and S. Hunt Club Dr. CLERMONT 260 Citrus Tower Blvd. at Hwy MAITLAND 248 N. Orlando Ave. on the N.E. corrncr of W. Horatio Ave. and Hwy. 17/92 OCALA 3101 S.W. 34th Ave. at S.W. College Rd. NEW LOCATION! ORANGE CITY 9e cHarl, '.It'.,:l ,,d Blkd in the West Volusia Towne Centre THE VILLAGES 684 U.S. Hwy. 441 N. in Rolling Acres Plaza Shopping Center EMBARK"M Wireless customers may not downgrade their wireless plans for December usage. New EMBARQM Wireless plans and prices (including all minutes exceeding their selected plan) and policies. Service plans: $75 (1-yr. term) or $150 (2-yr. term) early termination and, if not an EMBARQM F-DAY, NOVEMBER 30, 2007 9A OPINION RTIC US COUNTY (Fl E STOCKS 10A i Am. NovI'FNIMBR 30, 2007 THEMARET NREIE 'NYE -MEXNASD0 Hw T REA TH MAKET N RVIE STOKS F LCAL NTERES MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg_ Citigrp 699839 32.29 AMD 499899 10.14 -.21 CntwvoF, 458812 9.30 +.58 EMCCp 426501 1946 +.35 GenElec 351749 3814 -.32 GAINERS ($2 oR MORE) Name Last Chg %Chg ScottRepfB10.40 +1.50 +16.9 Yingli n 27.87 +3.09 +12.5 AtwoodOcn 84 01 +9.11 +12.2 PlaybyA 9.33 +1.00 +12.0 Gensco 29.90 +315 +118 LOSERS ($2 OR MORE) Name Last Chg %Chg CatoCp 1488 -4.77 -24.3 JoAnnStrs 16.54 -4.06 -19.7 MensW 34.33 -6.72 -16.4 Citizlnc 6.65 -1.27 -16.0 Aeropstis 24.48 -3.53 -12.6 DIARY Advanced 1,496 Declined 1,788 Unchanged 90 Total issues 3,374 New Highs 48 New Lows 86 /n lm A' 13 4 5.0 R69 6 MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg SPDR 1819067 147.18 +.05 SP Fncl 865595 30.25 -.27 iShR2Knya 546814 76.21 -.54 PrUShQQQ 384676 37.95 -.20 PrUShS&P 228726 54.48 +.17 GAINERS ($2 OR MORE) Name Last Chg %Chg Questcor 6.02 +1.04 +20.9 StephanCo 3.75 +.59 +18.7 AmShrd 3.35 +.35 +11.7 MSWFT08n17.45 +1.70 +10.8 ZBBEnn 3.20 +.31 +10.7 LOSERS ($2 OR MORE) Name Last Chg %Chg DigilalFXn 2.65 -.34 -11.4 IncOpR 450 -.50 -10.0 Synvista rs 2.45 -.24 -8.9 Cmpllnt nya 12.56 -1.19 -8.7 SulphCo 5.36 .-.49 -8.4 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Volu mne 681 635 97 1,413 29 80 51 134QR53 MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg ETrade 2086132 4.82 -.46 PwShs QQQ1625334 51.70 +.22 Microsoft 515765 33.59 -.11 Cisco 416059 28.15 +.10 Intel 414926 26.34 +.15 GAINERS ($2 OR MORE) Name Last Chg %Chg PacEthan 6.62 +1.93 +41.2 Solarfunn 15.19 +3.58 +30.8 AxcanPh 22.70 +4.50 +24.7 TiVo Inc 7.46 +1.48 +24.7 BrdwyF 9.49 +1.81 +23.6 LOSERS (S2 OC MORE) Name Last Chg %Chg AWoodmk 18.16 -4.69 -20.5 BonTon 10.75 -2.57 -19.3 CalFirst 11.31 -2.41 -17.6 SRISurg 4.13 -.67 -14.0 Genitope 4.14 -.61 -12.8 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Vnolime 1,367 1,633 117 3,117 51 118 2062,823.416 -ame pric ,;and nE6i cr.,nge and one to two additional fields rotated through the week, as follows: Div: Current annual dividend rate paid on stock, based on lailes quarterly or semiannual ,ae:larltion unie8ss otherwise footnoted. Name: Sio,.ks appear alpra1.elicaliv by uIn 1 company's full name iroil ,is aborei.i31i,,n)l Jame :o0'sisirig of ,nials appOear al itr, , egiririir.') rI oeacin letter'rs til Last: Pric:e silcxv was Iraidg at wrihen ec-hange clocid oir tried ,ia., Cha: L:..s or Qir, ior Ihe day fjo change r indicated cty 5w + H- L-t Cho A4 E 1O.A+ 5-3 Stock Footnotes .c E 5ry,5i4 ai-+,,+ 5 i,3 a r r .-ai,r .4-4c0 -cr.". Tr.N r. .1 Nir'. IAErn 1,,1 LOV T W ,, WA I M-:t hl 'W-PV9 IC ,,i orI 'r. i,, Ar r.. T. 3--- E M,+,E pla'rr,4 ,21+-s' rsvsuE.511. 1.-v r0- ,,J,31,3R E,. c1 P,?.. .,-,I;T,..,.+ IN? ,,uIIyn.r.Iz r : ,Ir.. ,.r-3 ., R4 -mCimo+.1001m' .I m a rOWr, ,,a .v,,,,.ia pu .1 'y,3 o a vT 4.4-i .11,4,1 s u.... jr+m .,l PDr... ST H, inote.14g v. .,Tl. 1--Iv, 5 Ei r 1 L :,j [.u iA 0 1 T b P al r,uIr+ .I ..++ I .1. +1r d rIrI EurO Si Lv ryI ,,.,+ IT nvi r A+: S.r.,.+44TI-do4 ,un .3,l br.r.r,.3airite ,, er.,T IlII Iv fd ,vdii ai OT .,,,r ,4. , 0&1 B~v ite,.Ir...6Ir f-CE.q 1.1 v rai+,+ 1 +l .+ 1, r4IL paidir IN C wi5.T4ll) TC.uo ,I,'.a, &aon 4-', C j. ren t 3t Oir, 45,H-rw z6. Source: The Associated Press. Sales figures are unofficial. YTD Name Div YId PE Last Chg %Chg AT&T Inc 1.42 3.7 20 38.03 +.53 +6.4 BkofAm 2.56 5.7 10 44.63 -.22 -16.4 CapCtyBk .74 2.6 17 28.73 -.76 -18.6 Citigrp 2.16 6.7 9 32.29 ... -42.0 Disney .35 1.1 15 32.81 +.12 -2.2 EKodak .50 2.1 14 23.94 -.41 -7.2 ExxonMbl 1.40 1.6 13 88.59 +.67 +15.6 FPL Grp 1.64 2.4 20 69.28 +.50 +27.3 FordM ... ... ... 7.29 -.07 -2.9 GenElec 1.12 2.9 18 38.14 -.32 +2.5 GnMotr 1.00 3.5 ... 28.78 +.39 -6.3 HomeDp .90 3.2 12 27.88 -.39 -30.6 Intel .51 1.9 25 26.34 +.15 +30.1 IBM 1.60 1.5 16 107.50 +.13 +10.7 Lowes .32 1.4 12 23.64 +.17 -24.1 McDnlds 1.50 2.6 31 58.35 +.38 +31.6 Microsoft .44 1.3 22 33.59 -.11 +12.5 YTD,,? Name Div YId PE Last Chg %Chg,.! Motorola .20 1.3 49 15.65 +.09 -23.90'1, Penney .80 1.8 9 44.53 +1.00 -42.4",. ProgrssEn 2.44 5.0 19 48.53 -.42 -1 RegionsFn1.52 6.0 12 25.42 -.47 -h : i . SearsHIdgs .. SprintNex .10 TimeWarn .25 104.09 -12.25 -38.C|( 15.20 +.44 -1' 17.29 +.07-O UniFirst .15 .4 16 36.88 -1.25 -4.0':' VerizonCml.72 Wachovia 2.56 WalMart .88 Walgrn .38 +.07 +14 I ." -.15 ---6 ,. +.31 " -1.02 -iB. 52-Week Net % YTD 52-wk, High Low Name Last Chg Chg 14,198.10 11,939.61 DowJones Industrials 13,311.73 .+22.28 +.17 5,487.05 4,346.39 Dow Jones Transportation 4,573.23 -52.20 -1.13 537.12 443.78 Dow Jones Utilities 529.25 -.42 -.08 10,387.17 8,802.62 NYSE Composite 9,773.57 -17.48 -.18 2,562.20 1,116.16 Amex Index 2,333.53 -20.41 -.87 2,861.51 2,331.57 Nasdaq Composite 2,668.13 +5.22 +.20 1,576.09 1,363.98 S&P 500 1,469.72 +.70 +.05 856.48 734.40 Russell 2000 766.06 -3.98 -.52 15,938.99 13,769.16 DJ Wilshire 5000 14,823.01 +6.18 +.04 %Chg %Chg' :1, +6.81 +8.92- lA +.29 -3.26.",- +15.87 +16.1Q1 mA +6.94 +8.97,q 1oJ +13.47 +12.78 mAA +10.47 +9.720m n +3.63 *13."' , -2.74 -56" .. . +3.97 +5.g0'0QQ" '1 =7 fo0* .ZbU 0 6t- 01M YTD Name Last Chg -18.2 ATMOS 26.11 -.09 +71.6 Atwoodcn84.01 +9.11 -240 AutoNatn 16.21 -.57 +59.5 ABBL1d 28.67 -04 +3.1 AutoData 45.37 -.23 -3.5 ACE Lid 58.44 -1.56 -321 AvisBudget 14.72 +.41 -1.8 AES Corp 21.65 +.07 +36.6 Avnet 34.87 +.07 +34.6 AFLAC 61.91 -.24 +24.3 Avon 41.06 -.39 +1198 AGCO u6800 +2.36 -19.3 BB&TCp 35.46 -.56 -5.1 AGLRes 36.94 -.60 +89.8 BHPBDllLt 75.45 +.54 +159.2 AKSteel 4380 -.21 -15.9 BJSvcs 24.66 +.43 -31.2 6.Ma4n _ 81 -.11 +2.9 BMCSit 33.12 +.41 +13.4 +78 BPPLC 72.32 -.17 +6.4 AT&TInc 38.03 +53 -45.3 BRT 15.13 -.29 +38.5 AUOptron 1913 -.22 48.1 BakrHu 80,68 +92 +.2 AXA 40.42 -.43 +6.7 BallCp 46.51 +.12 +17.0 AbtLab 57.00 +58 +3.0 BcBilVArg 24.79 -.01 +14.9 AberFitc 79.98 -.56 +55.4 BcBradess 31.33 -.26 -49.0 AbitiBown 18.77 +1.49 +45.8 Bncoltaus 26.32 -.18 -6.2 Accenture 3465 -20 +15.0 BcoSantand21.46 -.39 -2.9 AdamsEx 1347 -.04 -164 BkofAo, 44.63 -22 +.3 AdvAuto 3568 +1.52 -202 BkAmpfE 19.0 +.70 -50.2 AMD 10.14 -.21 +20.2 BkNYMeI 47.32 -.26 +19.0 Aeropstls 24.48 -3.53 -23.3 Barlay 44.59 -1.81 +29.0 Aetna 55.69 -51 4337 BarrickG 41.05 -.95 +75 Aclern 3747 1 +26.3 Baxter 58.59 -.37 +18.9 Amnicoq 4902 -.40 -3. 8yteEg 18.24 -.30 +38.8 AfPod 97.53 +75 -39.4 BearSt 98.64 -86 -29.9 ArTran 8.23 -26 -55.1 BearingP If 3.53 +.05 419.5 AloDeiars 4290 +1.21 -84.3 BeazrHml 7.36 -.20 -45.4 AicatelLuc 4777 -.06 +1590 BctDck 81.28 -1.57 +218 Alca 36.55 +34 -8.5 Belo 16.80 -.44 +6.4 AlegTch 96.46 +71 -2.15 +18 -127 Ailete 4061 -86 -12.3 Besty 30.5 -.0 18 +24.1 AlData 77.50 .55 +27 Besney 50.50 -.0 -44.2 AlliancOne 3.94 +24 -106 igLos .49 -.37 45 AcloGIHi 13.087 +518 +12,.2 BikHillsC p 41.44 -.03 +124 BkAE 3LO 14 .0 59 -.02 2 AliBnco 8.1 .12 01 371. Blacktn 1.2204 +.572 AhBeon 80.42 -125 -371 acksn 2204 +'57 -25.9 Alliedap 24.2 -1.27 -16.2 BlockHR 19.31 +.09 -8.4 AIdWase t11.26 +.15 -31 9 8bockbstr 3.60 -.10 -21.3 Allstate 51.27 -.53 -7.7 BlueChp 5.50 +.09 +96.6 AlphaNRs 2798 -43 +4.9 Boeing 93.21 -.40 -14.0 Aipharmnna 20.72 -08 -454 oders 1221 -.28 +21.6 Atias u75.98 +1.89 -9.2 BostBeer 32.66 +.47 +139.3 AlumChina 56.24 +.77 -14.7 BostProp 95.46 +.66 -73.7 AmbacF 23.41 +1.11 -26.9 BostonSci 12.55 -.18 -16.2 Amdocs 32.47 -53 -23.5 Brinkers 23.06 -.22 -.2 Ameren 53.61 -.29 +129 arMvSQ 2940 +27 +328 AMovilL 60.07 +70 +11.5 BrdrdgFnn 22.42 +.35 -29.9 AEagleOs 21.88 -.18 -37.9 Brunswick 19.82 +.02 +116 AEP 4750 +.02 +56.5 BungeLt 113.45 -2.85 -6.0 AmExp 56.89 -52 +12.6 BudNSF 83.10 -.60 -30.7 AFncIRT 7.93 -.02 10.1 CAInc 24.93 +.01 -20.0 AmlntGplf 5733 -.39 -29.9 CBREIlis 23.26 -1.03 -16.7 AreSIP3 10.25 -.19 -12.6 CBS8 27.26 +.12 +22.2 AmTower 4554 +.91 +243.9 CFInds 88.18 -1.12 -563 Americdtl 11.01 -.25 -15.7 CHEngy 44.51 -.40 +8.4 Amengas 3527 +07 +19.3 CIGNAs 52.30 +.66 +56 Amrenprise 5756 -1.53 -57.0 CITGp 24.00 -2.24 +2.3 AmenBrg d44.56 +.13 +38 CMSEng 17.34 -.09 +30.4 Anadarko 5674 +1.49 +11.8 CSS Inds 39.54 -.44 -4.5 AnalogDev 31.39 -.84 +20.1 CSX 41.34 -.98 -.1 AnglogldA 47.02 +.92 +29.6 CVSCare 40.06 -144 +42 Anheusr 51.26 -.63 +12.3 CabotOs 34.05 +21 +25.1 Annaiy 1740 +24 +14.4 CallGolf 16.49 -.15 +41.3 AonCorp 49.95 +.01 -29.5 CamdnP 52.05 +1.07 +47.3 Apache 98.00 +35 +2.9 Camecogs 41.64 +.27 -30.6 Aptlnv 38.0 +5s6 +79.5 Cameron 95.20 +.56 -7.1 ApplBio 34.07 -.36 -6.3 CamrpSp 36.45 -.09 -2.5 AquaAn 22.20 +.15 +11.2 CdnNRyg 47.83 -.99 -17.0 Aqulia 3.90 ... +26.4 CdnNRsg 67.26 -.05 +723 ArcelorMit 72.67 +.57 -1.9 Caneticg 13.63 -.18 +27.4 ArchCoal 38.27 -.04 -32.4 CapOne 51.92 -1.69 +13.1 ArchDan 36.16 +.19 -42.5 CapitlSrce 15.70 +.22 -43.8 ArvMent 10.24 +.11 -2.2 CapMpfB 12.70 -37.3 AshforidHT 7.81 -.11 -7.0 CardnlHIth 59.94 +1.09 -29.4 Ashland 48.81 -.12 -16.5 CarMaxs 22.38 -.05 -12.2 AsdEstat 12.07 -26 -9.1 Camnival 44.61 -.19 +16.9 Caterpillar 71.72 +.53 +.5 DonlleyRR 35.70 +,28 -35.1 CatoCp d14.88 -4.77 -4.9 Dover 46.63 -.37 +50.0 Celanese 38.81 +.32 +4.6 DowChm 41.73 +.06 -17.0 Cemex 28.13 -.24 -45.1 DowneyFn 39.85 +2.86 +25.1 Cemigpis 20.10 +.16 -9.4 DrmwksA 26.73 -.66 +6.2 CenterPnt 17.60 -.03 -5.4 DuPont 46.09 +.05 -66.0 Centex 19.13 -.31 +2.3 DukeEgys 19.77 -.17 -3.7 CntyTel 42.06 -.90 -37.4 DukeRIty 25.60 -.05 -6.0 ChmpE 8.80 -.33 +5.0 Dynegy 7.60 -.11 +20.4 Checkpnt 24.33 +.05 +47.4 EMCCD 19.46 +.35 +30.8 ChesEng 37.99 +.03 +33.2 EOGRes 83.21 -.48 +17.7 Chevron 86.56 +.50 -13.5 EagleMat 37.39 -.01 -47.6 Chicos 10.84 -.39 +7.0 EastChm 63.48 -.13 +62.3 ChinaLfes 82.00 +1.16 -7.2 EKodak 23.94 -.41 +109.2 ChinaMble 90.40 -.41 +17.9 Eaton 88.60 -1.35 +46.4 ChinaUni 21.80 +.84 -20.3 EVTxMGlon15.95 -.08 +2.7 Chubb 54.32 -.40 +4.6 ElPasoCp 15.99 +.30 +10.7 ChungTel 19.85 -.12 +51.7 Elan 22.37 .+.64 +7.4 CincBell 4.91 -.14 -67.2 Ciroity 6.22 -.04 -69.9 CitadlBr 2.19 -.10 -42.0 Ciignp 3229 -9.0 CitzComm 13.07 +2 ClearChan 35.60 +.31 +2.1 Clorox 65.51 +.34 -16.7 Coach 35.79-1.39 +27.1 CocaCE u25.96 -.06 +30.1 CocaCI 62.79 -.20 -12.7 Coeur 4.32 -.09 7 +22.9 ColgPal u80.15 +.41 -53.2 CollctvBrd 15.35 -.73 -39.7 ColBgp 15.53 -.34 -24.2 Comerica 44.49 -.82 +10.5 CmcBNJ 38.82 +.33 +20.9 CmodMOs 31.08 +.94 +131.1 CVRDs 34.36 +.39 .. +122.6 CVRDpIs 29.22 +.38 -7.6 Con-Way 40.70 -.85 -8.1 ConAgra 24.82 ... +9.5 ConocPhil 78.82 +1.10 +83.2 ConsolEngyu58.86 -.73 +1.0 ConEd 48.56 -.24 + e 2 -18.6 ConstellA 23.62 -.36 +43.2 ConstellEn 98.60 +44 -34.3 CLAirB 27.10 -.88 M 96,TER f -30.7 Cnvrgys 16.48 -.12 +9.9 Coopers 49.71 +21 fl I +7.7 CooperTire 15.40 -.24 +30.0 Corning 24.33 +28 IA i -78.1 CntwdFn 9.30 +.58 7 .24 -15.1 Covidienn 39.06 -.01 -13.7 CredSuiss 60.28 -.24 +27.8 CrwnCstle 41.29 +.38 +22.8 CrownHold 25.68 -.12 +97.5 CypSem 33.32 +.59 "+28.1 EmersnEl su56.49 2.7 DNPSelct 10.53 -.07 -6.4 EmpDist 23.10 -.42 +9.1 DPL 30.31 +20 +4.3 EnbrEPtrs 51.53 -1.89 -60.5 DR Horton 10.47 -.22 +42.4 EnCana 65.43 +.1 DTE 48.48 -.22 +16.4 Endesa 54.14 -.33 +64,0 Daimler 100.72 -1.05 -7.9 EnPro d30.57 -.81 +19.0 Danaher u86.18 -.81 +9.1 ENSCO 54.62 +1.21 +.3 Darden 4030 -.15 '+28.3 Entergy 118.42 -.29 +86.0 Darling ,10,25 +29 -84.4 EnterraEg d1.23 -11 +78.1 Deere u169.29 -,71 -28.5 EqtyRsd 36.29 -.18 -18.5 DelMnte 8.99 -.73 +261.3 ExcelM 52.78 +3.25 -18.3 DeltaAirn 18.63 -.14 +32.1 Exelon 81.78 -.52 -31.2 DevDv 43.28 -.61 +15.6 ExxonMbI 8859 +67 +22.2 DevonE 81.99 +.41 +83.1 FMCTchs 56.41 +1.57 +43,0 DiaOffs 114.33 +4.35 +27.3 FPLGrp 69.28 +.50 +114.4 DlanaShlp 33.89 +2.19 -4.7 FairchklIS 16.02 -.03 -44.3 Dllards 19.48 +1.09 -19.6 Familylr 23.59 +41 -5.1 DirecTV 23.68 -.30 -45.5 FannieMae 32.39 +.09 -39.9 Discovern 17.28 -.37 -11.4 FedExCp 96.19 -.93 -2.2 Disney 32.81 +.12 -27.0 FedSignl 11.71 -.03 +11.9 DomRessu46.92 -.07 +5.9 Ferreigs 22.64 +.25 -143 Domtargll 7.23 +.18 YTD Name Last Chg +7.0 DJIA Diam 133.17 +.34 +28.0 iSCannya 32.41 +.11 -4.7 AbdAsPac 5.93 -.05 -10.9 EVInMu2 13.68 -.02 +32.1 iShGernya 35.54 -.14 -18.6 AnmRsc 24.50 -.25 +9.1 EldorGldg 5.89 -.14 +10.9 iShMex nva 56.83 +.40 -44.2 AdvBattn 435 +.42 -3.6 FJlswthFd 8.15 +.02 +9.6 iShSilver 141.01 -1.96 +15.3 Aurizong 3.62 -.11 -12.5 FlaPUtil 11.59 -.12 +4.3 iShSP100cbo68.95 -.10 -56.8 BirchMtg 1.08 +.21 -57.0 GamGklg 7.00 -.25 +2.1 iShLAgBnyal01.79 +.29 -5.7 BrdbdHT 14.46 +.01 -507 GastarEg 1.06 -.01 +7.2 iSh20Tnya94.84 +.81 -72.8 CanArgoh 44 +250.3 GenMoly 10.23 -.33 +3.1 iShl-3Tnya82.46 +.15 +86.5 ChinaDirn 9.70 +5.4 GoldStrq 3.11 -.11 +8.0 iShNqBio 84,00 +1.00 +65.0 ClayBRIC 52.80 +.26 -25.5 GreyWotl 5.11 ... -17.3 iShC&SRInya82.99 +.54 +9.9 CommSysu11.14 +.29 +41 GrubEllRIt 5.88 ... -2.8 ISR1KVnya80.39 -.17 -38.8 CovadCm .85 +.01 +23.9 iShCmxG 78.38 -1.33 +11.2 iSR1KGnya61.20 +.30 -32.3 Crystallxg 2.45 -.10 433.4 iSAstlanya 31.36 -.29 +4.2 iSRuslKnya80.10 +.05 -10.3 iSR2KVnya71.80 -.59 +6.0 iSR2KG nya83.29 -.01 -2.3 iShR2K nva 76.21 -.54 +5.9 IntellgSys 3.39 +.04 -22.9 InterOilg 23.35 +1.25 +49.8 Invemss 57.99 -.28 -68.7 JazzTchwt d.26 -.04 +105.2 MadCatzg 1.19 +.06 +17.8 MktVGold 47.02 -.84 -87.9 Matritchh .08 -.01 -7.5 Merrimac 9.25 -.27 -26.5 MetroHth 2.25 +.03 ... Milllndiawt .75 +.15 +1.3 Ferro 20.95 -.25 -36.0 RFidlNFin 15.29 -.11 -20.4 FstFinFd 12.04 -49.5 FstHorizon 21.09 -.91 -46.2 FstMarb s 29.41 +.66 -13.0 FtTrEnEq 16.02 +.01 +12.3 RrstEngy 67.73 +.03 +76.4 Fluor 144.03 -1.48 -42.8 FootLockr 12.55 -.18 -2.9 FordM 7.29 -.07 -25.1 ForestLab 37.90 +.02 -10.2 FortuneBr 76.67 -1.02 +45.2 FdtnCoal u46.11 +.91 +11.2 FrankRes 122.53 -.95 -56.5 FredMac 29.51 +.09 +73.4 FMCG 96.65 +2.74 +100.1 FDelMnt 29.83 +.73 -65.3 FiedBR 2.78 -.11 +49.9 FronierOil 43.09 +.05 +74.3 Frontline 47.98 +.92 -16.8 GATX 36.05 -.80 +4.6 GabelliET 9.33 +.03 -14.8 GabHlthW 6.99 +.02 -5.7 GabUbi 9.37 -.03 +102.7 GameStops55.86 +.09 -39.7 Gannett 36.46 -A.41 +2.0 Gap 19.89 -.21 -6.0 Genentch 76.24 -.08 +19.4 GenDynam 88.78 -1.24 +2.5 GenElec 38.14 -.32 -12.1 GnGrthPrp 45.92 -.75 +4.1 GenMills 59.95 +.27 -6.3 GnMotb 28.78 +39 -7.5 GMdb32B 19.60 +.14 -4.6 GMdb33 21.67 +.20 +.1 GMcv09n 24.97 +.03 -19.8 Gensco d29.90 +3.15 -28.1 Genworth 24.58 +.08 -.9 GaPw8-44 25.30 +.16 +38.3 Miramar 6.25 -.17 -7.8 Nevsung 2.00 -.11 +6.3 NoAmIns 7.80 +.03 -10.9 NthgtMg 3.10 -.23 -41.2 NovaGldg 10.09 -.15 +206.2 Oceanautwt 1.99 +.02 +26.6 OilSvHT 176.85 +3.69 -10.0 Oilsandsg 4.52 -.09 -23.3 On2Tech .92 -.03 +7.2 PhmHTr 82.43 +.35 -9.9 PionDril 11.96 +23.3 PSAgrin 30.79 +.05 +66.4 PwShChina 34.91 +.60 +71.4 Gerdau 27.43 +.11 -40.8 Giantlntn 10.79 -.36 -1.0 GlaxoSKIn 52.22 +.74 -10.0 GoldFLtd 16.99 -.21 +18.1 Goldcrpg 33.58 -1.04 +12.6 GoldmanS 224.38 -3.14 +57.5 Goodrich 71.76 -.89 +34.5 Goodyear 28.24 +.20 +141.5 Graflech 16.71 +.27 +22.9 GrantPrde 48.87 +1.21 -8.1 GtPlainEn 29.22 -,36 -50.3 Griffon 12.68 -.27 -10.6 GpTelevisa 24.15 +.18 +8.0 GuangRy 36.60 +39.0 Guesss 44.09 -.78 -33.6 HRPTPrp 8.20 -.01 -8.7 HSBC 83.69 -.98 +17.8 Hallibrtn 36.59 +.83 -11.9 HanJS 13.00 +.03 -12.9 HanPIDv2 9.99 -.05 +19.8 Hanesbrds 28.30 -.08 -7,6 Hanoverlns 45.08 +1.00 -33.3 HarleyD 47.01 -1.01 -33.5 HarmonyG 10.47 +.07 +6.4 HarrahE 88.00 +.05 +.7 HartfdFn 93.95 -.24 +.6 Hasbro 27.40 -.44 -14.7 HawaiiEl 23.15 -.09 +2.6 HIICrREIT 44.16 -.26 -38.5 HIIMgIs 6.68 +.08 -26.5 HIthcrRity 25.24 +.05 +61.5 HedaM 12.37 -.06 +5.6 Heinz 47.54 +.35 +21.8 HellnTel 18.46 +.21 +40.7 HelmPayne 34.44 -.30 -1.2 Hercules 19.07 +.04 -19.8 Hershey 39,92 -.29 +7.5 Hertz 18.70 -.11 +40.3 Hess 69.56 +1.81 +23.9 HewlettP 51.05 +.32 +40.4 PwSCInEn 24.32 +1.07 +1.4 ProUSR2Kn71.55 +1.05 +36.7 SpdrMetM 67.10 +.70 +13.5 SPTech 26.40 +.13 +16.7 PwSWtr 21.49 +.05 +306.8 Questcor u6.02 +1.04 -67.9 ScolrPh 1.51 -.24 +15.6 SPUfl 42.45 -.29 -6.3 PrUShS&P 5448 +.17 -14.9 RegBkHT 137.42 -.74 +87.0 SeabGIdg 26.40 +.61 +13.6 SulphCo 5.36 -.49 +8.5 ProUtDow 90,03 +1.40 -44.6 Rentech 2.09 -.03 +.9 SemiHTr 32.65 -.35 +79.5 Taseko 4.65 -.12 -12.2 PrUIShDow 50.16 -.62 -3.6 RetaWlHT 95.73 -.84 +3.9 SPDR 147.18 +.05 -47.0 TmsmrEx 1.83 +.00 -10.7 PrUShMC 55.80 +.18 +.6 RdxSPEW 47.63 -.09 +5.9 SPMid 155.02 -.22 -28.3 USGoldn 3.62 -.10 431.1 ProUltQQQ10625 +.80 +33.8 S&PBRIC4032.58 -.24 +18.5 SPMatls 41.26 +.41 -37.5 Ulurun 3.00 +.05 -30.3 PrUShQQQ 37.95 -.20 -5.2 SpdrlntRE 59,94 +.08 +8.7 SPHIthC 36.42 +.22 -27.5 US NGFdn 36.81 -.07 +1.2 ProUIISP 87.33 +.30 -52.4 SpdrHome 1780 -36 +11.6 SPCnSt u29.15 +.15 +38.8 USOilFd 71.64 -.16 -9.8 PrUShCh2571.73 +.72 -20.4 SodrKbwBk 46,39 -.86 -11.0 SPConsum34.15 -.34 +38.6 VangEmg 107.30 -.90 +55.0 PrUShREn106.51 -.24 -1.4 SpdrKbwCM66.07 -.34 +24.9 SPEngy 7325 +80 +15.1 VangEur 78.45 -.85 -38.3 PrUShOGn42.20 -1.40 -21.8 SpdrKbwRB39.19 -.61 -17.7 SPFnd 30.25 -.27 -18.7 Westlmnd d15.99 -.13 +41.0 PrUShFnn 96.75 +.92 -12.8 SpdrRell 35.40 +12.1 SPInds 39.25 ... -18.0 WilshrEnt d3.73 +.33 NSAQ ATIOALMRE YTD Name Last Chg +173 Autodesk 47.46 +.84 -15.3 Cirrus 5.83 -.06 9 4+89.7 Auxilium 27.86 +.17 +3.0 Cisco 28.15 +.10 S-20.6 Avanex 1.50 ... -47.2 CitizRep' 13.98 -.20 -26.8 ACMoorell 15.86 -.45 -64.2 Avanllmh .48 4+39.1 CitrixSys 37.63 -.02 +10.7 ADCTelr 16.09 -.06 -27.4 AvidTch 27.06 +03 +12.9 CleanH 54.66 -.23 -24.0 AMISHid 8.03 +.14 -5.8 Aware 5.02 +.29 -43.6 Clearwiren13.88 +1.30 +38.5 ASMLHId 34.11 -.64 +59.4 AxcanPh u22.70 +4.50 +33.0 CogentC 21.57 -.62 +13.5 ATPO&G 4491 -.71 -23.5 Axcelis 4.46 -.03 -18.2 CogTechs 31.57 -1.00 -4.3 ATSMed 1.98 +.16 +79.8 BEAero 46.17 +.68 434.7 Cognosg 57.20 -.08 -27.6 Aastrom .89 +.01 +27.2 BEASyst 16,00 -.06 -66.2 ColdwtCrk 8.28 +.02 +27.6 AcadlaPh 11.22 +.62 +236.7 Baidu.com 379.48+12.23 -34.0 Comarco 5.00 -42.7 Accurayn 16.32 -,01 -17.4 BankMull 10.00 -.06 -28.0 Comcasts 20.31 +.34 +19.3 Acergy 22.77 -2.26 -73.6 BnkUtd 7.39 +.21 -28.1 Comcsos 2008 +34 -41.5 AcmePckt 1208 +.26 43.1 Bankrate 39.11 -.57 +7.8 CommVIt 21.58 +.58 +27.4 Activisn 21.97 -.61 -33.7 BareEscent 20.59 +.84 -68.0 CompCrd 12.72 +.13 -52.8 Acxiom 1210 -.19 +4.7 BasinWtr 7.09 +.59 -.6 Compuwre 8.28 -.02 -28.8 Adaptec 3.32 -.02 +66.7 BeaconPw 1.65 +.04 +47.8 ComScoren34.70 +4.10 +4.0 AdobeSy 42.75 +.72 -54.1 BeacnRig 8.64 +19 -3.2 ComtchGr 17.61 -.39 -49.2 AdolorCp 3.82 +05 --28.9 BeasleyB 6.80 -.02 +128.7 ConcurTchu36.68 -.17 -3.4 Adtran 21.92 -.66 -33.6 BebeStts 13.14 -.27 -47.0 ConcCm .96 +.03 +103.0 AdvATech 10.94 +.12 -19.7 BedBath 30.58 +.30 -45.1 Conexant 1.12 -.04 -24.2 AdvEnid 14.30 -.62 +30.1 Bidz.comn 11.72 +1.62 +7.7 Conmed 24.91 -.13 -67.1 AdvantaAs d8.74 -.12 1 +47.9 Biogenldc 72.77 +2.49 -23.9 Conns d17.71 -1.82 -67.3 AdvantaBs d9.51 -.01 +68.8 BioMarin 27.66 +.79 +26.0 CopanoEs 37.54 +.41 -8.9 Affymetnx 2100 -.42 -68.4 Biomirah d.36 -.03 +24.2 Copart 37.25 +.75 -18.6 Agilysys 13.62 +.06 I -74.6 Biopurers .61 -.01 +20.8 CorinthC 16.47 +.10 -18.7 AirMedian 17.00 -.23 +199.9 BlueCoats 35.91 -.38 -59.4 CorusBksh 9.37 -.03 -29.0 AkamaiT 37.69 -.23 +1028 BlueNile 74.80 -3.02 +26.9 Costco 67.09 +.11 -31.6 AkeenaSn 4.99 +.19 -8.6 BobEvn 31.29 -.31 -59.4 CredSys 2.11 -.05 +11.8 Aldila 16.68 +.93 -69.0 BonTon d10.75 .-2.57 +44.6 Creeinc 25.04 -.50 +832 Alexion 74.00 -.93 -400 Bookham 2.44 +.07 +80.9 Crocss 39.08 -.59 +159 AlignTech 16.19 -.14 -3.7 BoslPrv 27.17 -.33 +88.3 Ctrip.coms 58.71 -.79 +7.1 Alkerm 1432 -.01 +25.4 Brighlpnt 16.87 -.26 +17.6 CubistPh 21.30 +.63 +19.0 AllosThera 6,96 +.35 -13.8 Broadcom 27.86 -.25 +34.5 CybrSrce 14.82 -.18 -35.7 Allscrnps 17.35 -.13 -5.7 BrcdeCm 774 4.04 -6.6 Cymer 41.05 +.81 +460.5 AInylamP 34.35 -.24 -24.5 BrklneB 994 -.24 +82.5 Cynosure 28.89 +1.34 +574 AltairNano 4.14 +12 -7.4 BrooksAuto 13.34 +.16 +55.7 Cyprsuio 12.07 -.17 -3.0 AlteraCpll 19.09 -.14 +21,2 BrukBio 9.10 +717 CytRx 3.28 -.16 +48.1 Alvarion 9.95 +.27 +68.6 Bucyrus u87.27 +.45 -73.4 Cytogenh .62 +02 -84.2 Amarinh .36 +.03 +10.0 C-COR 12.25 +.10 +125.9 Amazon 89.15 -1.15 -25.5 CBRLGrp d33.34 +.48 -34.4 AmerBioh .59 -.04 -36.9 CDCCpA 5.99 +.18 -37.4 Daktronics 23.08 +.44 -20.4 AmCapStr 3683 -.70 +22.9 CH Robins 50.27 -.31 -81.6 Dankah d.25 -.08 -48.1 ACmdLnn 1700 -24 -15.7 CNET 7.66 -.07 +13.6 DayStar 4.25 +.03 -27.1 AmerMed 1351 +.61 -37.0 CSGSys 16.85 +.23 +137.6 DeckOut 142.47 -3.35 +151.1 AmSupr 24.63 +1.25 -35.5 CV Thera 9.00 ,. +12.2 DellInc 28.14 +.45 -56.6 AWoodmkdl8.16 -4.69 -23.9 CVBFncI 11.00 -.23 -40.0 DtaPtr 13.89 -.03 +2.7 AmCasino 31.57 +1.56 -7.7 Cadence 16.53 +.25 +23.3 Dndreon 5.14 -.06 -18.8 Amren 5546 +75 +184.7 Cal-Maine 24.43 -.21 -11.7 Dennys 4.16 +.04 -13.1 AmkorTIf 812 -25 +83 CalmsAsI 29.07 +.13 +42.8 Dentsply 42,64 +.37 +3.0 Amylin 37.15 -26 +64.3 CdnSolar 17.22 +1.30 -15.1 Depomed 2.93 +.19 +29.5 Anadigc 11.47 -12 -18.6 CapCtyBk 28.73 -76 -28.3 DigRiver 40.01 -.58 -3.5 Anlogc 54.15 +07 -1.6 CpstnTrb 1.21 ... +26.2 Diodess 29.85 -.21 -30.5 Analysts 1.30 -03 +14.5 CareerEd 28.37 -.20 -84.6 DirectedEl 1.76 -.04 +43.0 Andrew 14.63 -.02 -.9 CarverBcp 14.50 +11 450.2 DiscHoldA 24.16 +.29 -52.0 Angiotchg 3.93 +06 -51.7 CasualMal d6.30 -.60 +20.3 DiscvLabs 2.84 +.18 +20.4 AngloAin 3229 +124 -18.1 CathayGen 28.28 -17 --5.4 DIlrTree 28.47 +1.59 +41.6 ansthink u4.36 +.09 +56.2 Caviumn 25.70 +.99 -40.9 DressBarn 13.79 -.56 +78.5 Ansys s 38.82 -38 +8.6 Celgene 62.50 -1.26 4+399.5 DryShips 89.96 +2.99 +97.0 ApolloGrp 76.76 -.29 -29.8 CeliGens 2.38 +.05 +128.9 DynMatl u64.33 +.04 -20.4 Apollolnv 17.82 -28 +24.8 CentlCom 8.97 +.12 -50.0 Dynavax 4.59 -.04 +1172 Applelnc 184.29 +4.07 -69.4 CenGardnsd4.99 +.65 -785 ETrade 4.82 -46 +3.3 Applebees 2548 +25 -66.6 CnGardAn 5.03 +.88 -72.9 ETrade un 7.91 -.44 -624 AppldDigl .68 +02 +28.4 CentAI 57.32 +1.13 +11.6 eBay 33.55 -.20 +1.5 ApIdMaOt 1872 -.06 +6.3 Cephln 74.83 -.41 +69.5 eResrch 11.41 -.40 -298 AMCC 2.50 -04 +153.8 Cepheid 21.57 +.27 -139 ev3lnc 14.83 +.07 +14.2 ArQule 6.76 -.41 -9.4 Ceradyne 51.19 +.91 +18.2 EZEM 20.65 -.03 -30.3 ArenaPhm 9.00 +.51 +135.3 CeragonN 12.87 +.55 +60.6 EagleBulk 27.84 +.80 -210 AresCap 15 10 -.49 +32.1 Cemer 60.10 +1,11 -4.9 ErthUnk 6.75 +.09 -12.6 ArgonSt 18.82 +.82 -48.0 CharRsse 15.99 +.02 -26.1 EstWstBcp 26.17 -.97 -13.8 AnadP 4.43 +.09 -599 ChrmSh 5.42 -.18 +116.0 EchelonC 17.28 +.54 4486 Anbalnc 11.50 +.07 -578 ChartCm 1.29 +.01 +12.3 EchoStar 42.70 -.14 -37.5 ArkBost 22.51 -.53 +1.8 ChkPoint 22.32 -.11 +12.6 Eclipsys 23.16 -.08 -16.2 Arris 1048 -.04 +18.2 ChkFree 47.47 -.04 -67.2 EdgePet d5.99 -.05 +798 ArtTech 4.19 .. -55 Cheesecake23.24 -04 -24.8 EduDv d5.45 -.55 +41.5 ArthroCr 56.50 -69 -56.6 ChildPlclf 27.58 +1.29 +.8 ElectSci 20.31 -.43 -1.3 ArubaNetnl13.96 -1.14 -30.4 ChinaBAK 3.95 -.13 -42.2 Bclrgs 1.44 +.07 +488.3 AscentSol 17.06 +2.21 i +328.8 ChiFnOnI 19.08 -1.28 +12.8 ElectArs 56.83 -.46 +53.0 Asialnfo 11.75 +.58 +47.8 ChinaMed 40.00 +1.63 -13.3 EFII 23.04 -.29 +59.7 AspenTchlful7.60 +03 -52.6 ChinaPrecn 5.10 +.10 +49.2 Emcoreh 8.25 -.18 +25.7 Asprevag 25.80 +.05 -53.0 ChinaSunn 7.78 +.70 -80.0 EncysweP .84 -.11 -22.6 AsscdBanc 26.98 -.33 -35.0 ChinaTDvlI 5.22 -.08 -.3 EndoPhrm 27.50 +.29 -95.3 AtheroGen d.47 -01 1 +21.7 Chordntrs 10.07 -.05 -253 EngyConv 25.40 +.16 +399 Atheros 29.82 ..37 ; +225 ChrchllD 52.35 -13 -21.2 Entegris 8.53 +.12 -273 Altml ._440 -09i 154.6 CienaCorp 42.84 -.74 -59.7 Entrust 1.72 -.04 -75 Audvox 13.04 .16 r -11.8 CinnFin 39.95 -.28 +11.4 EnzonPhar 9.48 +.04 +77.3 AuthenTcn 17.73 +54 -19.3 Cintas 32.06 -.35 -18.7 EpicorSft 10.99 -.21 439.1 Equinix 105.19 -1.19 -37.5 EricsnT1 25.16 +.61 +9.7 Euronet 32.58 +1.06 +68.0 Euroseasn 14.62 +.67 +79.0 EvrgrSIr 13.55 +.61 -29.8 Exar 9.12 -.11 -1.4 Exelixis 8,87 +.17 +55.2 ExideTc 6.75 -.10 +54.5 Expediah 32.42 +.54 +10.2 ExpdintI 44.62 -.31 +90.7 ExpScripsu68.26 +.12 -11.7 ExtrmNet 3.70 -.05 -29.6 F5 Netwksd26.12 -1.92 +101.4 FCStonesu41.80 -.97 -5.0 FEICo 25.06 +.11 +118.5 FLIRSys 69.55 +.36 +11.0 Fastenal 39.82 -.70 -60,5 FiberTowr 2.32 -.12 -30.0 FfthThird 28.64 -.43 -46.7 Finisarlf 1.72 -.01 -75.4 RnUne 3.52 +.11 -14.3 FCmtyBcp 44.82 -2.02 -17.8 FMidBc 31.81 -.33 -17.4 FslNiagara 12.28 -.16 .+698.2 FstSolar u238.18+22.30 -16.4 FstMerit 20.19 -.43 -.6 Rserv 52.12 +.07 +6.2 RFlextm 12.19 +.13 +63.9 FocusMda 54.40 +1.52 -30.5 ForcePron 14.95 +.29 +3.4 FormFac 38.50 -.82 +87.9 Fossil Inc 42.42 +.35 +167.7 FosterWh 147.59 +5.98 +13.5 FoundryN 17.00 -.85 -79.3 FrnkBTX 4.25 -.04 -83.9 FrankCrd If .76 +.36 -12.8 Fredsinc 10.50 +1.10 -38.9 FrghtCar 33.89 +.20 -.9 Fue[Tech 24.43 -.04 +36.8 FuelCell 8.84 -.21 -27.5 FultonFncl 12.11 -.23 -73.7 Fuweinh 4.15 +.42 +57.2 GFI Grp u97.90 -4.72 +90.6 Garmin 106.08 -1.87 +33.9 Gemstar 5.37 -.17 +28.1 GenProbe 67.09 +2.36 -44.2 GnCom 8.77 -.09 +8.3 GenBiotc 1.69 -.03 -50.2 GenesMcr 5.05 -.16 +17.6 Genitope u4.14 -.61 +20.5 Genlyte 94.15 -.19 +26.4 Gentex 19.67 +.12 -27.5 GenVec 1.74 -.18 +21.6 Genzyme 74.89 +.28 -27.2 GeronCp 6.39 -.11 +92.4 GigaMed 18.80 +.02 +41.0 GileadSci s 45.76 -.07 -21.2 GlacrBcs 19.25 +.27 -21.6 GlobCrsg 19.25 +.37 +72.5 Globlind 22.50 +.25 +87.8 GIblSrcs 30.35 +.35 +26.0 Globeco 11.10 +.15 -51.6 GluMobilen 5.95 +.80 +57.0 GolarLNG 20.10 -.64 +115.9 GoldTIcm 101.11 -4.36 +51.4 Goode 697.00 +4.74 +97.3 GreenMts 32.38 -.05 -16.3 Gymbree 31.93 -.43 +9.0 HLTH 13.51 -.27 -30.5 HMN Fn 24.00 -1.06 +1.2 Halozyme 8.15 +.07 -57.9 HanmiFnd 9.48 -.20 +27,9 HansenNat 43.09 +.28 +45.8 Harmonic 10.60 -33 +6.9 HayesLm 4.18 -.10 +14.5 HIthCSvs 22.11 -.13 +18.9 HSchein 58.25 -.20 -11.1 HercOffsh 25.70 +.44 -32.8 Hibbett 20.51 -.46 -10.5 HimaxTch 4.28 +.03 +213.4 HokuSd 8.18 +.06 -36.4 HlywdMda 2.67 +.22 +39.1 Hologic 65.78 +1.01 -82.9 HomeSol 1.00 -.20 -51.3 HotTopic d650 -.28 +7.9 HudsCity. 14.98 -.04 -15.9 HumGen 10.46 +.51 +23.0 HunUB 25.55 -.48 -35.6 HuntBnk 15.29 +.03 +14.5 HutchT 26.99 -.11 -24.0 IAC Inter 28.25 +.72 -13,2 iBasiss 5,08 +.13 +46.5 Icagen 1.48 -.18 +17.3 IconixBr 22.75 -.25 +47.0 Illumina 57.78 +1.72 +64.5 Imclone 44.01 +1.53 +88.6 Immersn 13.67 +.59 +13.9 Immucor 33.29 -.06 -36.1 Imunmd 2.32 -.06 +47.4 Incyte 8.61 +.13 +6.6 IndevusPh 7.57 -.04 -79.7 IndlEntIf 1.25 +.18 +9.0 Infineran 21.47 +1.17 -19.7 InfPrCas 38.87 +.48 +42.1 Informat 17.35 +.48 -24.4 InfosysT 41.24 -.31 -2.8 InnerWkgs 15.51 +.01 -50.7 InsitTc 12.76 +.19 +1.1 Insmedh .89 -.01 -1.9 ItgULSd 41.78 +.49 -20.7 IntgDv 12.28 -.04 +30.1 Intel 26.34 +.15 -6.8 IntactBrkn 29.17 +.48 -45.0 InterDig 18.46 -.07 +22.1 Intrface 17.36 -.07 -46.5 InterMune 16.44 +.02 -50.0 InterNAP 9.94 -.06 -16.5 IntlSpdw 42.61 -.48 +9.8 Intersil 26.27 +.01 -2.2 Intuit 29.85 -.16 +235.7 IntSurg 321.98 -2.52 -16.8 inVenyiv 29.41 -.79 +12.8 Investools 15.56 +.64 -7.0 InvBncp 14.63 -.06 +69.8 Invitrogn u96.10 +1.21 +57.6 Isis 17.53 +.05 +50.3 Itron 77.89 -.72 +29.6 IvanhoeEn 1.75 -.05 +222.9 JA Solar n 57.48 +4.48 -19.5 JDSUniph 13.41 -.14 +26.0 JackHenry 26.96 -.16 -67.1 Jamba 3.31 -.06 -21.8 JamesRiv 7.26 +.26 -52.2 JetBlue 6,79 -.13 -44.5 JonesSoda 6.83 +.01 -15.2 JosphBnk 24.89 -1.34 +18.7 JoyGlbI 57.40 +.93 +57.4 JnprNtwk 29.82 -.75 -2.1 KLATnc 48.70 +.42 -26.4 KeryxBio 9.79 -.08 -88.4 Kirkinds d.58 -.11 -29.1 KnghtCap 13.59 -.22 -47.8 Knotinc 13.71 -.09 -48.6 KongZhg 5.02 -.28 -19.3 KralosDef 2.30 +.22 -11.8 Kulicke 7.41 -.02 -22.1 LJintllf 3.39 +.29 +73.2 LKQCp 39.81 -.57 +3.5 LSIInds 20.54 -.85 -55.9 LTX d2.47 +.01 -6.5 LamRschil 47.35 +.64 -22.0 LamarAdv 51.03 +.3 Landstar 38.29 -.83 -49.4 Latice d3.28 +.10 +32.9 LawsnSft 9.82 +.08 -43.2 LeapWirilf 33.76 -.60 +177.2 LeamTreeu24.64 +2.25 -39.8 Level3 3.37 -.01 +39.2 UbGlobA 40.58 +84 +34.8 UbGlobC 37.75 +.68 -6.1 UbtyMIntA 20.25 +.10 +14.4 LjbtMCapA112.07 +.41 -7.5 UfePtH 31.18 -.03 -40.1 UgandPhm 4.92 +.37 -12,9 Lincare 34.69 +.29 +2.3 UnearTch 31.02 +.26 +.5 Local.com 4.07 -.12 -23.9 LodgEnt 19.04 +.02 +17.9 Logitech 33.72 -.10 -36.4 LookSmart 2.84 -.03 -5.3 LoopNet 14.19 -.21 +48.4 lululemngn 41.54 +1.04 -16.2 MBFnd 31.52 +.26 -45.9 MCGCap 10.99 -.11 -4.4 MGE 34.96 -.97 +90.7 MGIPhr u35.10 +5.55 -63.2 MGPIng 8.31 +.96 -30.6 MIPSTech 5.76 -.18 -20.5 MKSInst 17.94 -.11 -34.7 MRVCm 2.31 -.10 +9.2 MTS 42.17 +.04 -11.5 Macrvsn 25,00 -.06 +54.5 Magma 13.80 -.05 -42.7 MannKd 9.45 +.27 -40.2 MartenT 11.13 +.08 -20.8 Marvelff 1519 +.23 +80.4 Maslmo n u37.70 +2.70 +14.6 MaxCapital 28.45 -.23 -41.4 Maxwllr 8.18 +.09 -15.9 Medarex 12.44 +.13 -45.6 Mediacm 4.37 +.29 -6.9 MedicActs 20.00 -.39 -29.4 MelcoPBLn 15.00 +.31 -28.5 MenlGr 12.90 +.18 -57.2 MesaAir 3.67 +.22 +5.4 Methanx 28.85 +.27 -19.8 Micrel 8.65 -11.2 Microchp 29.05 +.54 +38.6 MicrosSys 73.05 +1.25 +19.8 MicroSemi 23.55 +.71 +12.5 Microsoft 33.59 -.11 +37.0 MillPhar 14.93 -.31 -24.5 MillerHer 27,46 -.19 +96.5 Millicomhu121,15 +.84 -31.9 Mindspeed 1.30 +19.6 Misonix 4.83 -.09 -12.4 Molex 27.70 -.36 -30.9 Monogrm 1.23 +78.7 MonPwSys 19.85 +.24 -28.5 MonstrWw 33.36 +.14 -57.2 Move Inc 2.36 +.04 +53.7 MydiadGn 48.11 -.95 -50.9 NABI Bio 3.33 +.05 +27.8 NETgear 33.55 +.31 +5.3 NICESys 32.42 -.76 -17.9 NII HIdg 52.92 -.10 -7.3 NPSPhm 4.20 +.18 -70.1 Nanogen .56 -.04 +41,3 Nasdaq 43.52 +.12 -77.0 Nastech d3.48 -.26 -56.6 NatAIH 5.06 -.06 +23.1 Natlnstru 33,54 +.60 -57.0 NektarTh 6.54 -.04 +4.9 NetlUEPS 31.00 -.30 +21.0 NetServic 14.50 +.05 +32.6 NetLogic 28.77 -.29 +7.6 Netease 20.11 +.34 -10.6 Netflix 23.12 +.11 +34.5 NtScout 11.16 +.54 -36.0 NetwkAp 25.15 -.28 +15.1 Neurcrlne 11.99 +1.26 -23.9 Ninetowns 3,63 +.03 -6.6 Nissan 22.67 -.37 -26.1 NobltyH 19.64 -.16 -21.1 NoWestCp 27.92 +.03 +31.5 NorTrst 79.83 +.15 +64.3 NvtIWris 15.89 -.22 -10.9 Novavax 3.66 +.24 +14.0 Novell 7.07 +.09 -22.4 Novlus 26.70 -.23 -37.7 Noven 15.86 +.94 -34.1 NuHorizlI 6.78 +.29 +74.6 NuanceCm 20.01 +.06 -61.3 NutlSys 24.52 -.89 -55.3 Nuvelo 1.79 +.27 +34.2 Nvidias 33.12 +.27 +30.2 OSIPhrm u45.53 +1.34 +37.3 Omnicell 25.58 -.66 +107.1 Omniture 29.16 -.33 +38.4 OmniVisn 18,89 -.10 -48.1 OnAssign 6.10 -.20 +24.8 OnSmcnd 9.45 +.10 -61.4 OnstreamM .95 -.03 +417.3 OnyxPh 54.73 -.33 +58.2 OpenTxt 32.12 -.28 -50.4 OpenTV 1.15 -64.8 OpnwvSy 2.72 +.14 -53.0 Opnextn 8.18 -.33 +33.5 optXprs u30.29 -.19 +19.5 Oracle 2048 -.03 -48.8 OriginAg 5.60 -.45 +16.9 Orthfx 58.43 -1.26 +9.1 OtterTall 34.01 -.93 +51.0 Overstk 23.86 -1.54 +5.9 PC Mall 11.16 +.09 -12.6 PDLBio 17.61 -.27 +6,3 PMC Sra 7.13 -.18 +16.6 Paccars 50.43 -.19 -39,8 PacCapB 20.22 -1.01 -57.0 PacEthan 6.62 +1.93 -19.6 PacSunwr 15.74 +.08 -47,4 Packetr 7.15 +.26 +1.4 PaetecHn 10.65 -,33 -8.4 PalmIncs 6.85 -.15 +29.1 PanASIv 32.50 -.58 -29.4 PaneraBrd 39.47 +1.46 -38.6 Pantry 28.78 -.39 +9.3 ParPet 19.21 +.20 -6.1 ParamTch 16.92 -.09 +8.1 PartTrFnl 12.58 -.20 -8.4 Patterson 32.53 +1.19 -18.5 PattUTI 18.93 +27 -1.5 Paychex 38.94 +.32 +42.7 PnnNGm 59.40 +.51 -63.1 Penwest 6.14 -.06 -21.0 PeopUtdF 16.78 -.31 -57.8 Peregrine h .49 +.03 +81.4 Perigo 31.38 -.80 +20.2 PetroDev 51.76 +1.77 -4.9 PetsMart 27.46 -.18 +31.7 PharmPdt u42.42 -.11 +148.9 Pharmion 64,07 -.76 +57.9 PhaseFwd 23.66 +.79 -28.8 PholoMdx .79 -6.5 PinnacIA 15,75 +.03 +18.8 Plexus 28.36 -.25 -2.8 PlugPower 3.78 +.06 -85.4 PoinlTherh .15 -19.3 Polycom 24.93 -.05 -46.1 PoolCorp 21.12 -.19 -46.9 Popular 9.53 -.15 +13.1 PowerSec 13.93 +.90 +198 PwShsQQQ5170 +22 -36.0 Powrwav 4.13 -.14 -38.4 Pozen 10.47 -.01 -7.9 Presstek 5.86 -.34 +37.5 PriceTR 60.19 -.89 +152.6 priceline u110.17 -2.82 -26.8 PrivateB 30.48 +.73 -22.8 ProgPh 19.88 -.49 -35.4 PrvBksh 23.00 +.60 -.3 PsychSol 37.40 +.38 +37.7 QIAGEN 20.83 +.17 -44.0 QLT 4.74 -.08 -36.0 QiaoXing 8.44 -.18 -37.1 Qlogic 13.78 +,14 +9.6 Qualcom 4142 -07 +11.7 QuestSmhlf 16.37 -.05 +134.0 QuintMari 25.76 +.71 -52.9 RCN 14.20 +.14 -16.8 RFMicD 5.65 -.02 -65.5 RackSys 10.67 +.63 -69.6 RadioOneD 2.05 -.08 +2.6 Rambus 19.42 +.31 +52.2 Randgold 35.70 -.72 -43.1 RealNwk 6.22 -.01 +10.8 RedRobin 39.72 -.53 +10.1 RegncyEh 29.90 -.05 +5.2 Regenm 21.11 +3.96 -52.5 RentACt 14.03 -.12 +1866 RschMots 12208 +.73 -35.9 ResConn 20.40 +.11 -17.5 RestHrd 7.02 -.01 -4.9 Riverbed 29.20 -.14 -11.8 RossStrs 25.83 -.33 -34.3 RuthChris 12.01 -.18 -1.7 Ryanairs 40.07 +.04 +34.3 SBACom 36.93 +1.18 +.3 SEllnvs 29.87 -07 -28.9 STEC 9.02 +.56 -6.0 SallxPhm 11.44 +.59 +.2 SanderFm 30.35 -2.36 -11.5 SanDisk 38.10 -.06 +125.9 SangBio 14.91 +1.31 -49.6 Sanmina 1.74 -.09 -67.7 Sanlarus 2,53 -.04 +31.3 Sapient 7.21 -.24 +24.4 SavientPh 13.95 -.37 -9.7 Sawis 32.25 +.25 +27.7 Schwab u24.69 +34 -10.5 ScielePh 21.49 -.17 +7.5 SciGames 32.50 -38.0 SearsHIdgsdl04.09 - 12.25 +39.6 SecureCmp 9.16 -.05 -38.9 SelCmfd 10.62 -.23 -18.4 Selctlnss 23.36 +.43 +18.1 Semtech 15.43 +.53 -47.0 Senomyx 6.88 +.43 -56.3 Sepracor 26.93 +.11 +91.2 Sequenom 8.95 -.11 +70.2 Shanda 36.89 -2.11 +52.4 ShengdaTn7.77 +.44 +14.2 Shire 70.50 -.64 -80.2 ShoePav 1.46 +.11 -3.5 SiRFTch 24.63 -.62 +14.9 SierraWr 16.16 -.55 +157.1 SiqmaDsqu65,43 +6.29 +35.1 SigmAls 52.51 +.01 -63.2 Silicnimg 4.68 -.01 +7.3 SilcnLab 37.19 +.01 +22.5 SilicnMotn 19.44 -.47 +19.4 SIcnware 9.20 -.12 +19.5 SilvStdg 36.72 -.83 +68.3 Sina 48.31 -.49 -1.1 Sinclair 10.38 -.02 -.6 SiriusS 3.52 -.01 +85.9 SirtrisPhnu20.00 +1.62 -1.1 SkyWest 25.24 -.41 +25.8 SkywksSol 8.91 +.07 +27.5 SmarIBal n 12.43 +.13 -5.7 SmithWes 9.75 -.22 -45.5 SmithMicro 7.74 +.08 +1.6 SmurStne 10.73 +.02 +142.4 Sohu.cm 58.17 -.73 +29.9 Solarfunn 15.19 +3.58 +.9 SonicCorp 24.17 +.11 -40.3 SonicSolhlf 9.73 +.11 +23.8 SncWall 10.42 +.13 -2.1 Sonus 6.45 +.02 -92.3 SonusPh h .47 +.03 -6.2 SouMoBc 14.25 -.05 -77.2 Srcelntlk 1.86 +.06 -51.3 SourceFrg 2.45 +.05 -34.0 SouthFncl 17.56 -.24 -63.5 SpansionA 5.43 -.11 +7.3 SpartMots 10.86 -.80 -11.9 Staples 23.51 +.73 -35.0 Starbucks 23.04 +.08 +47.5 Starentn 20.67 +.62 +58.7 SUlDynam 51.49 +1.05 -59.8 StelnMrt d5.33 -.72 -31.7 StemCells d1.81 -.14 +55.8 Stricycles 58.82 +.04 -6.0 StedrBcss 12.24 +.09 -48.7 StrIFWA 17.34 -.72 +32.2 StewEnt 8.26 -.04 -4.8 SunMicrors 20.65 -.21 +234.8 SunPower 124.44 +3.34 +322.6 SupTech 7.48 +.22 -11.8 SuperGen 4.48 +.19 -68.4 SupOffshn 5.55 -.13 -27.9 SusqBnc 19.39 -.67 -t1.1 Sycamore 3.72 -.09 -13.2 Symantec 18.10 -.12 -52.1 Symetnc 4.27 +.11 +98.9 Synapfics 59.04 -1.31 +149.6 Synchron 34.24 +.89 -8.0 Synopsys 24.58 +.04 +92.1 Synovis 19.11 +.22 -66.1 SyntaxBrilh 2.93 -.07 +360.5 TBSIntIA 40.25 +4.15 +14.3 TDAmentr 18.50 -.32 +1.7 TFSFnn 11.99 -.01 -24.9 THQ 24.42 -.24 -6.7 TOPTank 4.34 +.39 -6.7 TXCORes 12.44 +.24 -13.9 TakeTwo 15.30 -.27 +82,8 TASER 13.91 -.26 .. TechData 37.86 +.62 -18.1 Tekelec 12.14 +.02 -13.5 TeleTchlf 20.66 -.59 -32.0 Tellabs 6.98 -.15 -2.7 TesseraT 39.25 +.87 +18.2 TetraTc 21.39 -.35 +42.7 TevaPhrm 44.35 -.09 -1.9 TexRdhsA 13.01 +.32 +66.8 ThrdWve 8.03 -.05 +7.4 Thoratec 18.88 -.39 +12,9 3Com 4.64 +.04 +5.5 3SBlon 15.66 +2.53 -20.6 TibcoSft 7.50 +.17 +11.5 TWTele 22,23 +.31 +45.7 TIVo Inc 7.46 +1.48 -18.7 TomoThn 18.42 +.47 -12.5 TrnWEnt 5.76 +.79 -17.5 TriZetto 15.15 +.09 -64.0 TridentM h 6.54 +.26 +45.4 TrimbleN s 36.88 -.29 +32.9 TriQuint 5.98 -.19 -6.0 TrstNY 10.45 -.27 -23.1 Trustmk 25.17 -.78 -52.4 TuesMm 7.40 -.15 -8.8 UAL 40,12 -1,38 -10.6 UCBHHId 15.70 -.20 -50.5 US BioEnn 8.42 +.39 -44.1 USCncrt 3.98 -.30 -22.9 UTiWddwd 23.05 -.28 -66.2 UTStrcm 2.96 +.07 -46.6 Umpqua 15.71 +.05 -22.0 UBWV 30.13 -.03 +17.5 UtdOnIn 15.61 -.89 -6.1 US Enr 4.74 -.06 +6.8 UStatn 49.86 -1.34 +89.0 UtdThrp 102.74 +.44 -39.5 UnivFor 28.22 -.93 +21.0 UraniumRn 12.10 +.10 +9.3 UrbanOut 25.18 -.64 -50.6 ValVlsA 6.49 -.13 +1.6 ValueCIIck 24.00 +1.81 -64.6 VandaPhm 8.73 +.14 +32.7 VarlanSm s40.27 +2.10 +87.6 VasooDta 22.23 -.80 -8.9 Veecolnst 17.06 +.50 +43.7 Verlgy 25.51 -1.44 +69.2 Verisgn u4070 +1.18 -32.9 VertxPh 25.10 -.02 -50.4 VionPhmh .67 +.02 -26.3 VrgnMdah 18.59 -.37 -40.2 ViroPhrm 8.76 +.40 +33.8 VistaPrt 44.29 -1.41 +57.5 Vivus 5.70 +.39 +41.8 Wamaco 35.99 -1.06 432.1 WamerChil 18.25 +.10 +8.9 WarrenRs 12.76 -.21 -3.3 WashFed 22.75 -.25 -28.9 Websense 16.24 +.09 -1.7 WernerEnt 17.18 -.32 -8.5 WAmBcp 46.35 -.95 -68.5 WetSeal 2.10 -.23 -18.4 WhitneyH 26.63 +.22 -10.1 WholeFd 42.20 +,21 -.3 WndRvr 10.22 -.04 +37.9 Winn-Dixie 18.62 +.29 -45.6 Wrkstrm h .62 +.07 +14.3 WrightM 26.60 +.64 435.4 Wynn 127.04 -4.72 -4.9 XMSat 13.74 +.03 +71.8, XOMA 3.78 +.35 -7.4 Xilinx 22.04 -07 -44.9 XinhuaF n 6.25 -53.9 YRCWwde 17.38 -.31 +4.3 Yahoo 26.63 +.43 -71.8 Youbet 1.04 +.14 +11.4 ZebraT 38.74 +.77 -36.4 ZonBcp 52.45 -.27 +220.2 ZxCorp 3.81 -.05 +128.2 Zoltek 44.89 +7.19 +52.5 Zoran 22.24 +.03 -8.3 Zumiez 27.10 -1.37 -25.0 HighwdPrp 30.57 -.39 -8.4 HollyCp 47.06 +.31 -30.6 HomeDo 2788 -.39 +21.3 HonwllnU 54.88 -.70 -18.2 HospPT 35.93 -.44 -24.3 HostHots 18.58 -.01 -78.6 HovnanE 7.27 -.35 +36.5 Humana 75.48 -.18 +32.6 Huntsmn 25.15 -.35 +42.5 CICIB0101k 59.50 -1.38 -.8 IHOPCp d52.29 +2.51 +70.0 iShBrazil 79.65 -.05 +39.9 IShHK 22.38 +.08 -1.2 iShJapan 1404 +.05 +32.4 iShKor 65.42 -.98 437.0 iShMalasia 12,47 -.38 +26.9 iShSing 14.21 -.14 +7.2 iShTaiwan 15.55 -.08 +66.0 iShChin25 185.00 -2.00 +3.9 iShSP500 147.48 +.08 +34.1 iShEmMkt 153.10 -1.90 +12.7 iShEAFE 82.53 -.68 -2.1 iShDJTel 29.04 +.13 -16.8 iShREst 69.38 +.55 -6.6 iShDJBrkr 50.25 -.81 -41.0 iStar 28.21 +.29 -9,0 Idacorp 35.17 -.37 -34.6 Idearc d18.75 +.21 -22.7 IkonOffSol 12.66 -.05 +21.1 ITW 55.94 -.74 -56.5 Imaton .20.18 -.04 -81.6 Indymac 8.30 +.60 -16.0 Infineon, 11.78 -.01 +31.0 IngerRd 51,26 -.09 +1.2 IngrmM 20.66 +.29 -6.0 IntegrysE 50.79 -.23 +56.8 IntcntlEx 169.20 -.41 +10.7 IBM 107.50 +.13 -5.0 IntlCoal 5.18 +.03 -5.5 IntGame 43.65 +.76 -2.2 IntPap 33.35 -.17 -22.9 Interpublic 9.44 +.05 +8.8 Invesco 26.82 +.24 +32.7 IronMtns 36.50 +.88 +4.5 JCrew 40.30 -.34 -9.0 JPMorgCh 43.65 -.31 -30.0 Jabil 17.18 +.01 +100.1 JacobsEs 81.58 -.02 +49.7 JanusCap 32.31 -.01 -6.2 Jefferes 25.15 -.60 -32.8 JoAnnStrs 16.54 -4.06 +3.6 JohnJn u68.40 +.05 +34.4 JohnsnClis 38.49 -.04 -45.0 JonesApp 18.39 -.60 -62.3 KB Home 19.35 -.52 +28.3 Kaydon 51.00 -.07 +8.2 Kellogg 54.18 +.32 -54.5 Kellwood 14.81 -.59 -14.8 KemelCp 6.22 -.16 -20.1 KeyEngyn 13.55 +.17 -33.1 Keycorp 25.43 -.54 +2.1 KimbClk 69.37 -.34 -16.6 Kimco 37.50 +.08 +4.5 KindME 50.07 -.57 -35.1 KingPhrm 10.34 +.33 +50.8 Kinross g 17.92 -.26 -27.9 Kohls 49.34 -1.39 -3.8 Kraft 34.33 +.53 -75.7 KespKRm 2.70 +.02 +22.6 Kroger 28.28 -.26 +.I LDKSoln 27.23 -.49 -36.3 LLE Ry 1.74 +.01 -37.4 LSI Corin 5.63 -.12 -15.8 LTCPrp 23.00 +.11 -51.7 LaZBoy d5,73 -.27 ... LabCp 73.44 +.85 -2.1 Laclede 34.30 -.55 +26.2 LVSands 112.95 -1.96 +1.0 LearCorp 29.84 +.46 -15.2 LeggPlat 20.27 -.30 -21.0 LehmanBr 61.69 -3.16 -71.8 LennarA 14.77 -.29 -51.6 Lexmark 35.42 -.68 +7.6 LbtyASG 5.78 +.10 +1.3 LillyEli 52.79 +.53 -33.2 Limited 19.32 +.08 -8.6 LincNat 60,71 -.19 +62.9 Lindsay u53.18 +.96 -43.1 UzClaib 24.72 -.30 +21.6 LockhdM 112.00 +1.19 +12.3 Loews 46.56 +.67 -30.6 LaPac 14.94 +.64 -24.1 Lowes 23.64 +.17 -22.7 LundinM s 9.52 -.48 +85,1 Lyondell 47,34 +.02 -26,8 M&TBk 89,45 -1.62 -57.9 MBIA d30.74 +.46 +4.7 MOURes 26,85 +.30 +94.2 MEMC 76.01 +1.98 +6.5 MFAMIg 8.19 -.16 -3.4 MCR 8.27 -.02 -65,5 MGIC 21.59 +1.24 +50'0 MGMMir 86.00 -.62 -23.2 Macys 29.30 -.51 +13.9 Madeco 12.57 -.06 +3.0 Magnalg 83.00 -1.77 +41.7 Manitows 42.12 +.12 +37.2 ManorCare 64.37 -.34 +22.0 Manulf5gs 41.24 -.53 +19.6 Marathons 55.31 +.48 -22.5 MarlntA 36.98 +29 -18.4 MarshM 25.02 +.05 -10.3 Marshllsn 30.94 -.10 -53.6 MStewrt 10.16 -.11 +25.0 MartMM 129.86 +.08 -26.2 Masco 21.87 -.11 +47.7 MasseyEn u34.32 +1.17 +100.8 MasterCrd 197.74 +2.14 -38.9 MaterialSci 7.90 +.21 -12.2 Mattel 19.90 -.15 -69.8 McClatchyd13.09 -.78 +111.2 McDermls 53.72 +2.62 +31.6 McDnlds 58.35 +.38 -30.0 McGrwH 47.61 -.03 +31.2 McKesson 66.52 -.48 -17.3 McMoRn 11.76 +.30 +37.8 McAfeell 39.11 -.21 +7.9 MeadWvco 32.42 -.06 +90.6 MedcoHlthu101.87 +2.19 -5.8 Medtmic 50.29 -.06 -10.3 MensW d34.33 -6.72 -25.1 Mentor 36.62 -.63 +37.4 Merck u59.92 -.04 -38.3 MerrillLyn 5741 -.38 +9.9 MetUfe 64.85 -.62 -39.3 MetroPCSn 16.62 +.39 41.0 MicronT 8.23 -.23 -17.1 MidAApt 47.45 +.13 -27.2 Midas 16.74 -.72 +21.8 Millipore 81.14 -.46 +22.1 Mirant 38.55 +.64 -22.0 MitsuUFJ 9.71 +.22 +79.6 MobileTel 90.13 -2.02 +39.8 MolCoorBs 53.43 -1.42 -53.0 MoneyGrm 14.74 -1.13 +87.3 Monsanto u98.17 -.94 -47.1 Moodys 36.56 -1.23 -19.6 MorgStan 52.34 -1.16 +36.2 MSEmMkt 32.08 -.33 +220.5 Mosaic If 68.45 -.08 -23.9 Motorola 1565 +.09 +40.2 MurphO 71.30 +1.40 -27.6 Mylan 14.45 +.05 +18.1 NCRCps 24.06 -.31 +50.8 NRGEgys 42.23 +.45 +.8 NYMEX 125.02 -1.06 -10.9 NYSEEur 86.58 +.64 -9.4 Nabors 26.97 +.26 +12.1 NalouHId 22.93 +.08 -49.0 NaUCty 18.66 -.74 +3.5 NatFnPrt 45,50 -1.18 +24.7 NalFuGas 48.05 +.24 +17.4 NatGrid u85.23 +.23 +127.3 NOilVarcs 69.54 +3.18 +2.0 NatSemi 23.16 +.19 +172.6 Navios 14.64 +.53 +114.5 Navteq 75.00 +.70 -21.2 NewAm 1.78 -.01 +3.8 NJRscs 50.42 -.79 +12.4 NYCmtyB 18.09 -.08 -31.1 NYTimes 16.79 +.31 -8.1 NewellRub 26.61 -.05 +7.1 NewadExp 49.20 +.99 +13.8 NewmtM 51.39 -.62 -22.2 NwpkRsIf 5.61 -.10 -3.3 NewsCpA 20.78 -.22 -3.5 NewsCpB 21.49 -.28 -24.2 NiSource 18.27 -11 -9.4 Nicor 42.42 -.14 +30.7 NikeB s 64.71 -.50 -32.3 99 Cents 8.24 -.27 +37.5 NobleCps 52.37 +1.33 +46.5 NobleEn 71,91 +.34 +96.9 NokiaCp 40.02 -.04 -31.7 Nordstrm 33.72 -1.46 +.9 NorflkSo 50.76 -.57 -36.5 Nortellfrs 16.97 -.14 +12.1 NoestUt 31.57 -.23 +13.9 NorthropG 77.09 -1,42 -.1 Novarks 57.38 +.55 +2.5 NSTAR 35.21 -.29 +5.0 Nucor 57.41 +2.53 -8.0 NvFL 12.71 -.05 -9.3 NvIMO 13.27 -.03 -22.6 NvMulSI&G 11.06 +.05 -25.9 NuvQPf2 11.21 +.01 -11.1 OGEEngy 35.55 -.43 +43.3 OcdPet 69.98 +.19 -55.1 OfficeDpt 17.13 -.17 -37.5 OldRepub 14.56 -.20 +23.1 Olin 20.34 +.44 -33,7 Omncre 25.60 +.20 -7.6 Omnicms 48.31 +.12 -5.4 ONEOKPt 59.91 -1.07 -.2 OshkoshT 48.31 +.25, +28.5 OvShip 72.35 +1.58 -2.9 PG&ECp 45.95 -.06 -75.3 PMIGrp 11.65 +.15 -2.3 PNC 72.34 -1.24 -28.9 PNMrRes 22.10 -.54 +6.5 PPG 68.41 -.23 +40.7 PPLCorp 50.42 +.03 -30.3 Pacav 24.86 +.20 +55.1 ParkHans 79.50 +.75 +48.8 PeabdyE 56.28 +1.31 +5.2 Pengrthg 18.10 -.08 -.9 PennVaRs 25.77 -.17 -13.4 PennWstgd26.46 -.30 -42.4 Penney 44.53 +1.00 -28.4 PepBoy d10.64 -.87 +8.2 PepcoHold 28.13 +.12 +36.8 PepsiBotl 42.29 -.42 +22.4 PepsiCo 76.54 -.62 +61.1 PepsiAmer 33.80 +.06 -6.3 Panrmian 15.05 -.22 +41.8 Petrohawk 16.31 +.09 +79.3 PetibrsAs 81.65 -1.71 +90.6 Petrobrss 96.55 -2.19 -8.9 Pfizer 23.60 +.16 -2.5 PiedNG 26.08 -.44 -33.8 Pier1 3.94 -.18 -11.1 PimcoStrat 9.29 -.13 +11.9 PioNi 44.40 +.97' -16.5 PitnyBw 38.57 +.09 +13.2 PlumCrk 45.11 +.44 -4.0 Polaris 44.96 -.14 -12.9 PoloRL 67.65 -.34 -20.4 PostPrp 36.39 -.11 +142.3 Potashs 115.89 -1.29 +42.9 Praxair 84.76 +1.07 +9.9 Pridelntl 32.97 +.55 +9.5 PrInFncl 64.27 -5.63 +15.4 ProctGam u74.15 +.24 -1.1 ProgrssEn 48.53 -.42 -24.8 ProgsvCp 18.21 +.02 +7.0 ProLogis 65.04 -.73 -12.9 ProsStHiln 2.78 -3.7 ProvETg 10.51 -.31 +8.7 Prudenf 93.30 -1.08 +42.4 PSEG 94.50 -.08 +10.5 PugelEngy 28.02 -.05 -71.5 PulteH 9.44 -.09 -6.9 PHYM 6.75 +.01 -8.0 PIGM 9.26 -.04 -4.2 PPrIT 6.16 -.01 +43.5 Quanex 49.63 -,37,o +39.2 QuantaSvc 27.39 +.Oa +28.8 Questars 53.50 -,27,,.j -31.1 Quksilvr 10.85 It -20.2 QwestCm 6.68 -l -10.3 RPM 18.74 -81.3 RadlanGrp 10.09 ,9- +9.9 RadioShk 18.44 -, +20.5 Ralcorp 61.34 -t', +47.2 RangeRs 40.41 -1 4 +6.6 RJamesFn 32.32 ')I +11.2 Rayonier -45.66 l" : +16.7 Raytheon 61.61 +3.2 Rltylnco 28.59 -12.9 RedHat 20.03 -32.0 RegionsFn 25.42 +27.3 RelStlAl 50.12 +85.4 ReliantEn 26.34 ' +6.0 Repsol 36,57 -: -64.9 RetailVent 6.69 '.-' -16.4 Revlon 1.07 i +5.1 ReyndIAm u68.81 -35.1 RiteAid 3.53 ' -30.2 RobtHalf 25.90 .* 1 +39.3 RogCm gs 41.50 -463 +4.1 RoHaas 53.22 . +6.8 Rowan 35.46 -_ -5.0 RylCarb 39.32 -A1. A +13.6 RoyDShlIA 80.40 -1.80 6 -18.1 Royce 18.20 4.4..3 -5.3 Royce pfB 22.85 -N20 -62.2 Ryland 20.66 -4.- -3.3 SAP AG 51.35 -t:1,i +5.2 SCANA 42.75 -.1r, +18.3 SKTicm 31.33 -23.3 SLMCp 37.42 ., -16.4 STMicro 15.38 - -.4 Safeway 34.41 ,r " -48.5 SUoe d27.59 ' +8.7 SUude 39.75 -32 +9.2 Saks 19.46 ' +51.6 Salesforce 55.26 -7 ',1 +11.7 SallyBtyn 8.71 .-0 +5.3 SJuanB 34.58 M . -1.7 SaraLee 16.74 *'' +295 ScheroPI 30.62 +26'4- +45.9 Schlmbrg 92.16 +1.51^9- +2.2 SeagateT 27.09 +.12J-, -28.6 Sea]Airs 23,18 _.v; -75.4 SecCapAs 6.86 *fct& +11.9 Sensient 27.53 -.441t' +152.6 SiderNac 75.73 +.t'D3 +1.5 SierPac 17.09 -1U6ei +47.8 SitWhng 15.49 -0'IuA -5.8 SimonProp 95.41 A,/sA -56.3 SixRags 2.29 +"SS.< -6.8 SmitAO 35.01 -7,& +54.7 Smfthlnt 63.53 +172.'ih +15.2 SmitMF 29.57 +lSi'ri +26.6 S.,,-: '_1 - +19.0 S.T,.,. ", '. -.4 , +12.2 S..,. ... . +2.6 S'..."' ,' lU I +103.8 S D ,., ,,' '^ -,i: ,i +jl~u a The remainder of the New YorK Sl, k E:-,.nianc n liing-; can Cec ifundj on Ire rEin. page Request stocks or mutual funds Dy ,, writing the Chronicle, Attn: Stock Requests. 162-1 H. MseadCrowcrest ilva Crysial R..er. FL -4429. ur :r.rinEq 5.3-.50.6O F.:.r siicks irlude -re name .:.1 the IOCK., lI nmarkel .ri ..nd IS licker Sivymbol For rriulual lunri list ," rhe parent comrpanyarand mee ex-act lame oi the lunrd Yesterday Pvs Day n. -A Australia 1.1329 1.1218 "'.' Brazil 1.7855 1.7845 ' Britain 2.0613 2.0812 , Canada .9967 .9849 110 China 7.3830 7.3960 " Euro .6778 .6731 , Honq Konq 7.7909 7.7885 1 Hungary172.21 71.14IA Hungary 172.21 171.14 India 39.631 39.569 . Indnsia 9433.96 9433.96 .n. Israel 3.8328 3.8573 '3 Japan 109.84 109.97 Jordan .7095 .7095 - Malaysia 3.3715 3.3825 Mexico 10.9192 10.9311 Pakistan 61.16 61.12 '. Poland 2.46 2.45 'b- I Russia 24.3926 24.3653 oJ Sinqapore 1.4488 1.4435 m'" Slovak Rep 22.60 22.48 IT I So. Africa 6.8281 6.8654 , So. Korea 928.51 931.10 0 Sweden 6.3663 6.2987 . Switzerind 1.1171 1.1097 ot Taiwan 32.42 32.42 I A.. 3.6682 3.6582 ' Venzuel7 5412 92 2145.92 British pound expressed in U.S. dollars. All others show- "i dollar in foreign currency. .1,'. 0 Yesterday Pvs Dayv Prirria Paho 7 50 7.50 Discount Rate 5.00 5.00 Federal Funds Rate 4.56 4.44 ,. Troamiri n 5-vear 2.90 3.05 3.19 3.20 *t, 3.40 3.36 n 10-year 3.93 4.01 30-year 4.34 4.46 6JW IE p CO-MODIU Ex FUTURES xch Contract Settle Chgb ., Lt Sweet Crude NYMX Jan 08 91.01 +.39to Corn CBOT Mar 08 4003/4 -33/4 Wheat CBOT Mar 08 8881/4 +6/. ' Soybeans CBOT Jan 08 1098 +11/4/' Cattle CME Feb 08 96.65 -.40- Pork Bellies CME Feb08 91.20 -.27T- Sugar (world) NYBT Mar 08 9.79 -.1', Orange Juice NYBT Jan 08 138.45 -.55 ot SPOT ^i o Yesterday Pvs Day Iv I Gold (troy oz., spot) $795.30 $797.60 h 'I Silver (troy oz., spot) $14.237 $14.400 . Copper (pound) $3.0635 $2.8870 a ., NMER = New York Mercantile Exchange. CBOT = r,,.: .' Board of Trade. CMER = Chicago Mercantile -' ., NCSE = New York Cotton, Sugar & Cocoa ..-, ,' NCTN = New York Cotton Exchange. , CITRus COUNTY (FL) CHRONICLE- - I'A AEIA N TOKXCANG I " mirP e Rate TQTNTk NOVEMBE--- 30. 2007 -A MTAL FND ,, 5-Yr. InBosA 6.20 +.02 +702 Name. NAV Chg %Rtn LgCpVal 22.41 +.03 +98.2 AAlrivesrments A: NatlMun 11.12 -.02 +38. 1 A stents 9 SpEqA 1593 7 Here are the 1,000 bit 8agVa p37.21 -803 +78. TradGvA 7.28 +.05 +17.1 ChartAp 1676 +01 +718 Eaton Vance Cl B: show the fund name, s sp 42.4 +.01 +6- FLMB1 10.63 -01 +20.2 net change, as well as indG 4.51 -.19+1722 HfhSBt 13.13 +10 +558 SeIEly 3r2094 -.4+6 NatlMBt 11.12 -.02 +337 Tues: 4-wk total return AIM Investments B: E Vance C : +. Wed: 12-mo total return CapDVBt 16+24 +,02+103.7 GovtC p 7.27 +.05 +1208 Wed: 12 CapBt 18.24 +02+1037 NaMCt 1112 -.02 +33.0 Thu: 3-yr cumulative to Energy 5097 :+47+2867 Evergreen A: Fri: 5-yr cumulative tot SummlP p15.13 +.02 +97.3 AstAil p 1568-01 +010 tes 19.74+.01+160.0 Evergreen 3 01 + Name: Name of mutual Advance Capital 1: AstAlit 15.13 -01 +74.91 Advance Capital 19.25 +0257.5 Evergreen i NAV: Net asset value. Re cp 1925 +.0+32.5 CodI 10 39 +.04 +23.6 Chg: Net change in pr Alger Funds B: Siunl 9.87 ... +15.7 Toial return: Pr,::n ;n SmcepGr 6 .. +139.9 Excelsior Funds: SmAllianceBern A:pGrl6.8 +139 Energy 2759 +26+275.9 ,, Jer, rnr,....le.3 ii AllanriceBern A: HiYieldp 4.43 ... +683 i., alarLp 18.16 +.02 +59.1 VaResr56.03 -02+1284 GIbTchAp77.60 +.14 +78.5 FBR Funds: L'.i3 L. ,.1 0", , IntIValAp 23.97 +.01+194.2 Fos 55.u 3 .15+1s531, SmCrA31.10 +.18+111.0 Focus 55.63 -15+153 Footnotes- E- t..-,a AllianceBern Adv: NwFund 11.06 +01 +265 r, J l.,. lu.iJ p F ItVald 24 Fairholme 32.26 -07 F,: .::',p yn I, .: r CO LgCprAd2432 .08 +57.7 +130.1 I d' 3 sl AllianceBern B: Federated A S. d :.. spll TchBt 68.78 +.12 +71.7i MidrSA 3881 +.03+115.4 J,... inlloimai,:.nllr aIaEl, GrTchBt8 6078+1 +717. I KaulmAp 6.12 +.02+140.0 ,, t, I., .be tIace N GrowihB t 28.29 +.04 +72.5 1 0.c3A 10.3 +02 +2108 SC 1t 25.69 +.14+102.6 Fe e a int.i 2 L.pper, Inc. andThe Ass AliFceBedrn C Feerated Inst SCOCt 25.79 +.15+103.1 aufmnK 6.13 +02+1399 GthAp 45.78 -.06 83.7 Allianz Funds A: Fidelity AdvFoc +2627 HYTFAp 1059 ... 33.7 EnergyT 51.54 +.64+262.7 HYTFAp 1059 .433.7 NFJDWIt17.44 +.01+102.4 HICarT 22.73 +,02 +63 6 IncomArp 2.65 +.01 +88.1 Allianz Funds C: Fidelity Advisor A: InsTFAp 12.15 +.02 +24.8 GrowthCt 24.99 ... +77.2 DinUAr 2550 +.01+1577 NYiTFp 10.86 +.01 +20.0 TargetCt 2232 +.18+107.8 FidelityAdvisor LATFAp 11+43 +.02 +25.0 Ambr Beacon Plan: Fidelity LMGvScA 10.12 .02 +15.5 LgpP 232 +.108.9 DivlnIn 25.92 .+1.5 MDTFAp 11.54 +.02 +23.9 Amr Century Adv: EqGrlxn 6814 +20 +795 MATFAp 11.77 +.03 +24.8 roAp 25.72 +.05 +732 Eqlnln 31.14 ..+797 MrFAp 12.13 +.02 +24.3 Eq 2ntu .572 IntBdln 10.73 4 + 215 MNInsA 11.99 +.01 +23.6 AmFr Century Inv: Fidelity AdvisorT:. MOTFAp 12.12 +.02 +25.4 Balicedn17.05 +05 +53.0 BalancT 16.50 +.04 +519 NJTFAp 1203 +02 +265 rn8 1704 TFAp 12.03 +.02 +26 Eqpn 61 .01 +70.5 DMintTp 25.20 +01+154.4 NYInsAp 11.37 +.02 +22.7 Growtln 25,84 +.04 + 67.5 DivGrTp 13.58 +.01 +43.3 NYTFAp 11.608 +02 +24.1 Heritageln22.17 +10+151.9 DynCATp20.17 -.06 +83.4 NCTFAp 212 +02 +25.1 IcG n 32.38 -.02 +70.2 EqGrTp 64.08 +.19 +74.60 OhiolAp 12.50 +.01 +25.2 int rn 18.09 -.16+258.6 .T.. lol+75.1 14.75 -12+1322 T 30.70 ORTFAp 11.77 +.01 +27.1 IndtIn 1 .+ GrOppT 42.28 +.11 +79.0 PATFAp 10.32 +.01 +24.7 Lie n 5.97 -.01 +68.6 HilnAdTp 1021 +.04+1120 ReEScAp19.34 -.06 +870 Ne0pprvO02 +.01 +93.7 n T 10.71 +98 RisAP3499 .10 +57.0 OneChAgn1434 .. NS MiCpTp 27.03 -.08+1203 svAp 34.99 -,10 +57 RealEslln26.18 -.06+150.9 MulncTp 1278 .02 +25.1 SMCpGrA42p13 -06 +91.7 UItra n 32.64 +.07 +55.7 OvrseaT 26.23 -.01+142.0 UlsAp 6543 -.01 +21.04 Valelnvn 7.21 -.02 +70.1 STrr 926 +.1 +154 UtsAp 15.43 -.03+140.4 Vislan 23.15 +,10+146.9 Fidelity Freedom: VATFAp 11.67 +.02 +26.7 American Funds A: FF2 n 15.30 +03 53 Frnkmp FrnkAdv:+90 A.cpAp 21.36 +.01 +-65 FF2015n 1285 +.03 +NS InCteAd 2.64 +:01 +00.0 AMiAp 29.65 +.01 +66.9 FF2020n 16.33 +.03 +72.7 Frank/Temp Frnk B: aAp 19.90 +.02 +603 FF2025n 13.53 +.02 NS IncomeBt 2.64 +01 +0.9 BoniAp 13.18 +.04 +35.8 FF2030n 16.94 +.02 +82.5 Frank/Temp Frnk C: CapWAp 20.49 +.03 59.2 FF2035n 14.03 +.01 NS FoundAIp 13.96 +.02, NS Cap1,Ap 65.76 -.07+103.4 FF2040n 10.02 +.01 +88.2 InomCt 2.67 +.01 +83.6 CapWGAp48.30 -.11+168.2 Fidelity invest: Frank/Temp Mtl A&B: EupacAp 55.83 -.03+174.3 AggrGrrn22.76 -.01 +7.1 BeacnA 17,07 +.02 +99.3 FdlnvAp 44.54 -.01+115.8 AMgrS0n 1674 +.03 +447 DiscA 33.21 +.07+141.9 GwlthAp 36.45 +.04 +93.1 AMgr70n 17.41 +.03 +51.3 QualidAt 23.64 ...+114.3 11.93 +04+68.4 AMgr20rnl2.80 +03 +43.6 SharesA 26.82 +.04 +91.3 .... 2046 +.01 +2.2 Balancn 19.77 +.06 +84.9 Frank/Temp Mtl C: i Lp 13.52 +.03 +17.7 BlueChGrn45.14 +.04 +52.0 DiscCI 32.78 +.07+133.9 ICAMp 35.00 +.06 +75.3 CAMunn 12.20 +.02 +25.0 SharesCt 26,38 +.04 +85.1 NE p 29.92 +.08+103.9 Canada n 63,37 -.53+263.2 Frank/Temp Temp A: NPAAp 37.04 -.04+132.1 CapApn 30.02 -.07+105.9 DvMktAp 35.21 +.09+294.8 NwWidlA 62.88 +.05+261.7 CapDevOnl441 -.04 +70.2 ForgnAp 13.11 -.02+127.8 SmiAp 45.45 -.12+182.8 Cplcrn 871 +.01 +98.4 GIBdAp 11.68 -.03 +77.5 Tx.ExAp 12.30 +.01 +23.5 ChinaRgn36.16 -.01+233.5 GrwthAp 24.76 ..+101.9 WshAp 35.69 +.02 +69.1 CngSn 504.10 +.53 +66.0 IntxEMp .. 0.0 American Funds B: CTMunrn11.32 +.02 +22.3 WonldAp 18.96 -.03+113.1 Bael4 19.81 +.02 +54.4 Contran 76.86 +.20+125.9 Frank/TempTmp Adv: CaplBBt 65.76 -.07 +95.7 cCnvSn 28.60 +.16 +94.4 GrthAv 24.80 +.01+104.6 CpWGrBt48.01 -.11+157.9 DisEqn 31.77 +.10 +87.7 Frank/Temp Tmp B&C: Gr hBt 35.07 +6.04 Divn ln 43.20 -.11+182.8 DevMktC 34.28 +.09+281.4 S20.34 +.01 +75.4 DivSkOn 1682 ... +68.4 ForgnCp 12.86 -.02+119.6 cvt 34.81 +.06 +68.6 DivGlhn 30.50 .04 +48.1 GrwthCp 24.08 ... +94.6 WaSiBt 35.45 +.03 +62.9 EmrMkn 34.48 -.08+381.2 GE Elfun S&S' Arleiutual Fds: Eq lncn 57.53 -.01 +76.4 S&SPM 49.94 +.03 465.4 Ap= c 44.07 -.29 +60.9 EQIIn 24.04 ... +683 GE Investments: A 46.99 -.31 +679 ECapAp 31.36 -.10+185.0 7TRFd 19.75 +.03 +66.6 Arti Funds: Europe 46.12 -.20+206.8 GMOTrust I In 35.18 -.12+160.6 Exchn 355.50 +.15 +55.0 EmMkr 26.32 -.06+408.5i MidCap 36.65 +.08+102.9 Exportn 25.71 +.10+103.4 For 19.94 -.08+173.7 MidapVal20.43 -.05+126.5 Fideln 40.94 -.03 +83.8 Fnnr 37941 -.11+186.8 Barep Funds: Rftyrn 23.08 -.11 +68.3 +1 6627 +.04+124.6 FItRateHi r n9.59 +.01 +27.5 GMOTrustl V: GPrh 53.37 -.16+111.1 FrlnOnen31.31 +.02 +80,8 EmrMkt 26.25 -.06+409.3 p r 25.26 -.12 NS GNMAn 10.97 +.03 +22.7 Foreign 19.95 -.09+174.6 SmCp 25.95 +.10+124.6 Govlsnc 10.37 +.04 +23,5 InlrEq 4.81 .08 NS Bernstein Fds: GroCon 83.60 +.40+112,8 Inui 37.71 -.11+1877 IntDr 13.25 +.05 +25.5 Grolincn 28.51 +.02 +44.9 GMOTrustV:h DiM 14.08 +.01 +17.8 Grolnclln 11.74 +.01 +67.8 EmgMksr26.27 -.06 NS TxMgdintl 28.89 -.08+151.4 Highlncrn 6.61 +.01 +64.2 InllndoPi 24 +.11 NS IntPort 28.92 -.07+157.3 Indepnn 27.47 +.08+105.8 IntCorEq 4322 -.12 NS EmMkts 51.12 +.05+442,7 IntBdn 10.19 +.03 +21.7 USQlIyEq22.70 +.03 NS BlackRock A: IntGovn 10.29 +.04 +20.3 Gabelli Funds: AurOraA 27.94 +.02 +90.1 Int(Discn 45.44 -.13+192.8 Asset 52.82 -.15+105.5 BaVlAp 31.49 +.01 +75.3 IntlSCprn28.82 -.16+296.9 Gateway Funds: CapOevAp17.42 +.03 +69.3 InvGBn 7.22 +,03 +23.4 Gateway 28.56 +.03 +44.7 GIAAr 20.93 -.01+126.1 Japann 17.46 .+.11+105.8 Goldman Sachs A: HiYlWA 7.75 +.01 +69.2 JpnSmn 12.05 +.04+104.6 HYMuAp 10.53 ... +29.7 BlackRock B&C: LCpVIrn 15.10 +.01 +89.7 MdCVAp 38.99 +.06+105.5 GLAIC1 19.71 -.01+117.5 LatAmrn 62.90 -.07+660.3 Goldman Sachs Inst: BlacRock Inst: LevCoStkn32,19 +.19+282.8 HYMunin 10.53 ... +32.0 BaVlf 31.69 +01 +77.5 LowPrn 42.30 -.14+116.1 MidCapV 39.42 +.06+109.7 GIbAoc r21.02 -.01+128.8 Magelnn 99.83 +.25 +68.9 Strunt 16.89 -.06+165.1 BraISywineFds: MDMurn 10.79 +.02 +22.6 Harbor Funds: BlueFdn 35.20 +07+119.1 MAMunn 11.82 +.02 +25.7 Bond 12.05 +.05 +30.4 B n36.58 +.05+115.5 MIMunn 11.78 +.01 +24.5 CapAplnst37,64 +.07 +71.5 Bri 8n FundsY: MidCapn 29.84 -.02 +95.3 IntIr 76.66 +.01+223.9 Yn 6.58 +.01 +56.2 MNMunn11.28 ... +22.8 Hartford Fds A: C1M Funds: MIgSecn 10.48 +.04 +16.9 CpAppAp40.30 +.13+137.0 C Fun 330 +22+1927 Munilnn 12.64 +02 +26.6 DvGthAp21.02 +.01 +82.2 FoCusn 33.00 -.08+312.9 NJMunrn11.49 +01 +25.4 Hartford Fds C: n 36.42 +.085+13.9 NwMktrn14.6633 01 +97.8 CapApCt 36.21 +.12+129.2 CRM Funds: NYMunn 12.72 +02 +25.2 Hartford Fds L: ICpiI 32.40 -.05+138.8 OTCn 52.25 +.23+1034 GwppL 32.4 +06+157.6 Cdlamos Funds: Oh Mun n 11.54 +02 +25:3 Hartford HLS IA : Gr&lncAp32.03 +.05 +80.4 1001Index 10.72 +02 NS CapApp 60.09 +20+149,8 Gw' p 58.68 +.19+114.7 Ovrsean 55.17 +07+1702 Di&Gr 24.27 +.01 +87.5 GriCt 54.64 +.18+106.8 PcBasn 34.13 +.02+1943 Advisers 23,85 +.03 +51.1 Calert Group: PAMunrn10.76 +.01 +24.1 Stock 55.03 +.01 +5.6 Inrop 16.92 +.05 +38.7 Puritnn 19.63 +.02 +65.6 TotRetBd 11.71 +.04 +29.6 InlEqAp 24.08 -.06+115.0 RealEn 27.80 -.12+130.4 Hartford HLS IB: Mnilnt 10.56 +.02 +17.1 StlntMun 10.29 ... +15.1 CapAppp 59.63 +.21+146.7 SdcialAp 30.96 +.05 +44.8 STBFn 862 +.02 +15.9 Henderson GIbI Fds: SdcBdp 16.20 +.05 +35.3 SmCaplndr22.61-.01+103.2 IntOppAp 28.30 -.21+197.3 SdcEqAp 40.69 -.01 +55.4 SmllCpSrn19.00 -.01+107.5 Hennessy Funds: TxFU 10.01 +.01 +4.9 SEAsian 42.79 +.05+351.4 CorGrolle20.78 -6.15 NS T)FLgp 16.26 +.02 +21.3 StkSlcn 31.01 +.02 +80.2 HollBalFdn17.17 +.03+35.5 TxF VT 15.68 +.02 +19.8 Strallncn 10.63 +.02 +55.7 Hotchkis & Wiley: Capseway ntI: StReRIr 10.10 +.02 NS MidCpVai 25.03 -.11+101.7 Insturplrn2l.51 -.13+159.3 ToalBdn 10.37 +.04 +27.4 HussmnStrGr15.80-.01 Clilper 90.90 -.11+39.3 Trend n 75.18 -.07 +08.7 +50.8 CoTen & Steers: USBI n 10.93 +.04 +255 ICON Fds: RifSrs 74.19 -.18+156.6 Utilityn 20.32 +.09+131.3 Energy 40.75 +.79+275.7 Columbia Class A: ValStratn 33.31 -.03+106.1 Hlthcare 17.89 +.02 +86.5 Adornt 30.82 -.01+134.7 Value n 83.10 +.02+113.2 ISt Funds: FocEqAt 24.89 -.07 +84.4 Wddwn 23.71 -.05+129.2 NoAnp 7.67 +.02 +29.8 214IAt 16.75 -.02+161.9 Fidelity Selects: Ivy Funds: MiGrAt 22.98 -.05 +83.3 Aimr 49.90 -.76+137.8 AsseiSCt 26.72 -20+150.6 ColOmbla ClassZ: Banking n 26.77 -.11 +29.6 GINatRsAp41.18 +,32+333.6 AdomZ 31,64 -.01+139.0 8Bolchn 71.25 +.78 +73.2 JPMorgan A Class: AomlintZ 47.23 ...+269.7 Brokrn 71.61 -.46+121.8 MCValp2644 -.11+1003 IntEqZ 19.46 -.10+152.1 Chemn 83.21 +.13+150.7 JPMorganSelect: ro P 23.91.+.22 +952 DIAerin 94.06-30.1038 Balanced 26.51 +60.2 LCrldsIeZ 2.59 +.05 +260 ESoun 95.97 +1.80+2558 Fe/T 6.45 -.02 +11.7 EMMIn 12.14 +002+1024 Envmpr 418.96 -.11 +744 FtBnd 960 +03 +27.6 EDiFS soF n 103.30 -.56 +5370 Fund 32.17 -.02 +86.5 ErMkGrr29.23 +.01+ 41.4 ldn 43.20 -.50+3.7 Fundv r 28.30.07 +287. Eiso ndsA: -. Sof1wr7Goldrn 43.18 -.68+233.7 Foy 48 .07+7 INar 11 +.02 +4134.7 Heathsn 137.00 +13 +70.7 GI Lilesi 24.270 +.012 +943.2 GIbpdSr 145 +0 -.35+76 HomFn 29.47 +02 -2.6 GlTechr 15.65 .05 +90.7 GIbp 35.6 -.3+821 7 Irn 67.74 -.31 570 GnureA 40.75 +.02 +172.9 Gi&P- 2d.53 -.36+318.7 Lesrn 82.52 +.05+103.4 MCpVutyA 125.6 -.06+114.4 NoIVenS .25 +.05 +57.5 Maleialn5.78 +.273+20.4 Own 130 .0 01+189.6 HarTo 12.78 +.01 0 MDIn 54.29 .07+171.1 HiYOdtsar 5.34 +.01 +287.8 InAMT 11.11 +01 +19.7 MdEqSyn25791 -0+1503,4 Rensuearch 30.60 +.02 +19.2 tmr 30.419 +.01 +57.4 NGadn 0.9 +.9+2693 Twenty 721.637 -.07+137.6 D 83 4+518. tPapeM 32.12 -.10 +27S3 Venur 72.99 -.04+155.2 InSm aS 9.01 9 .01 +249 Rotalbv 47.89 -.42 +02..4 Janus Ado S Shrs: DMa S1nd4.19 .02+23. Sofwrn 78.30 +,19+1045 Fgrty 40.6 -.08+121.8 Dani Funds +A: Tchne 02i47 +Sp 4 +07.5 JennisonDryden A: U mVon 40.26 +02 ++0.4 BTelmon 502.241 +.024 +96.8 B lnA 18.98 +.03 +.5.4 Davis Funds B: Trnsxn 51,n0 -.60+119.4 HYItAp 5.50 +.01 +.16 N"YnSoB 38.32 +02 +3,.0 Ultilrn 64,77 +.010+159. Insured 10.6 +.02 +19 DaVIs Funds C &Y: Wiralen 9.19 +,02.2402 U+ilyA 1567 -.02+245.3 NOVenY 43.62 +03 + Fidelity Spartan: JennisonDryden B: NYSenC 38. +0 +30.2 Eqrdxlnn52.18 +03 +71.2 GrnlElt 16.68 +.103 0.7 Delaware Invest A: .0+7. 500AT rn102.67+05 +71.2 HINdBtl 51.649 +01 +57.7 TirwiendAp 19.86 ... +76.8 Intlnvn47 -.12+ nsr 6 +.02 +159.2 Ie/ 50 .51 DIct 2617 +.05 +73.6 SEqidAd 52.19 +.03 1 ClascVip23.96 .11 61.7 USLgCvn432 +.03 +71.1 OverseasA27.46 +25+177.6 John Hancock CI 1: USLgVan 24.14 -.01 +937 Flint Investors A LSAggr 15.94 -.03 NS USloron14.79 -.08+1024 BICrpAp 24.67 +:01 +54.9 LSBalanc 15,00 .. NS USSmal20.60 -.08+127.4 GobLAp 8.85 +.01+103.8 LSGre/h 15.77 ... NS US v'na26,39 -.2+2420. GolAp 10.86 +:01 +19.4 Julius Beer Funds: E ngMk/n34.79 +351.9 GrolnAp 16.14 -.01 +71.1 IntEqlr 50,62 +.19+203.8 FainIncoAp 2.80 ... +51.1 lIllEqA 4947 +18+199.2 Gi5F UTncn12 00 +11,7 MidCpAp 30.56 -.04 +90.1 +165.1 TIoaTg V22,99 -.14+115.7 NJTFAp 12.70 +02 +19.2 Kinetics Funds: TlI V 17.29 -,02+100.2 NYTFAp 1419 +.02 +9'.1 Pdm 31.08 +.12+224.1 2Y/dn10.38 -.01 +15.3 SpSiAp 24.01 -.12 +92.6 +103S7 O"AR-n 28.71 -.08+135,6 T 0 7 .n0 +. r nel: ,^p1 .. .. Lazard Insth. Dodge&Cox: ToIRtAp 15.60 +.02 +523 EgMkIl 2659 -.O5 62 lan 7.21 +.13 +72.6 ValueBp 7.79 -01 +1.3 ErgMk 2659 -.05+386.2 Incori 12.65 +.03+26.1 Firsthand Funds: Legg Mason: Fd InOStk 48.87 -.15+220.8 GIbTech 525 +.05 +817 OppornTrl 18.78 -.07+114.4 StpcXI 153.33 +.13+100.6 TecbVal 43.97 +.24+100.6 Splnvp 35.00 +.05 +78.2 Dreyfus: Frank/Tamp Frnk A- VarTrp 67.88 -.15 +58.1 Aprec 46,64 +.01 +57.9 AdiUSp 8,89 +149 Legg Mason Insth: Dipyf 10.88 +.01 +65.7 ALTFAp 11.37 +.02 +251 VafTrlnst 76.30 -.16 +06.2 OrS0Int 41.99 +.03 +68.0 AZTFAp 10.89 +01 +272 Legg Mason Ptrs A: EtIglW 31.35 -.30 +58.1 Ballnvp 63.72 -.26 +94:8 AgGrAp 117.17 +.47 +70.5 FUlnt 12.88 ... +17.6 CallnsAp 12.53 +.02 +255 ApprAp 16.53 +.03 +66.9 InMtl ... 0,0 CAIntAp 11.47 +,02 +20.9 HilncAt 6.43 +.02 +01.7 Dr 'yfU Founders: CalTFAp 7.24 +.01 +27.6 InAICGAp 15.41 -.06+110.4 G hB ... 0.0 CapGrA 13.11 -.02 +57.3 LgCpGAp25.65 +.01 +54.9 GAMFp ... .. 0.0 COTFAp 11.85 +.01 +26.0 Legg Mason Ptrs B: Dryfus Premier: CTTFAp 10.92 +02 +24.7 CaplncBt 17.45 +.07 +81.8 ClrVlvp 31.75 -.02 +73.9 CvtScAp 16.17 +.07 +86.4 LgCpGBt 23.78 +.01 +49.3 LIdHYdAp 6.91 +.02 +62.7 DblTFA 11.76 +03 +24.6 Longleaf Partners: StrValAr 33.54 .,.+107.2 DynTchA 32.57 +18 +84.0 Partners 34.60 +.07 +78.7 TdGroA 27.80 +.12 +59.5 EqlncAp 20.65 -.02 +53.0 Int 20.50 ..+125.7 Dr(ehaus Funds: Fedlntip 11.40 +.01 +22.3 SmCap 28.49 +.08+129.1 EMktGr 54.29 -.27+442,1 FedTFAp 11.98 +.02 +27.7 Loomis Sayles: Eato6lVanceCIA: FLTFAp 11.71 +.02 +25.8 LSBondl 14.71 +.02 +87.0 ChinaAp 38.17 +.25+380.6 FoundAlp 14.24 +.02 NS SIrincC 15.19 +.03 +08.5 ANfFMB110.52 ... +29.8 GATFAp 11.97 +.02 126.0 LSBondR 14.67 +.02 +84.6 Mtj/CGrA 11.51 +.08+125.6 GoklPrMA40.24 -.44+293.2 SVrincA 15.13 +.03 +95.8 To REDTH UTA UNDTALE ggest mutual funds listed on Nasdaq. Tables sell price or Net Asset Value (NAV) and daily one total return figure as follows: (%) n (%) total return (%) al return (%) l fund and family. ice of NAV. rangee in r JA' lor the linre period ilsnown. wlr, I pr.:..d Iorger ih3n I year. return is Cumula, rep,,rt;d ,:, Lipper r0' 6 p m Eastern --~ m WAn ca, 's -LO itl3. ,r, n disIrir-utior, I Pre.ious ay s quote ' ur',3 assers uised I: pay dairlbtultior ,ts r - ril.nl-ri aelerred sales load mat apply s - I BcIn p and r i Es-cas- dividend NA ' ile NE Data inr, question NN Fund does r,:l . S Fund d.d rol 51 -i a il ari dale Source: .- - sociated Press Lord Abbett A: AffilAp 13.97 -.01 +73.7 BdDebAp 7.92 +,.01 +53.4 MidCpAp 22.05 +.04 +82.4 MFS Funds A:I MITA 22.55 +.01 +73.5 MIGA 15.46 -.01 +55.5 HilnA 3.67 +.01 +54.3 IntNwDA 30.28 -.13+208.1 MFLA 9,88 +.01 +23.7 TotRA 16.57 +.01 +54.5 ValueA 28.46 -.03 +90.1 MFS Funds B: MIGBn 13.95 -.01 +50.5 GvScBn 9,64 +.03 +16.6 HilnB n 3.68 +.01 +48.8 MulnBn 8A46 +.01 +22.2 TolRB n 16.56 +.01 +49.6 MFS Funds Instl: IntlEq n 22.14 -.11+147.7 MainStay Funds A: HYdSBA 6.23 +.01 +84.5 MainStay Funds B: CapApBt 32.86 +.09 +47.2 ConvBt 16.80 +.06 +64.5 GovlBI 8.35 +.03 +14.4 HY/dBB1 6.19 ... +77.8 InltEqB 16.40 -.06+116.6 SmCGBp 14.98 -.05 +48.2 TotRtBt 19,49 +.03 +46.7 Mairs & Power: Growth 80.74 -.32 +74.4 Marsico Funds: Focusp 21.84 -.06 +85.3 Growp 23.02 -.07 +87,0 21stCntp 18.17 -.01+161,2 Matthews Asian: China 41.74 +.42+414.0 Indiar 22.74 -.44 NS PacTiger 31.48 +.13+291.6 Mellon Funds: IndFd 17.96 +.02+135.7 Midas Funds: MiWasFd 5,63 -.04+339.8 Monetta Funds: Monettan 16.17 +.04 +87.4 Morgan Stanley A: DivGthA 20.85 -.01 +63.3 Morgan Stanley B: DivGtB 21.00 -.01 +62.7 GlbDiB 16.81 -.08 +96.9 StratB 21.09 +.05 +71.3 MorganStanley Inst: EmMktn 40.40 -.26+379.2 GIValEqAn21.44 -.09 +93.6 IntlEq n 23.06 -.14+129.6 Munder Funds A: IntemtA 24.30 +.06+110.0 Mutual Series: BeacnZ 17.22 +.02+102.5 DIscZ 33.63 +.06+145.9 QualfdZ 23.84 ...+118.0 SharesZ 27.07 +.03 +94.5 Neuberger&Berm Inv: Focus 32.89 -.11 +77.2 Genesinst 54.44 -.06+129.5 Int]r 25.26 +.09+194.6 Partner 32.95 +.11+112,6 Neuberger&Berm Tr: Genesis 56.71 -.06+126.7 Nicholas Group: Hilncin 10.29 +.03 +51.7 Nichn 56.29 -.09 +64.2 Northern Funds: SmCpldxn10.51 -.05 +94.8 Technlyn 14.38 +.04 +66.7 Oak Assoc Fds: WhitOkSG n37.55+.01 +41.7 Oakmark Funds I: Eqtylncrn29.09 -.03 +82.1 Globalln 27.46 +.11+155.8 Intlrn 25.74 -.02+138.5 Oakmornrn45.26 -.03' +55.3 Select rn 29.78 +.04 +43.3 Old Mutual Adv II: Tc&ComZnl7.01 +.07 +93.1 Oppenheimer A: AMTFMu 9.12 ... +28.0 AMTFrNY 12,57 +.04 +32.1 CAMuniAp 10.57 +.01 +31.8 CapApA p 52.55 +.04 +63.7 CaplncAp12.67 +.03 +68.0 ChmplncAp8.83 +.05 +52.6 DvMktAp 53.82 -.29+414.0 Discp 57.08 +.23 +78.3 EquityA 12.00 +02 +79,7 GlobAp 78.36 -.58+127.4 GIbOppA 38.13 -.01+150.1 Golip 37.55 -.31+347.0 IntBdAp 6.67 ... +96.6 MnSIFdA 42.31 +.01 +66.8 MnStOAp 15.29 -.01 +90.1 MSSCAp 21.87 -.08+105.1 MidCapA 19.97 -.02 +72.3 PAMuniAp 12.33 +.01 +38.4 S&MdCpVI40.26 +.10+163.3 StIrlnAp 4.46 +.01 +62.6 USGvp 9.57 +.04 +21.7 Oppenheimer B: AMTFMu 9.09 ... +23.2 AMTFrNY 12.58 +.04 +27.0 CplncBI 12.51 +.03 +61.0 ChmplncB 18.82 +.05 +47.0 EquityB 11.32 +.02 +71.8 StdOncB 4.47 +.01 +56.5 Oppenheim Quest: QBalA 18,08 +.04 +51.5 Oppenheimer Roch: LIdNYAp 3.32 ... +24.8 RoMuAp 17.82 +.03 +38.0 RcNtMuA 11.12 -.04 +44.2 PIMCO Admin PIMS: TotRtAd 10.74 +.04 +29.8 PIMCO Instl PIMS: AlpAsset 13.21 +.05 +63.2 CornodRR 1.14 +.10+129.4 OevLcMk r 11l.59 ... NS FItlncr ,9.95 +.01 NS HiYld 9.54 +.04 +62.4 LowDu 10.17 +.03 +20.6 RealRtnl 11.39 +.08 +41.2 TotRt 10.74 +,04 +31.4 PIMCO Funds A: TotRtA 10.74 +.04 +28.4 PIMCO Funds D: TRtnp 10.74 +.04 +29.3 PhoenixFunds A: BalanA 15.15 +.02 449.7 CapGrA 17.29 +.07 +41.4 Pioneer Funds A: BondAp 9.27 +.03 +32.3 EulSelEqA 42.64 -.39+140.2 GnthAe p 14.50 +.02 +47.0 InlValA 27.95 -.15+137.3 MdCpGrA 15.89 -.02 +74.5 PionFdAp46.92 -.06 +72.3 TxFreAp 11.27 +.02 +23,9 ValueAp 15.83 +.03 +70.9 Pioneer Funds B: HilmdBt 10.48 +.04 +62.4 Pioneer Funds C: Hi/ldCt 10.59 +.04 +62.4 Price Funds Adv: Eqlncp 29.63 -.02 +76.1 Growthpn34.46 -.04 +80.3 Price Funds: Balance n 22.29 ... +68.5 BIChipn 40.35 -.04 +74.1 CABondn 10.86 +.01 +23.8 CapAppn 21.52 +.01 +82.8 DiGron 26.72 -.03 +72.0 EmEurp 38.50 -.04+437.1 EmMktSn 44.46 -.11+370.8 Eqlncn 29.70 -.02 +77.6 Eqolndexn 39.52 +.02 +9.3 Europe n 23.35 -.11+153.8 GNMAn 9.51 +.01 +21.6 Growth n 34.80 -.04 +82.2 Gr&2nn 22.71 -.04 +607.1 HSthsen 30.768 +.11+124.1 HiYieldn 6.74 +.02 +58.2 Inlsendn 10.47 -.01 +54.2 IntDisn 55.56 -.11+291.0 IntlStkn 19.27 -.06+128.0 Japann 11.03 +.04+117.3 LatAmn 55.37 +.09+03.2 MDShrtn 5.16 +.01 +11.1 MDBondn 10.43 +.01 +22.5 MI/Capn 62.68 +,10+122.9 MCapVal n2569 -.06+112.6 NAmern 35.60 +,04 +80.4 NAsian 22.55 -.07+365,0 NewEran61.14 +.38+251.7 NHoozn 34,17 +.05+116.0 Nbncn 9.06 +.04 +28.0 NYBondn 11.16 +.02 +23.8 PSIncn 16.63 +.01 +59.8 RealEsin 20.74 -.02+147.0 R2010n 16.93 +.02 +70.6 R2015n 13.22 ... NS R2020n 18,55 ... +81.7 R2025n 13.76 -.01 NS R2030n 19.91 -.02 +90,9 Sc3ecn 23.60 .. +65.5 ShtBdn 4.73 ... +18.8 SmCpStkn33.80 -.18 +.2.6 SrCapVal n41.23 -.20+114.5 SpocGrn 22.18 -.03+103.6 Specbnn 12.33 +.03 +47.9 TFInc n 9.85 +.01 +24.8 TxFrHn 11.59 +.01 +31.4 TxFrSIn 5.36 +.01 +14.5 USTInI n 5.55 +.03 +20.5 USTLgn 12.08 +.10 +32.3 Van Kamp Funds A: VABondn 11.47 +.01 +23.7 CATFAp 17.78 +.02 +19.3 Value n 27.49 -.04 +84.1 CmstA p 18.96 +.02 +79.0 Principal Inv: CpBdAp 6.60 +.03 +32.1 DiscLCInst 17.07 +.03 NS EqIncAp 9.30 +.02 +70.7 LgGrlIN 9.64 +.01 +91.0 Exch 493.07 +2.39 0.6 Putnam Funds A: r 2, + . AmGvAp 9.26 +,05 +20.5 GrInAp 22.51 +.04 +87.0 AZTE 9.08 +.01 +22.0 HarbAp 16.36 +02 +58.7 Convp 20.38 +.05 +82.4 HiYIdA 10.34 +.03 +56.8 DiscGr 22.05 +.05 +66.4 HYMuAp 10.62 ... +35.9 DvrlnAp 9.78 +.03 +49.1 InTFAp 17.48 -.01 +17.5 EqlnAp 16,12 ... +76.5 MunlAp 14.18 +.01 +21.9 EuEq 32.64 -.33+141,2 FATFAp 16.68 +.02 +19.8 GeoAp 16.14 +.01 StrGrh 49.49 -.04 +61.5 GIbEqIyp 1213 -.03+106.1 Str~unh 9,12 .04+. 5 GrnAp 1869 .. +546 SrMunnc1270 +.01 +29.3 HthAp 60.17 +.15 +50.1 US MtgeA 13.33 +.03 +20.1 HiYdAp 7.73 +.02 +64.3 UtilAp 25.26 -.05+132.0 HYAdAp 6.02 +.02 +69.2 Van Kamp Funds B: IncmAp 6.62 +.03 +25.0 EnterpBt 14.29 -.01 +51.7 IntEqp 34.74 -.29+130.0 EqlncBi 9.14 +.03 +64.6 IntGrinp 17.03 -.17+158.1 I YMuBI 10.62 .. +30.9 InvAp 14.43 -.04 +58,0 MuBt 1462 .1 +7.9 NJTxAp 9.18 +01 +22.9 MuB 14.16 +.01 +17.5 NwOpAp 52,04 +.07 +69.6 PATFBIt 16.63 +.03 +15.4 OTCAp 9.94 +.04 +.0.1 StrGwth 41.58 -.03 +55.4 PATE 9.05 +.01 +23.4 StrMuninc 12.69 +.01 +24.6 TxExAp 8.65 +.01 +24.2 USMtge 13.27 +.03 +15.3 TFInAp 14.73 +.02 +21.5 UtilB 25.11 -.05+123.3 TFHYA 12.65 ...+30.9 VanguardAdmiral USGoAp 13.42 .+04 Vanguard Admiral+0 USGvAp 13.4207 -.06+0.9 CAITAdmn0.92 +.01 +19.8 VslaAp 11.53 +.01 +78.8 CpOpAdln96.23 -.12+141.3 VoyAp 19.13 -.02 +41.6 Energyn 153.27 +.39+320.1 Putnam Funds B: EuroAdml n97.94 -.49+173.4 CapAprt 19.83 -.04 +51.5 ExplAdmln73.23 ... +95.2 DiscGr 20.02 +.05 +60.2 ExtdAdm n40.37 -.04+114.9 DvrlnBt 9.70 +.04 +43.7 500Admlnl35.82 +.07 +71.6 Eqlnc 15.95 .. +70.1 GNMAAdnlO.40 +.01 +24.9 EuEq 31.44 -.32+132.3 GeoB t 15:98 +.02 +41.3 GIlncAdn59.63 +.04 +69.6 GIbEqt 11.01 -.02 +98.5 HlthCrn 65.39 +.02 +88.3 GINtRst 34.80 +.21+217.9 HiYdCpn 5.886 +.02 +45.2 GrInBI 18.39 ... +49.0 InlfProAd n 24.76 +.17 NS HhB1l 053.04 +.12 +44.5 ITsuyAdmlnll.33 +,05 +26.7 HiYIdBt 7.71 +.03 +58.5 IntGrAdm n89.47 -.18+161.5 HYAdBt 5.94 +.02 +62.9 TAdmln 13.25 +.01 +21.5 rImB 677 .65 +02 +20.3 ITGrAdmn 9.86 +.04 +30.2 IntNopt 18.24 -.15+142,4 LIdTrAdn 10.77 ... +15.1 InvBl 13.12 -.03 +52.4 MCpAdmln94.58 +.07+111.9 NJTxBt 9.17 +.01 +19.0 MorgAdmn65.31 +.15 +86.8 NwOpBt 46.00 +.06 +63.4 MuHYAdmn10O.62+.02 +28.0 NwValp 17.99+.02 +065.9 PrnnmCapr n79.53 +.08+105.4 OTCB9 8.64 +.03 +73.1 ShtTrAd n 15.65 +.01 +12.9 TxExBt 865 +01 +20.3 STIGrAdn10.69 +.02 +23.0 TFHYBI 12,67 +. +26 .9 TFInBt 14.75 +.02 +17.6 TxMCaprn71.59 +.07 +79.9 USGvBt 13.34 +.03 +15.9 TlBAdmln10.17 +.03 +26.4 UtiSBt 15.98 -.05+141.5 TStkAdm n35.51 +.01 480.8 VistaBt 9.90 +.01 +72.2 WellslAdm n54.26 +.16 +45.6 VoyBt 16.50 -.02 +36.4 WelltnAdm n59.40+.09 +76.3 RS Funds: Windsorn 61.54 -.08 +83.5 CoreEqA 43,07 +05 +69.1 WdsrilAdn63.35 ... +96.4 IntGrA 21.21 -.16+135.5 V angur Fd Value 28.34 +.01 +181.9 Ralnler nv Mgt: AssetAn 30.30 +.03 +73.1 SmMCap 44.06 +.09+160.7 CALTn 11.46 +.02 +24.3 RiverSourceA: CapOppn 41.62 -.05+140.3 BalanceA 11.08 +.01 +53.3 Convrtn 14.92 +.02 +89.5 DEI 13.70 +.03+135.6 OihdGron 15.43 +.01 +61.2 DvOppA 9.32 +.01 +88.2 Energyn 81.56 +20+318.6 Growth 33.78 -.06 +57.1 Eqlncn 25.99 +.02 +81.6 HiYdTEA 4.31 +.01 +21.1 ExpIrn 78.53 ... +93.6 LgCpEqp 6.11 ... +58.5 MCpGrA 12.22 -02 +625 FLLTn 11.53 +.02 +25.1 MkiCpVlp 9.72 +.01+161.3 GNMAn 10.40 +.01 +24.4 Royce Funds: GlobEqn 25.79 -.01+159.3 LwPrSkSvr17.00 -.14+110.1 Grolncn 36.50 +.02 +68.2 MicroCapl 18.48 -.06+147.9 GrthEqn 13.35 +.03 +84.5 PennMulr 1183 -.12+117.1 HYCorpn 5.88 +.02 +44.4 ",,., ,:.,, ,1I -.15+130.6 HMhCrenl54.64 +.06 +87.5 e.l|H,-|I| 1+' -.10 +69.8 InflaPron 12.61 +.09 +39.6 ValSvot 11.22 -.08+160.1 intlEpIrn 22.52 +239.0 VIPISvc 14.51 -.13+212.8 Exp 2252 ..+23 Russell Funds S: IntlGrn 28.07 -.06+159.0 DivEq 52.77 +.01 +79.7 IntValn1 46.07 -.08+180.5 InIlSec 86.83 -.41+155.1 IGraden 9.86 +.04 +29.5 MStratBd 10.46 +.04 +27.9 ITTslyn 11.33 +.05 +25.8 QuantEqS41.59 +.05 +66.9 UfeConn 17.35 +.03 +52.9 Rydex Advisor: UleGron 25.46 +.01 +84.8 OTCn 13.27 +.05 +76.1 Ufelncn 14.42 +.03 +38.9 SEI Portfolios: UfeModn 21.60 +.02 +68.9 CoreFxAn0.20 +.03+24.3 LTIGraden919 +05+36.1 InilEqAn 15.75 +.01+135.1 r 9 LgCGroAn23.70 +.05 +61.1 LTTsryn 11.70 +.08 +36.9 LgCValAn22.31 ... +.2.2 Morg9 21.03 +,05 +85.3 TxMgLCn 14.21 +.01 +73.2 MuHYn 10.62 +.02 +27.6 SSgA Funds: MulnsLgn 12.41 +.02 +25.1 EmgMkt 30.73 +.03+373.1 Mulntn 13.25 +.01 +21.1 IntlStock 14.60 -.08+180.2 MuLtdn 10.77 ... +14.7 STI Classic: MuLong n 11.11 +.02 +24.9 LCpMEqA165.31 -.01 +76.9 MuShtin 15.65 +.01 +12.6 LCGrStkAp 13.92+.02 +45.7 NJLTn 11.71 +.02 +24.4 LCGrStkCp 12.91+.02 +41.8 Se]LCStkCt29.19+.01 +49.1 NYLTn 11.09 +.02 +23.8 SeILCpStkl31.73 +.01 +56.9 OHLTTEnll.88 +.02 +25.1 Schwab Funds: PALTn 11.18 +.02 +24.3 HfthCare 16.98 +.08+138.4 PranMtsrn36.47 -.08+396.8 lO000nvr 43.56 +.03 +73.6 PcpCorn3.60 ... NS lOOOSel 43.60 +.03 +74.9 Prmcprn 76.56 +.08+104.0 S&Plnv 22.99 +.01 +69.6 SelValurn21.04 +.02+110.3 S&PSel 23.10 +.02 +71.1 STARn 22.22 +.02 +72.0 S&PlnslSI11.79 +.01 +71.4 SmCplnv 23.57 -.09 +94.4 STIGraden10.69 +.02 +22.4 YIdPIsSI 9.17 +.01 +15.1 STFedn 10.53 +.02 +18.5 Selected Funds: STTsryn 10.62 +.02 +19.1 AmShD 48.18 +.04 NS SIralEqn 23.21 -.03+105.1 AmShSp 48.03 +.03 +86.4 TgtRe2025 n14.04+.01 NS Sellgman Group: TgtRe2015nl3.40+.02 NS ComunAt 37.91 +.05+112.6 TgtRe2035 n14.93 ... NS FrontrAt 12.03 +.05 +80,8 USGron 20.03 +.02 +55.7 FrontrD1 9.81 +.04 .74.2 USValuen14.43 +.02 +70.3 GIbSmA 16.03 -.01+131.5 Extenl4.3 2. +703 GIbTchA 18.48 +.02 +92.9 Wellslyn 22.39 +.06 +44.8 HYdBAp 3.18 ... +45.9 Wellthn 34.38 +.05 +75.2 Sentinel Group: Wndsrn 18.23 -.02 +82.4 ComS A p 35,57 +.03 +84.9 Wndslln 35.68 ... +95.3 Sequoia n161.56 -.44+54.4 Vanguard Idx Fds: Sit Funds:. 500n 135.80 +.08 +70.9 LogCpGr 45.96 +.04 +62.4 Balanced n22.18 +.04 +57.3 SoundSh 40.42 -.06+91.7 DevMktn 14.28 -.05+161.2 St FarmAssoc: n p - Gwth 63,12 +17 +78.4 EMk 3352 -.02+353.9 Stratton Funds: Eu peBn 41.66 -.21+172.2 Dividend 31.04 -.16 +93.1 lextndn 40.30 -.03+113.8 Malt-Cap 45.59 +.12+126.5 Growth n 33.19 +.04 +62.2 SmCap 47.31 ...+130.7 ITBndn 310.53 +.04 +30.5 SunAmerica Funds: LgCaplxn 26.68 +.02 NS USGvBt 9.50 +.03 +17.2 MidCapn 20.82 +.01+110.9 Tamarack Funds: Pacifcn 13.54 ...+139.5 EnISmCp 29.63 -.36 +91.8 REITrn 21.52 -.08+133.9 Value 41.66 +.01 +71.2 SmCapn 33.06 -.10+107.5 Templeton Instit: ICpG n20.04 -.01+111.5 EmMSp 25.98 +.07+305.2 SmiCpGthn20.91 .01+111.5 ForEqS 31.13 -.13+184.0 SmlCpVIn 15.96 -.10 +95.4 Third Avenue Fds: STBndn 10.14 +.02 +20.4 Inllr 23.02 -.06+180.8 TotBndn 10.17 +.03 +25,9 RIEstVIr 32.17 -.09+148.5 Totllntln 20.76 -.06+181.6 Value 63.62 +.03+139.4 TotSlkn 35.50 +.01 +80.0 Thornburg Fds: Valuen 26.17 +.02 +89.3 InIValAp 33.32 +.13+204.1 Vanguard Instl Fds: IntValuel 34.03 +13+211.1 Ballnsn 22.18 +.03 +58.2 Thrivent Fde A: Hid 4.89 +.01 +60.8 DM innl417 -05+163.3 Incorn 8.49 +.03 +26.8 Eurolnsin41.75 -.20+174.3 LgCpStk 29.91 -.03 +55.8 ExlInn 40.40 -.03+115.6 TAIDEXA: Grewthlstn 33.20 +.04 +63.3 TempGlbAp34.30-.03 +77.2 Insldxn 134.79 +.08 +71.9 TrCHYBp 8.84 +.02 +48.1 InsPIn 134.79 +.07 +72.1 TAFIxInp 9.11 +.03 +22.5 TotBdldxn51.27 +.16 +26,4 Turner Funds: ]nsTStPlusn32.02+.01 +82.0 SmlCpGrn32.40 +.09+122.4 MidCplstn 20.91 +.02+112.5 Tweedy Browns: Paclnstn 13.58 ...+141.5 GlobVal 33.26 +.17+122.5 Sc c A 313.8 .+104.0 UBSFundsCIA: SCInstn 33.13 -.10+109.0 GYbAdIot 15.02 -.01 +2.6 TBIstn 10.17 +.03 +26.6 UMB Scout Funds: TSInaln 35.52 +.02 +.1.2 Intl 38.31 -.05+162.3 Valuelstano 26.17 +.01 +90.5 US Global Investors: Vanguard Signal: AlIAm 30.79 +.21+101.7 500Sgln 112.19 +.07 NS GIbRs 19.62 +.06+28.0 TotBdSglnO.17 +.03 NS GIdShr 18.73 -.10+373.1 5 TotStkSln34.27 +01 NS USChina 16.34 -05+360.8 W]dProMn32.45 -.27+509.8 Vantagepoint Fda: USAA Group: Growh 10.60 +0.1 +58.9 AgvGt 37.96 -.10 +73.5 Victory Funds: CABd 10.74 +.02 +24.4 DovsSlA 17.95 +.01 .0.1 Cm.tStr 28.34 -.03 +71.5 WM Blair MIl Fda: GNMA 9.68 +.02 +21.3 In/QGthr 33,77 -.18+193.6 GrTxStr 14.35 +.02 +40.8 W 5 & Ree Ad. Gre/h 17.60 +.02 +69.9 Wade & ReAd Grglnc 19.77 +.01 +71.9 AsFdp 13.03 -.09+167.7 IcStk 16.08 +,01 +65.6 CorelnvA 6.92 +,02 +77.1 Inco 12.18 +,05 +26.5 ScTechA 13.60 +.01+134.8 IntIl 29.90 -.15+145.8 Wasatch: NYBd 11,72 +,02 +24.9 SmCpGr 39.70 -.30 +76,2 PrecMM 34.75 -.40+361.0 WallFargo Adv : SOlTech 13.09 +.04 +91.1 Wells Fargo Adv ShITBnd 8.95 +.01 +21.7 CmstkZ 21.87 -.94+180.1 SmrpStk 14.76 -.10 +55.9 Opptylnv 43.85 +.01 +89.6 TxEIt 12.97 +.02 +22.8 SCApVaIZp33.46-.14+146.5 TxELT 13.54 +.03 +27.3 Western Anaet: TxESh 10.58 +.01 +14,7 CorePlus 10.21 +.05 +34,5 VABd 1127 +.01 +23.5 Cor 10.5 +.05 +27.6 W01Gm 22.02 -.10+117.0 William Blair N: MdCpldx 24.95 +987 GrowithN 12.85 +73.9 S/kldx 38.61 +.02 +69:1 Intl/mN 33.18 -.18+189.6 Value Line Fd: Yacktman Funds: LrgCon 24,52 +.01 +68.3 Fundp 16.14 -.04 +68.7 w dim. - * -0 0-0 ."Copyrighted Material -. -" " - Syndicated Content:-- - Available from Commercial News Providers " * -' 0. - .~ - - - 0 ~ 0. - -0. 0. - S - O 0.- - 0 - ~ P 0 0. ~ 0. - 0. * 0. - - - = ~- - 0.~ -- - -ft ow.~- - mdo 'Mw 1. -- - o- moba-AM~ m ow40m 0 -MMO -am. M -M m-P I~ -Mjj -mop No 4- - o MN,-ow - -Mlo, t" .-MONP ND 0 MM 400000mmw Hurricane Season is Over a new wind on the Gulf Coast BLOWS With a passion to improve the deck boat and give you the absolute best value. " Powered by WXYAMAHKA ITROD UCI Now In Progress 726 )RY SALE Expect versatility, quality, comfort, spacious passenger and cargo room, commanding power, a smooth ride, responsive handling, ease of maintenance, VM fuel efficiency, and safety. Whether swimming, tubing, skiing, fishing, or just soaking up the views, SouthWind, Apopka Marine & Yamaha will take you there. Not just another deck boat, SouthWind is a better choice. See them now at... APOPXA. MARINE. 3260 East Gulf to Lake Highway, Inverness, FL 34453 just east of Walmart on Hwy. 44 741 2-726-7773 N EWYRKSTOKECANG YTD Name Last Chg -12.2 SwstAld 13,45 -.37 +45.0 SwstnEngy 50.83 +.12 -56.3 SovrgnBcp 11.09 +.06 -11.2 SpectraEn 24,63 -.17 -195 SprintNex 1520 +44 -89.2 StdPac 2.90 +.18 -33.3 Standex 20.11 -.39 -14.8 StarwdHt 53.23 -.47 +16.5 StateStr 78.57 -.33 +11.2 Stesn 28.00 -.38 +62.0 Sterite n 23,81 +.66 +23.8 sT Gold 78.28 -1,29 +31,1 Styker 72.23 -.56 -3.6 SturmRug 9.25 -.47 +10.5 SubPpne 42.00 -.39 -25.2 SunCmts 24.22 -.15 +24.1 Suncorg 97.90 -.41 +7.2 Sunoco 66.85 +1,71 +135.2 Suntech u80.00 +5.67 -18.2 SunTrst 69.05 -1.97 +18.2 Supvalu 42.26 -.80 -21.1 Synovus 24.31 -.23 -11.9 Sysco 32.20 +.34 -32.0 TPCFFncI 18.64 -.50 +.1 TECO 17,25 -.13 -1.5 TJX 28.08 -51 -108 TaiwSemi 9.75 +5.5 Talismogs 17.92 +.07 +4.2 Target 59.44 -.14 -4.8 TeckCmrn gs 35.88 -.50 +45.3 TaelNorL 20.61 +.25 -.9 TelcNZs 16.50 -.21 +25.4 TelMexL 35.45 +1.06 -6.2 Teroplen 43,16 -1.04 +38.3 TempurP 28.29 +.29 -5.8 Tendas 46.99 -.26 -270 TenetHIth 509 +18 -2.8 Teppco 39,20 -.15 -28.0 Teradyn 10.77 +.07 -1,5 Terex 63.59 +1.44 +215.1 Terra 37.75 +.10 +313.6 TerraNiro 120.15 +5.11 +49.8 Tesoro s 49.25 +.57 -37.8 TetraTech 15.90 +.41 +10.6 TexIlnst 31.86 -.03 +43. Textons 67.29 -.99 +24,8 Theragen 3.87 -.02 +26.4 ThermoRs 57.25 -.86 +14.7 ThmBet 54.25 +.17 -59,9 Thombg 10.08 +.43 +7.3 3MCo 83.61 +.20 +3.9 Tidwtr 5026 +1.04 +24.2 Trfany 48.75 -1.48 -33,5 TW Cablen25.88 +.33 -20, TiOmeWam 17.29 +07 +10.0 TImken 32.09 +.07 -2.2 TilanMet 28.86 -.21 +25.3 ToddShp 20.93 -.22 -40.5 TollBros 19.18 -.24 +30.4 TorchEn 9.00 -.35 -2,9 Trchmrk 61.78 -.79 +21.7 TorDBkg 71.82 +.24 +11.7 TolalSA 80.33 -.78 +5.3 TolalSys 27.80 -.12 +28.3 Tranes 36.13 -.83 +68.0 Transoc 135.92 -.46 -2.8 Travelers 52.29 +.84 -35.7 Tredgar 14.53 +.04 -.5 TdContl 22.27 +.20 +.7 Tribune 30.99 +.99 +112.5 TrinaSoln 40.17 +2.65 -27.0 Trinity 25.69 -.64 +101.8 Turkeell 27.00 +.09 -5.8 TycovEecn 36.60 +.91 -22.6 Tyoolnt n 39.91 +.31 -10.2 Tyson 14.78 +.12 -18.2 UBSAG 49.37 -.30 -32.3 UDR 21.53 +.16 -14.8 UlLHold 38603 +.02 +31.2 URS 56.22 -1.87 -62.7 USAlwy 20.06 -.91 -34.8 USEC 8.29 -.13 -34.0 USG 36.17 -1.20 -2.0 UST Inc 57.05 +.47 -4.7 UndrArmr 48.10 -.30 +55.7 UUnlao 144.71 +1.16 -4.0 UnlFirst 36.88 -1.25 +30.4 UnllevNV 35.53 -.46 +36.4 UnlonPac 125.48 -1.41 -38.1 UnIsys 4.85 +.03 +1.4 UtdMico 3.54 -.03 -2.2 UPSB 73.30 -.27 -12.5 UtdRentals 22.24 +.74 -98 USOBancrD 3266 +07 +33.5 USSIeel 97.67 +1.51 +20.7 UtdTech 75.44 -.41 +1.9 UtdhlthGp 54.76 +.04 +19.2 UnumGrp 24.77 -.13 -33.3 VaeantPh 11.50 +24.6 VaeroE 63.73 +.70 +3.4 Vectren 29.25 -.21 +2.7 Ventas 43.48 -1.37 +23.6 VeollaEnv 93.01 -.77 -44.5 VeraSun 10,97 +.33 +33.4 VerIFone 47.21 -.05 +14.1 VedzonCm 42.48 +.07 +.6 VIacomB 41.27 +.70 +116.7 VImpelCs 34.21 -1.79 -7.5 Vlshay 12.53 -.05 -49.1 VIsteon 4.32 -.04 +39.0 VKroPar 5.70 +.06 +78.1 VMwaren 90.,85 +3.16 +35.0 Vodafone 37.50 -.73 -26.3 Vomado 89.53 -.08 +67.0 Votorandm 32.74 -.03 -2.9 VulcanM 87.26 +,75 -80.4 WHkingf dl.17 -.05 -53.9 Wabash 6.96 -.11 -270 Wachovia 41.25 -15 +24.4 WaddellR 33.85 -.62 +29 WalMart 47,54 +31 -186,7 Walgmn d3729 -1.02 -66.3 WarnerMus 7.73 +.568 -604 WAMult 1801 -30 -8.2 WsteMInc 33,76 -.64 +53.2 Wealthfdlnl 64.01 +1.52 -23.6 WeinRIt 35.25 -.26 -41.8 Wellcare If 40.10 +3.53 -87.5 Wellmn .40 -.02 +7.1 WellPoint 84.30 +.52 -14.1 WellsFargo 30.54 -18 -17.3 Wend 27.36 +.01 +.6 WestarEn 26.11 -.14 -2.0 WAEMInc2 12.61 -.02 -13.2 WstAMgdHi 5.86 +.03 +2.9 WAstlnfOpp11.91 +37.8 WDigifl 28.19 +.12 +.4 WstnUnlon 22.50 +1.9 Weyerh 72.00 -.05 -4.4 Whitl 79.35 -.29 -17.0 WilmCS 9.02 +.05 +31.2 WmsCos 34,27 +.29 -10.0 WmsSon 28,30 +.69 -8.8 Windstrm 12.97 +.04 -35.4 Winnbgo 21.27 -.81 +1.5 WiscEn 48.17 -.98 +18.5 Worthgtn 20,99 -.01 +24.3 Wrigley 64,31 +.71 -3.8 Wyeth 49.00 +.29 -22.3 XL Cap 55.96 +.52 +30.4 XTOEngy 61,37 +.64 -1.6 XcelEngy 22.70 +.10 -1.2 Xerox 16.74 -.15 -.5 Yamanag 13.12 -.28 +165.4 YIngln 27.87 +3.09 +26.5 YumBrdss 37.20 +.01 -34.8 ZaleCp 18.40 -.84 -17.8 Zimmer 64.40 -.99 -21.4 Zweaigl 4.59 +,01 CITRUS COUNTY (FL) CHRONICLE II.- I FmDAY, NovEmBER 30, 2007 11A BUSINESS t * L. N(:'%E,%iB1-H30, 2007 - "I haven't understood a bar of music in my life, but I have felt it. " Igor Stravinsjk , / - ITRU'- C4,uN r,% CHRONIC LE C TRUS COUNTY CHRONICLE EDITORIAL BOARD Gerry M ull CONCERT FOR A CAUSE Show will help county after last curtain call he headliners are reason enough to buy tickets to Saturday's dazzling concert at Rock Crusher Canyon, with the country music greats of Montgomery Gentry and Trace Adkins guaranteed to "Rock the Canyon." But Citrus County must remember: The super-show is only THE IS one night; however, Trd ann its proceeds will con- ThRocks annt tinue to help this community long after the stars leave the OUR OP stage. Have f Benefiting more help c than a dozen non- profit organizations and several college-bound high school students, this weekend reflects the spirit of baseball standout Mike Hampton as much as any of his Major League Baseball accomplishments. Thanks to the Mike Hampton Pitching .In Foundation, Counttry Rocks the Canyon creates a fund- ing structure that has proved to be a lifeline for local nonprofit organ- izations. And Saturday's entertain- ment is second to none, as evi- denced by current country music charts. Although Hampton and his fam- ily have moved their residence to Arizona, he and his wife, Kautia, have not forgotten their roots nor their promises, the core of which was the Mike Hampton Pitching In Foundation. This unique concept actually creates an avenue for the community to raise funds for itself. Simply, the Hamptons cover the cost of bringing country music stars to the county. The tickets for the concert are distributed to non- profit agencies that sell the tickets and keep the money to further their organization. This "sweat- equity" brand of fundraising helps bring tens of thousands of dollars to the coffers of the agencies and ties the community together with a common goal. According to the SSUE: foundation's execu- tive director, Brent al country Hall, the nonprofits SCanyon. have the opportunity to make from $,000 'INION: to $9,000 depending un and on how many tickets others. they have pur- chased. However, the foundation will buy back the tickets that are not sold, so local charities will not lose money. In addition to Saturday evening's entertainment, the four high school seniors who are recip- ients of $10,000 scholarships from the foundation will be recognized at a dinner this evening as a part of the weekend activities. With concert seats still available and the weather forecast look- ing extremely favorable resi- dents are encourage to take advan- tage of this unique opportunity to experience country music's best while helping local community organizations and students. Support of this concert will ensure the Hampton dream that Citrus County will continue to grow and prosper. And as thousands cheer for the country greats on stage, their applause will also be for the man who has set the bar for real achievement, both on and off the field. I F e P fu oi CONCERT AND TICKET INFORMATION * Gates at Rock Crusher Canyon open at 3 p.m., Saturday. Musical artist Cason will hick off the entertainment at 4 15 p.m. followed by Ryan Weaver and Ryde at 5:15. Trace Adkins will take the stage at 6-30 p.m. and Montgomery Gentry will perform at 8:45. * Tickets can be purchased at Fancy's Pets, 669 Northeast U.S 19 in Crystal River or from any of the following nonprofit organize tiors: * Key Training Center Melissa Walker, 634-4660 or 527 8228 * Nature Coast Volunteer Center Heidi Blanchette, 527 5950. * Storm Football An & Girls Clubs Lon Pender, 621 9225 or 341-250'7. * Citrus Youth Basketball Ed Buckley, 726-6000 or 422 2367. * Crystal River High School Athletic Department Tony Stukes, 795-4641, Eyt. 4 * Crystal River Little League - Tom Salute, 795 6486 Evt 3795 or 302.8824. * Habitat for Humanity Bonnie Peterson, 563-2744. * Mid-Florida Community Service Linda Graves, 796-8117. * Marion County Senior Services Gail Cross, 620 3501 United Way contributions needed The United Way of Citrus County needs your help. While most people in the workforce are asked to make a contribution to the annual United Way campaign, more than 50 percent of the residents in our community are retired. Everyone's help is needed this holiday season to help United Way raise the funds needed for the 23 nonprofit agencies that serve our community. We are asking every household to contribute $20.08 to the effort. If you give more, that's great. But everyone's help is needed. Please send your contributions, payable to United Way, to: United Way of Citrus County c/o Citrus County Chronicle, 1624 N. Meadowcrest Blvd., Crystal River, FL, 34429 You can also drop off your contributions at either of our'offices. Thanks for helping out. Gerry Mulligan Publisher and United Way board member Artof peace T Whp wq - . .'.- I tin Irmg me. -~ - = - -- 4 - -- ~ 4 S S - S "Copyrighted Ma - I S .~ --~ q ~- ~- .5 - -4 - I - ~ d S - - I S -~ C ~-* -4 Ob ~ ite-r - q Syndicated Content A Available from Commercial News Providers" d a:u* r U 0 M I LETTERS Spreading wealth Subject: Dr. Dixon and the Fair Tax Dr. Dixon's mythical small entrepre- neur victimized by a mythical govern- ment agency is clearly nonsense. Nor is the small entrepreneur the rich or , super rich the current administration is saving from the graduated income tax. A repentant Democrat wrote recently condemning income redistri- bution and calling for the Phony Phair Tax. But in the past 37 years or so, we have drastically redistributed income through our economic poli- cies. The CIA Fact Book (look it up on the Internet) mentions that in the past 25 years (up to 2005) most (actually more than all) income growth has gone to the top 25 percent of house- holds in the U.S. They typically attribute it to technology, which is demonstrably wrong. It is due to globalization, including both putting our industrial base in Communist China and allowing unre- stricted illegal immigration to take the jobs that can't be moved. Income distribution is not so much about merit or even productivity. It is about bargaining power. CEO com- pensation is at the top fairly cozy being negotiated between CEOs selected by BODs and BODs selected by CEOs. As for the Phony Phair Tax, at best it will lower taxes on the rich, elimi- nate them on the poor, and sock it to the rest of us. That is at best. Like Forbes "flat tax" of a few years ago, it would not be revenue neutral unless it was raised considerably. By putting the burden on white market sales of new items, it would immedi- ately create a layer of scams in which goods would be sold cheap new, then turned around and sold for more as used. The mass of scams invited by the Phony Phair Tax would make the ingenious evasions of income tax invented by KPMG and other scum look like bald-faced bditonllne.com. honesty. One way or another, the rich will have to be taxed if the mindless extravagances of the current admin- istration are to be paid for. Why? Well, as a famous bank robber once said when asked why he robbed banks, "Because that's where the money is." Pat Condray Ozello Losing liberties In his opinion piece Nov. 25, fully three-and-one-half of columns of William Dixon's five-and-one-half column opinion piece were devoted to the myriad of ways terrorists can kill or maim us. You are really scar- ing me, Dr. Dixon, but not for the reasons you think. Dixon complains that "congres- sional Democrats and civil libertari- ans are doing their best to hinder 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 r COMMENTS will be edited for length, personal attacks and good taste. Editors will cut libelous material. OPINIONS expressed are purely those of the ca intelligence agencies form collect ing the data needed to prevent ter rorist attacks." He is partially cor- rect; those "civil libertarians" ar07 trying to limit the use of warrantle phone taps of U.S. citizens. Losin some of my civil liberties does sc. me, sir! Dixon must travel in another world, as I have never met anyone, Democrat, civil libertarian or other-" wise, who wants to treat terrorists -. as friends. I have met rational peo-C ple, however, who would prefer no61 to do anything that would result it,' increased recruiting into any of tlhe.0 terrorist networks. This might include, say, not invading con ntries- having nothing to do with attacks 6i our country, or causing death or .," injury to large portions of the popit. lation of Islamic countries. Dixon continues by stating he does not lose a minute of sleep ovb5 waterboarding. Again, I am scared., this time by his callous disregard. for our own military Just ask any-- one serving in the military (inclndU-" ing Sen. John Mc Cain) about the ., necessity to adhere to the rules of the Geneva Convention. I have a daughter in basic train N in Texas, and I pray to God that il'f she is sent to a war zone, she is never captured, especially by an " enemy who does not lose a minuteZ sleep over waterboarding. As a nmat! ter of fact, Dr. Dixon, the vast majlQ ity of intelligence experts would you that torture, as a tool to gather information, almost never works . and is often counter productive. .K Finally, since you seem to have so, much information about how to wreak havoc on our country and yo4 do not mind having your e-mails and phones monitored, maybe someone should be calling the FBI? Or maybe you are already being watched, who knows? John R. Hogan Hernande record. oilers. " to the Editor -- mo I - - 9 - - -- wl-- FRIDAY, NOVEMBER 30, 2007 13A . .. I! MLLAI~.~ I L. V6 re '~ L4&. ~II tILF~ ~-t4 I, ~ A~ -1.887 "TOYOT C I VP ~'w1999$7 nill'f 4 TiH - R, BTj O -o, 10.900 i 13909 W-4I'mJ11 umIII II III (HEVU'.AH M OIL CHANGES FOR 2 YEARS WITH THE PURCHASE OF ANY PRE-OWHED VEHICI 'I,., F ?1 '179I1 mi*lfffl L ri:E s500 HOME DEPOT GIFT CARD WITH PURCHASE OF ANY PRE-OWNED VEHICLE!* ' RFR______ i.~)th~ g~.' '1. ,'~ I ..~h iC~7 T.LL I :L F WIH I'll"'I I I CHili ,E iHr)l.t 2431 SUNCOAST BLVD, US HWY 19 *HOMOSASSA, FL 34448 . ~Er~1EI.Y. A2TOYOTA S: MN-FR 8AM7:3 9 ST 9A-6. .~'L, hA I, Expires end of business day 11/30 cannot be combined with internet prices or managers special. All offers cannot be combined. tDoes not qualify for this promotion. All pictures for illustration purposes only. CIIus LouNTY (FL) CROIiUNCLE .- hl UIZ k I IL8W99-01141A , "Ok iTIlA'fJT1l)-r!= tLflif&lm 7,171.1117 ,, _ J- ZUUO bAUILWb 1, L, DEVILLE j a 'dogma& Iff U",Iho ITTXXMITT M=A t""*>^. Nl- Ml .t . I< c * I HOUK ICA Ww!,- -A I , y a (ITP o I HijipE FF OM P TA nli Ili All HIGHLANDER 180 90 "a ---7- =j. I A :v- ~ %~ FRIDAY Tt. y NOVEMBER 30, 2007 T H O C CITRUS COUNTY CHRONICLE IE: aa * ,^1I rj^e :ui^ '^b fi^j^ ,4-if ba1-" ** to *.-: p N-0 qa..Smma iljlll W llluu i f JIUL*t ~ tt88fi qV10~lll||ini|||| wm a a a* aoona a a a e a *AM O M 4OP. Ma -IP I 4 SA MON~q - Sm a. 4bmmve 4wa& wmwg*- o0dEO 4 a-we*. ao fl m hom*f -e a *ono a n *o --a l 0mm-e 4091fl Mb a.a dBa4W a a*b vawCif mowa 0 S- a - Vow -= -Avai M on -an * ama- "Av al f- -m a -a a ot Wf-a-t 4 a e S.C . 0 a o=0 amfi outdoor damp own aw anww L"Copyrighted Material sSyndicated Content , Am I a 0. lable from Commercial NewsProviders" Mukawy tbt pun srrvning utrn %aft "M a^1 a y qA GNP mF **- ^ ..-**** n ntih t,+ thrr tntrdi, fI r irKultr1: l4.in am@ haw A .- ...__ .-. - I a White I ,.laton looks to finish strong for No 2 West 'iremLina F'Pa;-e 5B e .' C U CHRONCL E * NASCAR/2B * Scoreboard/3B * College Basketball/4B * Golf, NBA, NHL/4B * NFL/5B * College Football/5B * Entertainment/6B B FRIDAY NOVEMBER 30, 2007 CITRUS COUNTY CHRONICLE rand Ia Over 30 tennis players set to take part this weekend in the 27th annual Chronicle/Pines Tournament JON-MICHAEL SORACCHI jmsoracchi@chronicleonline.com Chronicle " Citrus County takes its first serve Saturday Under the trees at Whispering Pines Park in Inverness, the 27th annual Chronicle/Pines Tennis Tourna ment boasts some of the county's best ama- teur players tor two days of action on the hard- co rllts The fields will be split between Whispering Pines and Citrus High School, where 12 divisions will be played by men. women, boys and girls. "MThe tournament i is very good for the county," said Mehd i Tahiri, "especially for the kids." Tahirl is not only a participant but also helped compile the draw for the 2007 incarnation of the event. One potential match Tahiri high- lighted was a possible meeting between IMike Brown and Tommy Saltzman in the imens singles bracket. Brown and Saltzman S would each have to win - their opening round match-up to meet in the finals of'the division. "If both w (in Ii the first round, that will be a good match to watch," Tahiri said of Brow n and Saltzman. The happening, according to local ten- nis expert Eric van den Hoogen, is (lihe only , one in which singles are pla. ed as their own event. * "That's the really nice partial about it," 'an den ,. Hoogen said of the singles draw%% PIE-a-e -see &,Ii !.-./Page 3B 7 -.. (owboy het (;B for NT( lad * TeM prtfiam *lj a ow "Copyrighted Material Syndicated Content Available fr om Commercial News Provde rs # 0 am ft O"M 4 mo mm M AP ami ool'mi 4W(M.*4wf owa -M Sports BREFS -dmp now= qwm 40 me bgam -mmm -vbe -ms om qp m Seven Rivers hoops gets win over Bronson The Seven Rivers girls basketball team didn't have to worry about a close outcome Thursday night, getting a career night from junior forward Maddie Burich during a 55- 47 triumph over Bronson. Burich led everyone with 23 points and 17 rebounds from her power forward spot to pace the Warriors, who are 3-3 overall. Carolyn Allen also played well on her way to a 14-point effort while Rachael Capra did some heavy lifting with a nine-point, 13 rebound performance. Elizabeth Gay led Bronson with 20 points. Seven Rivers plays 6 p.m. Tuesday at Meadowbrook Academy. Hurricanes fall 75-55 to Wildwood basketball The Citrus boys basketball team fell to 1-2 overall after a 20-point loss to Wildwood on Thursday night. Nathan Pullen led the Hurricanes with 14 points in defeat while Trent Shelton added nine and Jon Ear pitched in eight. The Wildcats were led by Demetrice McCray's 21 points during the victory. Citrus plays 7:30 p.m. Monday at home against North Marion. Crystal River boys soccer downs North Marion, 8-0 The Crystal River boys soccer team earned a mercy-rule victory over North Marion on Thursday night after an 8-0 final. Pirates senior forward Carl Scarano led the way with three goals and an assist for Crystal River, who is now 4-1-2 overall and 3-1-2 in District 4A-6. Michael Zarek and Richard Wilson each bagged two goals while Antonio Maldonado scored one. Austin Atkins tallied two assists while Connor Mulligan, Jack Waldron, John Gusha and Wilson each grabbed one. Crystal River keeper Charles Bell earned the clean sheet for the Pirates. From staff and wire reports nty -dM W l- V "Copyrighted Material Syndicated Content Available from Commercial News Providers" ........... ...... ... -w ------ -- ...... ti rr* 2B FRIDAY NOVEMBER 30, 2007 CITRUS COUNTY CHRONICLE 10 I'41 1 9 ammb mo Awo dO WOOM IitI 0C ptrghed Material icaontent indicateed_ Conten S. S ~em* 0 AvailabIle fr o ommercialNews Providers" * l ".ll ,iMMlll IllgllMlllM / 4MMm~mlll= 41mlm di m aneev1 (Gordon has no regrets after finishing ond m -A Pay for your IT R U S C O U N TY. V Checks! V Reminders" it's EZ i Just call 563-5655 for details: *Charge may vary at first transaction and at each vacation start. I.,. K Nascar Insider ...*-" * 709481 xrif- III --. .- SPOnRTS CLftU *. COL TYA F I'L CHt......J F FOOTBALL AP Top 25 Schedule Saturday's Games No. 1 Missouri vs. No. 9 Oklahoma at San Antonio, 8 p.m. No. 2 West Virginia vs. Pittsburgh, 7:45 p.m. No. 5 LSU vs. No. 14 Tennessee at Atlanta, 4 p.m. No. 6 Virginia Tech vs. No. 12 Boston college e at Jacksonville, Fla., 1 p.m. 8 Southern Cal vs. UCLA, 4:30 p.m. . 11 Hawaii vs. Washington, 11:30 p.m. 'fNo. 13 Arizona St. vs. Arizona, 8 p.m. No. 18 Oregon vs. Oregon St., 4:30 p.m. No. 21 BYU at San Diego St., 6:30 p.m. - NFL Standings AMERICAN CONFERENCE y-N. England ." -uffalo N.Y. Jets Miami Indianapolis "Jacksonville Tennessee Houston East W L T 11 0 0 5 6 0 2 9 0 0 11 0 South W L T 9 2 0 8 3 0 6 5 0 5 6 0 North W L T Pct PF 1.000 442 .455 167 .182 181 .000 183 Pct PF .818 309 .727 243 .545 204 .455 243 Pct PF Pittsburgh 8 3 0 .727 272 Cleveland 7 4 0 .636 31! Cincinnati 4 7 0 .364 28 Bltimore 4 7 0 .364 18: ;'; West - W L T Pct PI !San Diego 6 5 0 .545 26 Denver 5 6 0 .455 22 Kansas City 4 7 0 .364 16: Oakland 3 8 0 .273 201 ,'"-' NATIONAL CONFERENCE East W L T Pct PF PA Dallas 10 1 0 .909 358 221 N.Y. Giants 7 4 0 .636 253 241 Philadelphia 5 6 0 .455 234 218 Washington 5 6 0 .455 213 240 South ." W L T Pct PF PA Tampa Bay 7 4 0 .636 214 164 New Orleans 5 6 0 .455 243 252 ,!.'tarolina 4 7 0 .364 173 243 Atlanta 3 8 0 .273 155 244 North W L T Pct PF PA Gieen Bay 10 1 0 .909 296 185 Detroit 6 5 0 .545 257 269 Minnesota 5 6 0 .455 236 227 Odhicago 5 6 0 .455 221 251 West W L T Pct PF PA Seattle 7 4 0 .636 245 183 Arizona 5 6 0 .455 254 259 San Francisco 3 8 0 .273 150 254 St. Louis 2 9 0 .182 168 281 y-clinched division Thursday's Game Green Bay at Dallas, 8:15 p.m. ." Sunday's Games ,:Y. Jets at Miami, 1 p.m. Houston at Tennessee, 1 p.m. Detroit at Minnesota, 1 p.m. -30)iffalo at Washington, 1 p.m. Atlanta at St. Louis, 1 p.m. Jacksonville at Indianapolis, 1 p.m. .igSan Diego at Kansas City, 1 p.m. Seattle at Philadelphia, 1 p.m. San Francisco at Carolina, 1 p.m. Denver at Oakland, 4:05 p.m. Cleveland at Arizona, 4:05 p.m. N.Y. Giants at Chicago, 4:15 p.m. Tampa Bay at New Orleans, 4:15 p.m. Cincinnati at Pittsburgh, 8:15 p.m. +-iP; Monday's Game hew England at Baltimore, 8:30 p.m. _BASKETBALL Thursday's Major College Scores EAST Buffalo 65, Tulane 51 Navy 73, Towson 59 Temple 90, Ohio 88 UMBC 84, Morgan St. 76 SOUTH Bethune-Cookman 81, Edward Waters 73 Charlotte 63, Wake Forest 59 George Mason 85, Drexel 38 Hampton 64, Va. Commonwealth 55 Robert Morris 88, Fla. International 61 Wichita St. 62, Appalachian St. 53 SOUTHWEST Arkansas St. 71, Tenn.-Martin 69 1 Sam Houston St. 79, Hardin-Simmons 41, Texas-Arlington 71, Texas Wesleyan 49 i Texas-San Antonio 73, UMKC 61 AP Top 25 Schedule Today's Games SNo. 6 Washington State at Baylor, 9 p.m. No. 11 Tennessee vs. Louisiana-Lafayette, ( 7:30 p.m. No. 13 Marquette vs. Wisconsin-Mil- i waukee, 8:30 p.m. SSaturday's Games 1 North Carolina at Kentucky, 2 p.m. 5 Georgetown vs. Fairfield, 1 p.m. 7 Duke vs. Davidson at Charlotte bcats Arena, Noon 10 Michigan State vs. Jacksonville, 7 p.m. 12 Louisville vs. Miami (Ohio), 2 p.m. 14 Pittsburgh vs. Toledo, 2 p.m. 15 Indiana at Southern Illinois, 9:30 p.m. No. 16 Butler vs. Ohio State, 7:30 p.m. No. 18 Clemson vs. South Carolina, 4 p.m. ,.tlo. 19 Gonzaga vs. Connecticut at TD w nknorth Garden, 3:30 p.m. 21 BYU at Portland, 10 p.m. 23 Xavier vs. Belmont, 7 p.m. Sunday's Games 2 UCLA vs. No. 8 Texas, 8 p.m. 1o. 4 Kansas at No. 22 Southern Cal, 2 p.m. No. 9 Texas A&M at Arizona, 6 p.m. NBA Standings EASTERN CONFERENCE Atlantic Division W L Pct GB Boston 12 2 .857 - Toronto 8 7 .533 4% New Jersey 7 8 .467 5% New York 4 10 .286 8 SPiladelphia 4 10 .286 8 Southeast Division SW L Pct GB Orlando 14 3 .824 - Washington 7 8 .467 6 Atlanta 6 8 .429- 6% Charlotte 6 8 .429 6% Miami 4 10 .286 8% Central Division W L Pet GB Detroit 9 5 .643 - *Cleveland 9 7 .563 1 Milwaukee 7 6 .538 1% Indiana 8 8 .500 2 Chicago 3 10 .231 5% WESTERN CONFERENCE Southwest Division W L Pct GB San Antonio 13 3 .813 - Dallas 10 5 .667 2% New Orleans 10 6 .625 3 Houston 9 7 .563 4 . Memphis 5 10 .333 7% Northwest Division W L Pct ,-.. GB eUtah 11 5 .68,!' - Denver 9 6 .6,0 1% Portland 5 10 /<'333 5 'Minnesota 2 11 .154 7 ":eaatte 2 14:"' 1?5 9 i' ' ,- -1/** *" On the A :AVES TODAY'S SPORTS AUTO RACING 9 p.m. (ESPN CLASSIC) NASCAR Nextel Cup -Awards Show. COLLEGE BASKETBALL 7 p.m. (SUN) Stetson at Florida State. 7:30 p.m. (FSNFL) Vermont at Florida. 11 p.m. (FSNFL) Iowa State at Oregon State. NBA BASKETBALL 8 p.m. (ESPN) Boston Celtics at Miami Heat. 9 p.m. (SUN) Orlando Magic at Phoenix Suns. 10:30 p.m. (ESPN) Los Angeles Clippers at Utah Jazz. COLLEGE FOOTBALL 8 p.m. (ESPN2) Fresno State at New Mexico State. GOLF 9:30 a.m. (GOLF) New Zealand Open Second Round. TENNIS 4 p.m. (VERSUS) Davis Cup Final Russia vs. United States. Prep CALENDAR BOYS BASKETBALL 7:30 p.m. South Sumter at Crystal River. 7:30 p.m. West Port at Lecanto. GIRLS BASKETBALL 7:30 p.m. Citrus at North Marion. 7:30 p.m. Crystal River at South Sumter. 7:30 p.m. Lecanto at West Port. BOYS SOCCER 7:30 p.m. West Port at Citrus. 7:30 p.m. Dunnellon at Crystal River. 8 p.m. Lecanto at Belleview. GIRLS SOCCER 5:30 p.m. West Port at Citrus. 7:30 p.m. Crystal River at Dunnellon. 8 p.m. Belleview at Lecanto. Pacific Division W L Pct GB Phoenix 11 4 .733 - L.A. Lakers 8 6 .571 21 Golden State 7 7 .500 3% L.A. Clippers 6 7 .462 4 Sacramento 5 10 .333 6 Wednesday's Games Atlanta 96, Milwaukee 80 Utah 106, Philadelphia 95 Toronto 103, Memphis 91 Detroit 109, Cleveland 74 San Antonio 109, Washington 94 Dallas 109, Minnesota 103 Houston 100, Phoenix 94 Orlando 110, Seattle 94 Indiana 95, Portland 89 Golden State 103, Sacramento 96 Thursday's Games Boston 104, New York 59 Denver at L.A. Lakers, 10:30 p.m. Houston at Golden State, 10:30 p.m. Friday's Games Cleveland at Toronto, 7 p.m. Washington at Philadelphia, 7 p.m. New Orleans at Atlanta, 7:30 p.m. Milwaukee at New York, 7:30 p.m. Boston af Miami, 8 p.m. San Antonio at Minnesota, 8 p.m. Portland at Dallas, 8:30 p.m. Orlando at Phoenix, 9 p.m. Indiana at Seattle, 10:30 p.m. L.A. Lakers at Utah, 10:30 p.m. L.A. Clippers at Denver, 10:30 p.m. Saturday's Games Toronto at Washington, 7 p.m. Philadelphia at New Jersey, 7:30 p.m. Minnesota at Memphis, 8 p.m. Dallas at New Orleans, 8 p.m. Detroit at Milwaukee, 8:30 p.m. Charlotte at Chicago, 8:30 p.m. Houston at Sacramento, 10 p.m. NHL Standings EASTERN CONFERENCE Atlantic Division W L OT Pts GF GA Philadelphia 14 8 2 30 76 67 N.Y. Rangers 14 9 2 30 57 49 N.Y. Islanders 13 9 1 27 56 61 New Jersey 12 10 2 26 60 61 Pittsburgh 10 11 2 22- 68 69 Northeast Division W L OT Pts GF GA Ottawa 16 6 2 34 78 62 Montreal 13 8- 3 29 73 65 Boston 13 8 2 28 62 57 Toronto 9 11 6 24 77 92 BUffalo 11 11 1 23 67 63 Southeast Division W L OT Pts GF GA Carolina 13 9 3 29 81 75 Florida 12 13 1 25 68 74 Atlanta 11 13 0 22 63 82 Tampa Bay 10 13 2 22 77 79 Washington 8 15 2 18 58 74 WESTERN CONFERENCE Central Division W L OT Pts GF GA Detroit 17 6 2 36 85 61 St. Louis 14 8 0 28 57 49 Chicago 13 9 2 28 71 68 Nashville 12 9 2 26 68 68 Columbus 11 9 4 26 63 60 Northwest Division W L OT Pts GF GA Minnesota 13 9 2 28 64 62 Vancouver 13 9 2 28 66 60 Colorado 13 9 1 27 67 68 Calgary 10 12 3 23 69 76 Edmonton 10 14 1 21 59 78 Pacific Division W L OT Pts GF GA Dallas 13 8 4 30 74 65 San Jose 11 8 4 26 60 52 Anaheim 11 10 4 26 61 70 Phoenix 11 11 0 22 56 64 Los Angeles 10 13 1 21 66 76 Two points for a win, one point for over- time loss or shootout loss. Wednesday's Games St. Louis 4, Buffalo 3 New Jersey 4, Dallas 2 Philadelphia 3, Carolina 1 Florida.2, Washington 1, SO N.Y. Islanders 3, Ottawa 2, SO Minnesota 3, Phoenix 1 Chicago 5, Tampa Bay 1 Colorado 4, Edmonton 2 Los Angeles 3, San Jose 2, SO Today's Games Toronto 4, Atlanta 2 N.Y. Rangers 4, N.Y Islanders 2 Boston 4, Florida 3 Nashville 6, Ottawa 5 Detroit 4, Tampa Bay 2 .Anaheim at Calgary, late Columbus at Vancouver, late Friday's Games Washington at Carolina, 7 p.m. Montreal at New Jersey, 7 p.m. Dallas at Pittsburgh, 7:30 p.m. St. Louis at Minnesota, 8 p.m. Phoenix at Chicago, 8:30 p.m. Anaheim at Edmonton, 9 p.m. )r 30; prr Thursday's Sports Transactions BASEBALL American League NEW YORK YANKEES-Agreed to terms with C Jorge Posada on a four-year contract. OAKLAND ATHLETICS-Claimed 1B Wes Bankston off waivers from the Kansas City Royals. National League COLORADO ROCKIES-Agreed to terms with C Yorvit Torrealba on a two-year contract. LOS ANGELES DODGERS-Agreed to terms with C Rene Rivera and INF Terry Tiffee on minor league contracts. PITTSBURGH PIRATES-Named Jack Bowen national crosschecker. SAN FRANCISCO GIANTS-Named Ron Schueler and Joe Lefebvre senior advisors for player personnel, Ed Creech senior advisor for scouting and Matt Nerland special assistant for scouting. 'V.. AHiHlT.:OrJ NATIONALS-Named Devon White minor league outfield coordi- nator. BASKETBALL National Basketball Association DENVER NUGGETS-Signed C Jelani McCoy from Los Angeles (NBADL). SAN ANTONIO SPURS-Assigned G Darius Washington to Austin (NBADL). FOOTBALL National Football League INDIANAPOLIS COLTS-Signed CB Keiwan Ratliff. Signed CB Darrell Hunter to the practice squad. NEW YORK JETS-Claimed DL Kareem Brown off waivers from New England. HOCKEY National Hockey League MINNESOTA WILD-Assigned G Nolan Schaefer to Houston (AHL). Activated G -Josh Harding from injured reserve. SAN JOSE SHARKS-Assigned LW Tomas Plihal to Worcester (AHL). COLLEGE FRESNO STATE-Named Mike Mayne assistant baseball coach. INDIANA-Announced the resignation of David Jack, assistant volleyball coach. NEBRASKA-Named Tom Osborne interim football coach. NORTH CAROLINA A&T-Reassigned Delores Todd, athletic director, to another position at the school. Named assistant athletic director Wheeler Brown interim athletic director. OUACHITA BAPTIST-Announced the resignation of Erik Forrest, men's and women's soccer coach. PLATTSBURGH-Named John Lynch director of men's and women's track and field and cross country and Ted Santaniello men's and women's assistant track and field coach. ON IS DAY the Saskatchewan Roughriders in the CFL Grey Cup championship. 1979 Sugar Ray Leonard wins the WBC welterweight title with 15th-round knockout of Wilfred Benitez in Las Vegas. 1987 Bo Jackson, also a Kansas City Royals outfielder, rushes for 221 yards to lead the Los Angeles Raiders to a 37-14 rout of the Seattle Seahawks. 1991 San Diego State's Marshall Faulk becomes the first freshman to cap- ture the national rushing and scoring titles after gaining 154 yards on 27 carries in a 39-12 loss to top-ranked Miami. Faulk fin- ished the season with 1,429 yards in only nine games for a 158.7-yard rushing aver- age.. 2006 Kobe Bryant scores 30 of his 52 points in the third quarter to lead Los A. t', QV p,%I ; y 11 2 IC-; *.'<:.wf *.,*-'.: '-*t h1 RTI US OUNTY ( ) HRO E to sw.a *w -- - FRIDAY, NOVEMBER 30, 2007 3B - 0 a - - Available from Commercial News Providers" Nutt ovin' up after payday at Mi p e - - 0 : q W 6; . - w a. - - am - a. a --Go 0 - * - a.~ - - m - - a a a. - m - -aam TENNIS Continued from Page 1B From middle school to age 60 and over, the tournament cov- ers almost every age group. Terri Moore, who is in her second year of organizing the event, was pleased with the amount of younger partici- pants. "The fact that the high school kids get to see each -other before the season is cool," Moore said. "I think (the tournament) brings the tennis community together," Moore added. As the oldest tournament in the county, the Chronicle/Pines experience has grown over the years, but is slightly less popu- lated this year. Although there are over 30 participants, Tahiri lamented what he called "not a very big draw." "The only disappointment is we didn't have more people," Tahiri said. Pati Smith, the director of parks and recreation at Whispering Pines, said the gathering of local tennis play- ers was a positive occurrence. "The tournament is very well-run and very family- friendly," Smith said. "It's one of these communi- ty-type events where, if you have the numbers, that you do it." As far as the venue for the tournament, Moore said that no other place would do. "The setting at Whispering Pines is incredible," Moore said. "The fact that we have local support is great." WE WANT YOUR PHOTOS * Photos need to be in sharp focus. * Photos need to be in proper exposure- neither too light nor too dark. . Include yc.ur name,. addFess cannot be returned without a self-addressed, stamped envelope. * For more information, call Linda Johnson, newsroom coordinator, at 563-5660. - "Cpyrighted Material SSyndicated Content 2 5 1 2 F 1 1 2 0 **- - - - . 0-mm - o a *I ** * - * 4B FRIDAY, NOVEMBER 30, 2007 KnMkasby 46S~f 4ft 4w m 4 4 0 -a-al 4 m a - - 4w A 0 mw-qm q - - 49u -d,- e 0O -~*.. ~ U. "p ~ - r 'iohte9d Mater ial1, "opyrighted ateria' -Syndicated Content qAvailable.fromCommercial News * - _ - 0 =mVm.b ~ m m - - - S a - a - . * * 0 . S704 Providers"- a--- N ._ ._ ***.- SUBMISSION DEADLINES Follow these guidelines to help ensure timely publication of' submitted material. The earlier Chronicle editors receive : submissions, the better chance of notes running more than once. * Community notes: At least o newiek in advance of the P Veterans Notes: 4 pvm. W esda. r- - F Real Estate Digest: 4 p.m. Thursday for publication ' Sunday. * Photos and stories are published as space is available. The Chronicle cannot guarantee placement on color pages. " Submit material at Chronicle offices in Inverness or Cryseli River; by fax at 563-3280: or by e mail to r n e newsdesk@chronicleonline.com. Sd. Buins Dgst 4pm.Wdnsayfo ubiato LUghtniN fall to Red \%"mp Sb-. ---41 0 - a S. - U - * 5 0- a a -a - 0 U ~ S ~- a C - 0 - ~.- - -a a S ~. ~. - a - C - - - ~ a - 40 4- - ~. ~. a - m - 'a -- ~ ~- C S. --a - a ~ -. -- -40 ~. d. 0-wo ~- a- - -a. IET INVOLVED WITH YOUR COMMUNITY ENTER YOUR BOAT OR BE A SPONSOR /-'3d k,, m 0,>- .- "' 4 v ,-7.- '/"-// 4 U ;' .. -e r1., .. ', '7'T 3 WHEN: From 6:00pm until 7:30pm COMMERCIAL PRIZE 18T PLACE TO: Our friends and neighbors NON-COMMERTISING VAL BOATING FROM: The Homosassa Civic Club $350.00 FIRST PRIZE ,,. WHAT: A Christmas Boat Parade $150.00 SECOND PRIZE 2, WHERE: The Homosassa River MAGIC MANATEE GIFT BASKET THIRD PRIZE ..,, WHEN: From 6:00pm until 7:30pm COMMERICAL PRIZE 1ST PLACE WHY: To keep our tradition alive $345.00 ADVERTISING VAULE IN THE HOMOSASSA BEACON & PROGRESSIVE TROPHY QGlvite ypurJ/ 6ds t/f ni7 as pc1ur rmewl The Homosassa Civic Club & Community Businesses P.O. Box 370, Homosassa FL 34487 Email gmcrael@tampabay.rr.com or call Ricky at 352-3025779 for more info :~ F SPORTS CITRUS COUNTY (FL) CHRONICLE - O o. * o - - - - LITRUS LCOUvNY (FL) LfKHRONviLLJ-: x -- - to a hmorrEM- ,ta & *,#A l n a a aQ a a*ea" A, & -i f S - a m --w mm 0 *-mnm 4mw Pats playing much in "0: 4- ^'Copyrighted Material Syndicated Conten sL Available from Commercial New Providers" 4rn fr N41 %4*\9"A a a a0 -wal, mm -a n e 4mm41 ('tka rUr days Dol ph a I FruDAY, NOVEMBER 30, 2007 5B FOOTBALL 'dtth FRIDAY NOVEMBER 30, 2007 CITRUS COUNTY CHRONICLE Is .w. * ~. ~. -p ok 4omoa , ommo om ,am. e, q m mm mOO P M.M M n P o ,a f 4m q mmAmlm .* -,N m 4 .l. *ilcIII,::S I Florida LOTTERIES Here are the winning numbers selected Thursday in the Florida Lottery: CASH 3 5-9-8 PLAY 4 5-1-9-0 FANTASY 5 3-4-12-18-28 WEDNESDAY, NOVEMBER 28 Cash 3:2-9-0 Play 4: 6 7- 5 0 Lotto: 6-23 -35 -36 38 50 6-of-6 No winner 5-of-6 44 $7,048 4-of-6 2,966 $85 3-of-6 62,151 $5.50 Fantasy 5:2 6 34 35 36 5-of-5 3 winners $81,487.01'" 4-of-5 375 $105 3-of-5 10,131 $10.50 TUESDAY, NOVEMBER 27 : Cash 3:1 -9-2 Play 4:5 3 3 0 Fantasy 5: 9 17 22 25 28 5-of-5 3 winners $75,072.59 4-of-5 373 $97 3-of-5 10,770 $9 Mega Money: 15 17 19 37 Mega Ball: 7 4-of-4 MB 1 winner $2 million 4-of-4 4 $6,207 3-of-4 MB 79 $687 3-of-4 1,632 $99 2-of-4 MB 2,590 $44 2-of-4 45,476 $4 INSIDE THE NUMBERS N 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. ,a" I , lAp@MK '"W~ f _ll ... xl "Copyrighted Material Syndicated Content Available from Commercial News Providers" to am qpm 4b - bw I ,m .* -. IP dow4 ...zfe obeftm %P-mwffmlb=am '.- w ,WAW 'AM .--d CIRRUS COUNTY CHRONICLE FRIDAY, NO 'Mickey's Very Merry Special to the Chronicle AKE BUENA VISTA - Disney elves weave yule- tide traditions and Christmas cheer to create a wintry wonderland throughout Walt Disney World Resort during the holiday season. There are special events, sparkling sights and stirring sounds that treat the senses to the spirit of the season in all four Disney parks. One of the most popu- lar attractions is at the Magic Kingdom, where the park closes early on certain nights for Mickey's Very Merry Christmas Party. For a quarter century. Walt Disney World guests have been entertained and mnes- merized by this Christmas Party' offers holiday cheer, favorite rides and hot cocoa time-honored tradition. This season, the party is offered tonight and Dec. 2, 4, 6, 7, 9, 11, 13, 14, 16, 18, 20, 21. Beginning at 7 p.m. (after regular park hours), guests with tickets to Mickey's Very Merry Christmas Party can enjoy the holiday splendor with lively stage shows and favorite holi- day traditions. Festive surprises include an all- new Castle Light Show. Cinderella Castle is adorned with thousands of shimmering white lights, covering the r turrets and towers like a glistening blanket of ice. Guests can also see . Disney characters in holiday garb for meet-and-greets, and enjoy the daz- zling Holiday Wishes Celebrate the Spirit of the Season, a memo- rable fireworks spectacle orchestrat- ed to classic holiday melodies. Mickey's Once Upon a Christmastime Parade celebrates the many festive moods of the holiday season, showcasing a series of holi- day fea- tures original music, as well as both classic and current holiday tunes. Mickey's Very Merry Christmas Party comes with a winter-weather forecast guests can count on a 100 percent chance of show flurries on Main Street, U.S.A, every night And just in case the sight causes a chill, complimentary hot cocoa and cook- ies are served. Many popular Magic Kingdom attractions are open to guests. Admission to the party requires a separate ticket Tickets are $47.95 plus tax for ages 10 and older, and $40.95 plus tax for ages 3 to 9. Note: Many party nights are sold out in advance. To purchase tickets, guests can call (407) W-DISNEY or visit disne.vworld.com/holidays. Elsewhere in the World Epcot presents Holidays Around the World The World Showcase transforms into a splendor of inter- national holiday traditions and story- telling through Dec. 30. Holiday icons who delight children .- around the globe such as France's S Pre Noel and Italy's La Befana - Smake special appearances in their respective countries, while Santa Claus himself pays visits to The' SAmerican Adventure. Guests can see holiday traditions and legends as they are observed around the World, with Hanukah and Kwanzaa customs also showcased. S At nightfall, Mickey Mouse and his Friends host a gala tree-lighting cere- Smony complete with music and stoiytel I i ng, in World Showcase Plaza. The laser, lights and Please see );'(;K/Pi , age 8C a -i adyioruI raimsl r eu it is dL 6000 W. Osceola , + Parkway, Kissimmee. M Take State Road 44 to 1-75 South, merge immediately ~ into left lanes to take south. Exit at 1-4 West (toward Tampa), then take 1-4 Exit 65, Osceola Parkway East. Gaylord Palms is on the right. There may be a $12 fee for parking. U Call (407) 586-4-ICE. A On the net: palms.com/ice ICE! is kept at a frigid 9 degrees. Be sure to dress appropriately; closed-toe shoes and long pants are required. Hooded parkas will be provided inside the exhibit. Cheri Harris ENTERTAIN ME Columnist loves a jolly old Christmas parade Like many non-native Floridians, I moved here from someplace that actually gets cold for the holidays - and I don't mean the kind of cold where I simply swap capris and tennis shoes for shorts and flip-flops, either. At first, I wasn't sure if I could really get in the spirit of the season without my thick holiday sweaters, my heavy coat and with less than a snowball's chance in the Florida sun of having a white Christmas. But it didn't take long to figure out that plucky Floridians know how to make merry no matter how warm the weather. Just look at all the homes lit up by twin- kling lights. And then there are all those amazing holiday parades. Both the Beverly Hills and Crystal River, Christmas parades are tomorrow, and Inverness and Citrus Springs will have their own festive processions next weekend. Going to a holiday parade makes me feel more enthusiastic about this crazy season of shopping, cooking, gift-wrapping, card- writing, party-going, tree-trimming and trying to remember the real reason for the whirlwind of activity Because it's about the closest thing in my recent memory to a Norman Rockwell moment. Standing on the side of the road and waving as the floats, marching bands, elected leaders, squad cars, fire trucks, street rods, tractors, children and animals slowly file past makes me glad to be home for Christmas. In case you want to make your own Florida holiday tradition this weekend: Please see HARRIS/Page 8C -. T:-"': " -. '" g ' . -_ S-..-.:% ,.4 t i I Ice, ICE! Baby Chill out with cool holiday fun CHERYL JACOB cjacob@chronicleonline.com Chronicle Take a "Holiday Road Trip" to walk through an igloo, explore a delicious-looking "candy" house, ride down slip- pery slides and view a life- sized nativity. And get there before it all melts. Gaylord Palms Resort in Kissimmee hosts ICE!, an annual display of winter artistry, all hand-carved from enormous blocks of colored ice imported from Georgia. The fifth year of the display features a taller, longer ice slide for the adventurous, and more details in the nativity scene. From a "warm" area inside the Exhibit Hall level, visitors can view videos about the proj- ect and receive long coats to prepare for the display, kept at 9 degrees to limit melting. According to a news release, Please see ICE/Page 6B ' HOW TO GET THERE 0 f'-mjlnriA Pnime Pacnr+ ic n+ , A , m 'IF 2C FRIDAY, NOVEMBER 30, 2007 resident Ryan Weaver, Fernandian Beach's Cason A&-rmers for Pitching-In's Country at the Canyon CHERI HARRIS charris@chronicIeonline.com Chronicle Fans eager to hear country super- stars Montgomery Gentry and Trace Adkins perform for the Mike Hampton Pitching-In Foundation fundraising concert Saturday will also get to cheer on regional artists Ryan Weaver and Cason. Ryan Weaver A Citrus County native and up- and-coming singer, Weaver believes the opportunity to warm up the crowd before Trace Adkins and Montgomery Gentry take the stage could be a launching pad for his next success story. "We've put a lot of work into it and I'm excited about it," he said. Stationed at Fort Rucker in Alabama, Weaver is currently balancing his blossoming career in country music with his career in the Army. Brent Hall, director of Pitching-In, invited Weaver to perform for Country Rocks the Canyon when he saw Weaver in concert July 6 at the Citrus County Speedway in Inverness and was inimpressed by his talent Weat er. who grew upt in Floral City and graduated from Citrus Hieh School. started honing his skills in 1993 hen i he w\as stationed at Fort Lea\enitoilth in Kansas. He got behind a karaoke micro- phone and Soon learned that he could B ,% e ..! entertain a ',,. cr, d. the crowds have only gotten bigger. Weaver said he performed for about 30,000 people at Fort Rucker for the 2006 Fourth of July Celebration, and he and his band have played for clubs and other events, such as the Cooter Festival, where he regularly draws an audi- ence of about 2,000 people. At the concert Saturday, Weaver will perform popular country cover songs as well as more original songs. "I'm ready to put on a show that the audience deserve and people know me for," Weaver said. He hopes to record a demo of his latest songs in December, though he is still looking for a financial backer able to make that dream happen. To all his fans and supporters, Weaver says, "Hang on tight because the ride is not over yet." Cason When Cason Zylinski isn't on stage, you can probably find her at the beach. The singer/songwriter from Fernandina Beach makes a living playing music at clubs in the Jacksonville area, with a schedule that allows her to surf competitively. "It's a fun life, I'll tell you," she said. Zylinski, who performs simply as "Cason," said she has been serious about music since she was 15 years old, and has been performing profes- sionally for six years. She also stud- led commercial music at a school inl Nashville A Country Rocks the Canyon veter- an, this will be Zylinski's third time to open for the headliners at the Pitching-In fu ndraiser "I'm so excited." she said. '"This is the first .ear where I'm not as scared. I just love the tow n and I love the people down there It's the biggest opportunity I've ever had, even li% ine in Nashville, so it's really exciting " Zylinski will perform with saxo- phonist Jolinn Flood, performing a mix ol'eountly. classichrock and blues .with an emphasis on presentation " Former will bei SO YOU KNKOW On the net: weavercountrycom LOCAL NON-PROFITS WITH CONCERT TICKETS: B. W Boys and Girls Club, Lori Pender, 621-9225 or 341-2507. Citrus Youth Basketball, Ed Buckley. 726-6000 or 422-2367. Crystal river High School Athletic Department, Tony Stukes, 795- 4641, ext. 4.. Crystal River Little League, Tom Salute, 795-6486, ext. 3795 or 302-8824. I Habitat for Humanity, Bonnie Peterson, 563-2744. Mid-Florida Community Services, Linda Graves, 796-8117. Marion County Senior Services, Gail Cross, 620-3501. CONCERT SCHEDULE S 3 p.m. Gates open. 0 4:15 Cason. 5:15 Ryan Weaver. 6:30 Trace Adkins. 8:45 Montgomery Gentry. Concert information Rock Crusher Canyon is at 275 S. Rock Crusher Road, Crystal Rieier Tickets are on sale at Fancy's Pets in Crystal Ri\er. at Wishful Thinking Western World in Ocala and Ga nesville, th rough mas- ter.coin and from some local nonprolf it organizations selling the tickets as a fundraising project Tickets range in price from about $35 to $75. while they last. Some special prices ma. also be available Dan's Clam Stand With two convenient locations in .. .. .. -. Crystal River and Homosassa, Dan's Clam Stand has made it easy to enjoy fresh W "l- A ., seafood any time of the week. Since --., opening fourteen years ago, the restaurant . has earned the distinction for providing '" ample portions of quality prepared seafood : at a reasonable price. The casual ' $4.25 to $19.99. Dan's offering: 10 Extra Large Shrimp with 1 Side $7.9 15 extra large shrimp $1099 * 20 Extra Large Shrimp $12.99 1 lb. Snow Crab with 1 Side $11.9 1 lb.Alaskan King with 1 Side $14.99 Lobster Roll with 1 side $799. The restaurant also features nightly Sundown specials from 3 to 6 pm. Prices range from $6.95 to $7.95 and include seafood entree, choice of regular fries, coleslaw, green beans, or hush puppies,. IVertigiwIng Bring the Whole family and enjoy unlimited bowling, laser light, musi n uni , (Advanced Reserv nations' Susic & fun F rid a y s g.. o ') 9:30 PM -12:30 PM '35 per lane .Whby It..0 l k' Saturday -.rye 7:30 PM 10:00 PM 1351 per lane *'..n.t Ia.la 10:30 PM-1:00 AM -$351perlane j Includes ,- Shoe Rentals! MANATEE 7719 Gulf-To-Lake Hwy,. LANES Sf 19 on Rt. 4, Crystal River 795-4546 TIM Theme Nights I. 2 for I Margarita (,diudngpmiums) Ladies Prink FREE ' F.E Cl$i & Salsa (Wells OIly) -,^ .I ,Si uckee aMiller Llej and 10 wngs 15 :1 Hwy. 19, Crystal River, FL 352-795-3999 Open 7 Days a Week Movie SHORT "The Diving Bell and the Butterfly" Astonishingly beauti- ful and self-consciously so, this drama about the stroke that para- lyzed fash- ionogra- pher, K extreme close-up. PG-13 for nudi- ty, sexual content and some lanl' guage. 112 min. Three stars out'of four. From wire reports NEED A bnrOkIilK? Approval for story ideas" must be granted by the Chroric-le's editors before a reporter is assigned. Call Mike Arnold, manag- ing editor, at 563.5660. Be prepared to leave a message with your name, number and brief de- scription of the story idea. To submit story ideas for feature sections. call 563- 5660 and ask for Cheri Harris. Be prepared to leave a detailed message. HEIDI'S r--** W9,61 eiM kHwY. 41 & 44 W INVERNESS $5.00 OFF Any Two Dinners At Regular Menu Price Must Present Coupon Expires Dec. 14TH, 2C --OPEN 7 DAYS ES 5 LUNCH & DINNER orHE P.S. "YOU'LL NEVER LEAVE HUNGRY" :',", UNGRY THE SCENE CiTRus CouNTY (FL) CHRONICLE I CITRUS COUNTY (FL) CHRONICLE. Theater Neil Simon's "Rumors," 8 p.m. today and Saturday and 2 p.m. Sunday, Playhouse 19, 865 N. Suncoast Blvd., Crystal River. -$17, adults; students, $12. Box office hours from 10 a.m. to 2 p.m. 'Tuesday through Saturday. 563- 1333. . "Children of Eden," 7 p.m., today and Saturday; 2 p.m. Sunday, Marmion Center at St. Leo University, just east of Holy Name Monastery on State Road 52. Admission is free. (352) 588- 8121. 1 Bay Street Players 2007- 2008 season roster is: "Everybody Loves Opal," through Dec. 16; "She Loves Me," Feb. 1 to 24, 2008; "The Miracle Worker," April -;11 to May 4, 2008; "The Sound of Music," July 11 to Aug. 3, 2008. Performances at State Theatre, "109 N. Bay St., Eustis. (352) 257- '.,7777.. "Oedipus Rex," CRHS Players production of the timeless Greek tragedy by Sophocles, 7 p.m. Dec. 6, 7 p.m. Dec. 7, 3 and 7:30 p.m. Dec. 8, Crystal River High Black Box Theatre. $7, $5 in ,advance. 795-4641, ext. 256. 1, Stagecrafters seeks new members with theater talent or who would like to develop their tal- ent. Spring play will have six char- acters including one about 18 years old. Theater talent includes -.et preparation, sound help, direct- ing, prompting and other related .jobs. 382-2631. rhagaman@tampa bay.rr.com. "She Loves Me," through "Dec. 23, Mad Cow Theatre, 105 S. Magnolia Ave., Orlando. $28, adults; $26, students and seniors. (408) 297-8788. madcowtheatre.com. "Radio City Spectacular," FRIDAY, NovE:Mli-i) -30, 2007 3C with the Rockettes, Dec. 6 through 30, Carol Morsani Hall, Tampa Bay Performing Arts Center. $39 to $74. (800) 955-1045. "A Christmas Carol," pre- sented by the Halavan Youth Theatre, 7:30 p.m. Dec. 14 and 15, 2 p.m., Dec. 16, Art Center Theatre, 2644 N. Annapolis Ave., Hernando. $8, adults; $5, stu- dents. 746-7606.. "BLAST!," 5 p.m., Sunday, Jan. 6, at the Phillips Center for the Performing Arts. Tickets are $40, front orchestra, mezzanine; $35, mid-orchestra; $30, rear orchestra; and $25, balcony. (352) 392-2787 or (800) 277-1700. Florida Senior Playwright Competition, for writers older than 50, submission deadline, Feb. 11, 2008. Three winning scripts to be presented at the Hippodrome in Gainesville during the Senior Playwright Festival Weekend, May 9 to 11, 2008. For entry forms and complete guidelines, visit- hipp.org/senior. Jerry Seinfeld. 7 and 9:30 p.m. Feb. 22, 2008, at the Phillips Center for the Performing Arts, Gainesville. Tickets $25 general admission. (352) 392-ARTS (2787) or (800) 277-1700. Music Benefit Variety Show, for Annie Johnson Center, 7 p.m. today historic Dunnellon Depot. $10. 527-6902. Curtis M. Phillips Center for the Performing Arts University Auditorium schedule: Visit the Phillips Center Box Office or call (352) 392-ARTS for tickets. Events, dates, times and programs are subject to change. Gainesville Ballet Theatre presents "The Little Match Girl" - 10 a.m., 11:30 a.m. and 8 p.m. today ; 2:30 p.m. Saturday. "The House of Yes" 8 p.m. today ; 2 and 8 p.rm. Saturday, ; 2 p.m. Sunday. Free tickets distributed at show. The Buzz The King's Singers fi f --is & ^ Special to the Chronicle The King's Singers vocal ensemble will perform an a cappella hol- iday concert at 7:30 p.m. Monday at the Curtis M. Phillips Center for the Performing Arts in Gainesville. Tickets are $20 to $35. Visit the Phillips Center Box Office or call (352) 392-ARTS for tickets. On sale 10 a.m. today: Foo Fighters, 8 p.m. Thursday, Jan. 17, Amway Arena, Orlando. $24 to $44.. Moody Blues, 8 p.m. Thursday, March 27, Ruth Eckerd Hall, Clearwater. $62.50 to $95. Third Day, 7 p.m. Friday, Feb. 29, House of Blues Orlando. $29.50. ZZ Top, 8 p.m. Sunday, Dec. 30, Ruth Eckerd Hall, Clearwater. $59.59 to $69.50. On sale 10 a.m. Saturday: Bruce Springsteen and the E Street Band, 7:30 p.m. Saturday, April 19, Amway Arena, Orlando. $95. Ticketmaster Call Ticketmaster at (407) 839-3900 or online at ticketmaster.com. The Ticketmaster outlet in Citrus County is at FYE in the Crystal River Mall. Floridance 7:30 p.m. Saturday. Danza 7:30 p.m. Wednesday. Danscompany presents "Cinderella" 2 and 8 p.m. Saturday, Dec. 8. Gainesville Community Band presents "Bright Christmas" 2 p.m. Sunday, Dec. 9. Free tickets distributed beginning one hour prior to performance. American Theatre Arts for Youth presents "Babes in Toyland" 10 a.m. Tuesday, Dec. 18. The Ten Tenors, "Holiday" - 7:30 p.m. Thursday, Dec. 20. $20 to $35. Rockabilly U.S. Music Show, music of the '50s and '60s, 7 p.m. Saturday, Dec. 1, at Curtis Peterson Auditorium, Lecanto. Call at 400-4266. Sullivan Family, gospel blue- I grass concert, 7 p.m. Saturday, Dec. 1, Otter Springs RV Resort, 6470 S.W. 80th Ave., Trenton. $7.50. Campground bluegrass jam from 3:30 to 5:30 p.m. (800) 990- 5410, (352) 463-0800. Singing Christmas Tree First Baptist Church of Crystal River. Performances Saturday, Sunday, Wednesday, and Dec. 7 through 9.795-3367. Nature Coast Festival Singers Christmas concerts, 3 p.m. Sunday, St. Mark's Presbyterian Church, 7922 State Road 52, Hudson. (352) 597-2235. Citrus Jazz Society's December jam session, 1:30 p.m. Sunday, Magnolia Ballroom, Plantation Inn and Golf Resort, 9301 W. Fort Island Trail, Crystal River. $7. 795-9936.- jazzsociety.org. "Sounds of the Season," holiday concert by CFCC Chamber Ensembles, 3 p.m. Sunday, Appleton Museum of Art of Central Florida Community College, 4333 E. Silver Springs Blvd., Ocala. $10, adults; $5, stu- dents. (352) 873-5810. Music of the Holiday Season, by the Dunnellon Chorale, 4 p.m. Sunday, Dec. 2 and Dec. 16, Dunnellon Presbyterian Church. Donations accepted. (352) 489-2682 or (352) 489-4026. The Rat Pack with special guest the Dan McMillion Jazz Orchestra, Sunday, Dec. 2, Centre Theatre, Ybor City. 6 p.m., doors open; 7 p.m., showtime. $30 to $35... Bluegrass, gospel and country jam, 7 p.m. each Monday at Village Pines Campground 7 miles north of Inglis on U.S. 19. (352) 447-2777. Citrus County Concert Band rehearsals from 6:30 to 8 p.m. Tuesday in the Lecanto Middle School Band Room. New members welcome. 795-1863. Pinellas Opera League monthly luncheon meeting, Christmas luncheon with special guest opera star Sherill Milnes, 11 a.m. Wednesday, Dec. 5, Dunedin Country Club, 1050 Palm Blvd., Dunedin. $20. RSVP by Sunday. (727) 738-4007. Citrus County Historical Society's Jazz at the Museum series in the 1912 Historic Courthouse in Inverness. $20 per concert. 341-6427. Selected dates: Thursday- . Jan. 4, Mindy Simmons. Doors open at 6:30 p.m.; open mic at 7; opening act, 8; featured performers, 8:30. Unity Church of Citrus County Fellowship Hall, 2628 Woodview Lane, Lecanto. 726-9814.. Please see THE F. lP :/Page 4C DAILY SLun SPECIALS 1859US Hwy. 41 South nverness 352-344-1111 SALADS .f.:,, 5.95 PASTA :, :. ::... 4.00 i,, :,... 6.50so ,:,. . ,,, 4.85 | I' 4" SUBS ,. ,, 4.95 S4.95 4.50 .i 1.- 5.50 ll :l, .: .. 6.95 i .,,. 4.75 fl-I. I ,., 5.50 5.95 ,:. :,ll :T : 4.75 ,, 5.50 8.25: t, ..,.- 4.75 5 " ':.ld , ,I, ..|f.:. 6.50 .J-l,. -,, A,,,T,,,,:,,,5.25 : .... ^ J |f :, i .. 8 .2 5 J -, ,4:, ,.: ,< ..,t .7 5 " 5 .9 5 I l. .:J , B,... ,, I .,.- ., 4.95 6.95 PLATTERS 6'.. :,-,. ,- 5.50 "l" 6.95 ',fl r,,,,7,,,, 6.50 i,-,,. ,, ..- ,.-r ',,,,l I.) ,; 6.95 - ... .. 6.506.95 ,,- ,, ,,,T 5.9 5 .. I I NEW OWNERS NEW MANAGEMENT Wednesday Night Open .Ian w,' Dim Applz Band Line Dancing with Terri 7-9pm Begiinei ad anced LADIES DRINK FREE 9pmn-12am Friday & Sa urday Night Jimm n Sparks Band Open 6pm-2am 715 SE. Hwy 19 Crystal River Plaza 795-9912 Catering Available , 7 days a week for all youi l holiday occasions at affordable price.! ! 7.i ls9 All Dav Specials $J109 Tes.-Sat. Buy One Get One Half Off $795 3-pm with ad Dine In Onlyl i.p. Catering Private Parties OPEN Gift Cards Available Tues. Sat., 3-9pm 564-2030 773 Hwy 44, Crystal River American Town Center Over 300 Slot Machines! Blackjack Let It Ride Roulette 3 Card Poker 5K! S $5.0iNSLOTTOKENSFIREE (WHDIYOUPURCMASE$10.00l SLOTTOMENS) FREE PARKING OR A FREE $10.00 FREE FOOD AND TABLE MATCH PLAY! DRINKS WHILE *CouponReq GAMIBUNG! Limit one (1) coupon per customer per cruise! Casino reserves the right to cancel, change, or revise this or any promotion t any time without notice. YOU'LL LOVE OUR FOOD... T. ....Guaranteedl OR IT'S FREE!! AFTER CHURCH SPECIALS S n n- EVERY I 99 SUNDAY 7 W/FREE DESSERT The Frank-e's Grill Difference The Frankie's Grill Difference * Free Anniversary Club * Free Birthday Club * Signature weekly specials * 54 seat banquet facility * Beautiful outdoor patio I:'ST Bf5 G0it Bar Pati Call or Stop by Today! .. Hwy. 41 in Inverness, Just North of KMart To Go!! 344-4545 T . Ii I / r a , i "ll THE SCENE :; -1 4C FinD ~, NO\'IMIAI H 30, 2007 THE SCENE Cimus COUNTY (FL) CHRONICLE THE BUZZ Continued from Page 3C Silver Springs holiday con- certs: *2 p.m. Dec. 8: Lorrie Morgan *2 p.m. Dec. 15: Crystal Gale. Free to in-park guests and passholders. Regular daily admis- sion $33.99 for adults, $30.99 for seniors (55 or older), $24.99 for children (age 3 to 10), age 2 and younger free. Admission after 4:30 p.m. will be $12.99 for adults and $8.99 for children (age 3 to 10). (352) 236-2121.. "Cocoa, Cookies, and Carols," 3 p.m. Sunday, Dec. 9, St. John's Lutheran Church, on Lake Weir in Summerfield. $7, adults, $3, children. 637-5162. 7:30 p.m. Friday, Dec. 14, First Presbyterian Church of Inverness, 206 Washington Ave. $10; children 12 and younger free. 628-6452. Hernando Jazz Society Christmas Celebration, 1:30 to 4:30 p.m. Sunday Dec. 9, at the SNPJ Hall, 13383 County Line Road, 3 miles East of Mariner Blvd. Members, free; Nonmembers, $7. (352) 666-4842 The Ten Tenors, Dec. 11 to 16, Mahaffey Center, St. Petersburg. $25 to $65. (727) 892- 5767. broadwayacrossamerica.com. Sugarmill Chorale Christmas Concert, 3 pm, Saturday, Dec. 15 at Curtis Peterson Auditorium in Lecanto. ,$8 in advance, $10 at the door. Doors open at 2:15 for ticket hold- ers. For advance tickets, call 382- 5865 or visit your local Chamber of Commerce office.. State Symphony of Mexico, 7 p.m. Sunday, Jan. 20, 2008,). March 26: Ruth Eckerd Hall Portals to the Arts (Celebrating 25 Years). April 30: Giacoma Puccini: 'At night' Special to the Chronicle "At Night" by Deidre Scherer. An exhibition of Vermont artist Deidre Scherer's fine art fabric and thread series, "Surrounded by Family and Friends" and "The Last Year' will be on display through Feb. 3, 2008, at the Appleton Museum of Art, 4333 E. Silver Springs Blvd., Ocala. Admission is $6 for adults, $4 for seniors and $3 for children age 10 to 17. Museum hours are 10 a.m. to 5 p.m. Tuesday through Saturday and noon to 5 p.m. Sunday. For information, call (352) 291-4455, ext. 1835, or visit appletonmuseum.org. 150 Years of Eternal Melodies, with live singers. E "Doo-Wop for Take Stock," a Take Stock in Children of Citrus County scholarship fundraiser, 7 p.m. Friday, Feb. 8; 2008, Curtis Peterson Auditorium, Lecanto. $25. 746-6721, ext. 6148. Museums Coastal Heritage Museum announces new hours: 10 a.m. to 2 p.m. Tuesday through Saturday, 532 Citrus Ave., Crystal River. 795-1755. Country Christmas Open House, 10 a.m. to 4 p.m. Saturday, Dec. 15, Pioneer Florida Museum & Village, 15602 Pioneer Museum Road, Dade City. Santa Claus will arrive around 11 a.m. (352) 567- 0262. pioneerfloridamuseum.org. "Diana, Princess of Wales: Dresses for a Cause" Exhibit, through Dec. 30, at the Appleton Museum of Art of Central Florida Community College, seven miles east of 1, sen- iors/military $8, students $6, chil- dren 6 and younger free. (727) 341-7901. floridamuseum.org. "Megalodon: Largest Shark that Ever Lived," special exhibi- tion about prehistoric sharks con- tinues through Jan. 6,. appletonmuseum.org. The Orange County Regional History Center announces 2007-08 season of lim- ited-run exhibitions.... museum.org. "The Ceramics of Toshiko Takaezu: Function, Form and Surface," through Jan. 20, 2008,. Harn Museum of Art, Gainesville. (352) 392-9826.., "Grandma Moses: Grandmother to the Nation," / exhibition including 25 paintings of" the celebrated folk artist's work, Jan. 26 to April 13, 2008, in the Ulla R. and Arthur F. Searing Wing, John and Mable Ringling Museum of Art, Sarasota. $19, - adults; $16, seniors 65 and older.'" (941) 358-3180.. " Arts & Crafts "Best of the Season" exhibit the Webber Center, Ocala Campus of CFCC, 3001. S.W. College Road, Ocala. Regular gallery hours 11 a.m. to 5 p.m. / Tuesday through Friday; 10 a.m. - to 2 p.m. Saturday. Free. (352) 873-5809. wwwoGoCFCC.com. : Nature Coast Decorative Artists meets 9 a.m. the first Saturday monthly, Weeki Wachee Senior Center, 3357 Susan Drive, (off U.S. 19 and Toucan Trail), ^ Spring Hill. 249-9122. Nature Coast Carving Club's' 10th Annual Woodcarving Showy Please see THE BUZZ/Page 56 Hot Meal Daily Features o n *ly95 Mon.- Spaghetti & Meatballs Tues. Marinated BBQ 1/4 Chicken Wed. Baked Ziti Thurs. BBQ Ribs Fri.. Fish Friday Sat. & Sun.- 48 HR Slow Roasted Hand Carved Roast Beef (Above served with sides) EVERYDAY Spanish Pork w/yellow rice & black beans ASK ABOUT OUR HOLIDAY FEAST Breakfast Specials Homemade & POPZ PARTY PLATTERS Pancakes, Waffles & Omelets Premium Party Platters To Fit Any Occasion! Order Your Holiday Pies! $25 min. order (352) 795-0862 Local Delivery Available Fax (352) 795-3969 Eat In or Take Out popzdeli @yahoo.com DELI & BAKERY "Where the South Meets the North" ( Serving Breakfast, Lunch Mon.-Fri. 7am-4pm Sat. & Sun. 9am-3pm SUB -GYOS. ROISSRIECHIKEN- SLADBAR- FESHBAKD GOD CITRus CouNTY (FL) CHRoNicLE THE SCENE 4C Fimvx, Noviwiwiz 30, 2007 CITRUS COUNTY (FL) CHRONICLE THE BUZZ Continued from Page 4C 9 a.m. to 3 p.m. Saturday, at the Citrus County Auditorium (Citrus County Fairgrounds/Airport), U.S. 41 South, Inverness. $2. Needlework Fun Groups, 2 to 4 p.m., first and third Saturday monthly, Wildwood Public Library, 310 S. Palmer Drive, Wildwood. (352) 748-1158. els34785@yahoo. com. Indoor Craft Festival, 10 a.m. to 6 p.m. Saturday and 10 a.m. to 5 p.m. Sunday, Stephen C. O'Connell Center, Gainesville. $3. (352) 392-5500. oconnellcenter.ufl.edu/craftfestival. Art Center Camera Club, meets 6:30 p.m. Monday, The Art Center Art & Education building, 2644 N. Annapolis Ave., Hernando. 527-3958.). Bob Ross Oil Painting work- shops, featuring winter scenes, 10 a.m. to 2 p.m., Dec. 6, 11 and 15, Building L2, Room 103, CFCC, 3800 S. Lecanto Highway, Lecanto. $50 including materials. (352) 249- 1210. CFCCtraining.com. Spring Hill Art League annual Christmas party, noon to 3 p.m. Friday, Dec. 7, at the rT~TT2 ~ FRIDAY, NOVEMBER 30, 2007 5C Wellington Clubhouse. $15. (352) 666-0876 or (352) 688-6349.. Gulfport's Art Walk, includ- ing live entertainment, 6 to 10 p.m., Friday, Dec. 7, along Beach Boulevard. (727) 322-5217. Manatee Haven Decorative Artists, a chapter of the National Society of Decorative Painters, meet second Saturday monthly, 8089 W. Pine Bluff St., Crystal River. 563-6349, (352) 861-8567. Citrus Watercolor Club meeting, 1 p.m. second Friday monthly, United Methodist Church in Inverness on County Road 581. $5. 382-8973 or 622-9352. Classes at Whispering Pines Park, Inverness. 726-3913..*. The 33rd Annual Blue Parrot Art and Craft Show, 9:30 a.m. to 4 p.m. Friday, Jan. 18, 2008, and 9:30 to 3 p.m. Saturday, Jan. 19, 2008, Blue Parrot RV Resort, located about one mile north of Lady Lake off 441/27 on County Road 25. Free. The 33rd International Miniature Art Show, sponsored by the Miniature Art Society of Florida, Jan. 20 to Feb. 10, 2008, Gulf Coast Museum of Art, Largo. Here comes Santa Special to the Chronicle Santa Over the Rainbow will return to Rainbow Springs State Park in Dunnellon on selected dates from Dec. 7 to 27. Santa will arrive by pontoon boat at 7 p.m., Dec. 7. For information, call (352) 465- 8555. Dec. 7, party with Santa. Music by The Shade Tree Pickers; Dec. 8, George Koper and Kelly's Music; Dec. 9, The Paul Marker Trio; Dec. 14, Al King and the Wind Synthesizer; Dec. 15, Hearts to Hands Deaf Choir with Jeri Loy; Dec. 16 Sue Koppler and Mary Mahoney; and Dec. 21, 22, 26 and 27, Lights only. (727) 518-6833. miniature-art.com. Special Interest Ocala/Marion County Christmas Parade, 5:30 p.m. Saturday. Applications available. (352) 595-2446. hammcubs@aol.com. The Hernando Sportsman's Club is sponsoring its winter Gun and Knife Show from 9 a.m. to 5 p.m. Saturday, and from 9 a.m. to 4 p.m. Sunday at the Hernando County Fairgrounds. Admission is $6 with children 16 and younger admitted free with adult. Call (352) 799-3605. Night of Lights, 6 p.m. to 8:30 p.m., Dec. 7 through 13, Fort Cooper State Park, 3100 Old Floral City Road, Inverness. Admission donation: non-perish- able foods or new, unwrapped toys for Citrus United Basket.. Ocala's Christmas presenta- tion "It's Christmas" will be per- formed at 7 p.m. Friday, Dec. 7; at 3 p.m. and 7 p.m. Saturday, Dec. 8; and 3 p.m. Sunday, Dec. 9 at the First Baptist Church of Ocala, 2801 Maricamp Road. Free. Call (352) 629-5683. Florida Orienteering map- reading/hiking event, Saturday, Dec. 8. Five multi-level courses to walk, hike or run at the Kelly Park located off S.R. 435 in N.W. .Orange County. Starting times from 10 a.m. to 1 p.m. Map fee $6 for all groups, plus a park entry fee. (407) 672-7070 or visit. 8th annual Historic Tour of Homes, includes stops at three homes and the Brooksville Woman's Clubhouse for refresh- ments, tour times 1, 2 and 3 p.m., Dec. 9, beginning at Hernando Historical Museum, 601 Museum Court, Brooksville. $12. (352) 796-6026, (352) 848- 7988. Friday Flicks, 7 p.m. third Friday monthly, Unitarian- Universalist Fellowship, 2149 County Road 486, Lecanto. Dec. 14, "Mrs. Henderson Presents." $3 donation. 527-2215. 96th annual St. Olaf Christmas Festival, "Where Peace and Love and Hope Abide," live on the bigscreen, 4 p.m. Sunday, Dec. 20, Citrus Stadium Park Mall 20, 7999 Citrus Park Town Center Mall, Tampa. $20.. Homosassa Springs State Wildlife Park's Celebration of Lights, hosted by the Friends of Homosassa Springs Wildlife Park, Dec. 20 to 24 and 29, Homosassa Springs Wildlife State Park Visitor Center, 4150 S. Suncoast Blvd., Homosassa. Hours are 5:30 to 9 p.m., except Dec. 22, when the park will remain open until 10 a.m. $2, adults; $1, children 3 through 12. Non-perishable food item accept- ed in lieu of cash donation Christmas Eve. 628-5343, ext. 100, 2008, Tampa Theatre, Channelside Theatres and Ybor City.. r THIS WEEKS SPECIALS Nov. 28th -Dec. 4th ~ Your Choice Bacon Wrapped ,- - Filet Mighon 4 95 wit"4 Jumbo Fried Shrimp 1/2 a Rack of Lamb w Th V- ff b i diUi to 4H .,L. * I ) n i ouupui t IImI lllay ue ut u up LU P t4persons . *Cannot be combined with any other coupons. LIVE Live Maine Lobster Entertainment Next Week Fri. & Sat. Nights ~ (call) Karaoke Tuesdays * $1 Drafts Lounge Only f i -i '. . --- -- -- -- ---- I BUY 1 LUNCH I OR DINNER ITEM GET 1 FREE I I Sunday thru Thursday 1 12-8pm only. *Equal or lesser value. Must present coupon before ordering from Bogo Menu. Not valid w/any other I specials. Must purchase 2 beverages. 1 coupon per I couple. Exp. 12/14/07. CRYSTAL RIVER MALL 563-5666 I('tIi iij"r:1:I-1f< *(iij'Je W GOLF RESORT & SPA S9301 Ft. Island Trail., Crystal River, FL. (352) 795-4211 SEAGRASS PUB & GRILL B0 RIB DINNER DD SPECIAL Saturday & Sunday ) 'u- Boat ParkEingu On 'Thel 4S .uassa ,mR iver At421PlMarker #7 10386 Hals River d. wwwsegasuco v M~- W-71 lo[AMOUS BURGER H I & FRIES $4.25 0 TXLARGE SHRIMP^ & FRIES ; p^o SRI _____ ^$7.9 p^w 20 XLARGE SHRIMP & FRIES $12.99 I LB. STONE CRAB i CLAWS Highway 44WHLE, Crystal River 1/4 LB MMAIN3 LOBSTER (WHILE SUPPLIES LAST) $19.95 Homosassa352-628-9588 76Highway 44 Crystal River 352-795-9081 726295 A waterfront dining selection of Prime Rib, Chicken Special or Fresh Fish of the day feature for $19.95 per person. Price includes a spectacular boat tour of the beautiful Homosa~sa Ri r. Fours depart at BBL ... .* ..'A .2:011 & 4:00 p Jii,. Limited Space, .; "A .iIMB W ,tuiAfit i have Reservations. SS All U Can Eat Blue Crabs SMonay 19.95 8..rom uI $7.95 1 darm 29 27 9 IONS WEer'iy BREAKFAST AVAILABLE s5PM- 9PM NOW BEING Steak Night SERVED DAILYIWEEKLY Sat. & Sun. * CHRISTMAS BOAT PARADE 12/8 $1 95 7:00-10:30AM Holiday Buffet Available from 2 5297 S. CHIROKEI WAY 5PM-0IOPM $19." Per Person OLD HOMOSASSA * OPEN CHRISTMAS EVE (32 ) 62S.2'4 Until 8pm...Yardam Lounge o uvM moner sakuI w IAM Open Until 9pm RC _oe sheek ws owl * CLOSED CHRISTMAS DAY New NIh Tvi Omeil * NEW YEAR'S EVE PARTY 12/31 OPEN 7 days a week M1TiI C31 M IM 41M M72M99i 7 ALL U CAN EAT SEAFOOD ALL DAY EVERYDAY only $12.95 Catfish Crab Cake SStuff Crab Clam Strips Fried Fish Fried Shrimp U Peel Shrimp Clam Chowder CRYSTAL RIVER MALL 563-5666 FEuDAY, NOVEMBER 30, 2007 SC THE SCENE I I CITRUS COUNTY (FL) CHRONICLE OC FRIDAY, Novi-,vu IiJR 30, 2007 THE SCENE Big screen 'Beowulf' a blast Available from Commercial News Providers, Ray Winstone, left, appears in a scene from "Beowulf." Live-animated hybrid flick, based on epic novel stars Hopkins, Jolie I haven't gotten around to reading the epic (which is reportedly differ- ent), but the testosterone-soaked cinematic version of "Beowulf" rocked the theater! In medieval Denmark, King Hrothgar's (Anthony Hopkins) realm lays in the : i= clutches of the murderous " troll Grendel and his demonic mother (Angelina Jolie). At any time of merriment, Grendel is sure to crash the party by making morsels out of unlucky humans. After suf- fering devastating losses, Hrothgar decides to summon a hero to be rid of the foul Heathe beast Beowulf (Ray CR Winstone) is the man for the M V job. Hungry for blood and glory, Beowulf immediately lures the monster from his fetid hole. Just like clockwork, Grendel rampages into the trap. Grendel (an oafish, limb-tearing colos- sus) and Beowulf (an agile, back-flipping madman) brawl in the buff Despite the size difference, Beowulf is victorious and his men rejoice too soon. When Grendel limps home and plops his dying carcass into his mother's arms, the she-demon seethes with rage; she butchers Beowulf's comrades in revenge. A distraught Beowulf descends into the hellish cavern to face his rI friends' murderess. Unbelievably, he is seduced by the temptress's uncanny beauty and lofty promises and agrees to give her a child. Later he lies to his peo- ple, professing he killed the "hag" and goes on to become king. After years of glorious rule, Beowulf's "child" turns out to be a dragon that ravages his ,B: kingdom. Gathering any bit of humanity he has left, Beowulf must slay the abomination to save his people. The action of "Beowulf" is non-stop and boasts of some of the craziest clashes I've ever seen. Beowulf scaled *Foster walls, somersaulted and clob- EW bered demons in nothing but IEW his birthday suit Plus, he gut- ted hundred-foot sea mon- sters, and "exploded" through their eye sockets single-handedly The violence is so incredible it's fun! However, the bloodbath is not entirely nonsensical. The tale gets down and dirty with character flaws (like pride and lust), dysfunctional relationships and the immense consequences of bad deeds. It was fascinating to watch the story unfold with shocking revelations along the way The visuals bordered between photo- realism and video game graphics, but overall, there were more pros than cons, The digitized actors had striking resem- blances to the real ones despite a few gaffes (Hrothgar having an old, hairy face but the smooth, muscular arms of a 20-year-old or Queen Wealthow's egg noodle hair). Still, the crisp, wintry scenes were uncannily realistic and had me second-guessing myself. Lastly, the monsters (excluding Grendel) looked spectacular. The one- eyed, gnarly-toothed sea serpents and golden, gremlin-faced dragon were out of this world true eye candy. On the other hand, I wish the creature design- ers made Grendel a bit more brawny than scrawny (it was funny seeing his skeletal arms rip people in half) and much more intimidating he's a comi- cal combination of the Mummy, Frankenstein's monster and Quasimodo. By and large, "Beowulf" is a whip- whirl-insanity thrill ride that will inject a dose of heart-pounding adrenaline through your veins. The action is unre- strained, the plot is gripping, the visuals are novel and the monsters (generally) rule! There are some raunchy sexual remarks, so I'd recommend this film to those with an iron stomach. Otherwise "Beowulf" deserves a solid A+. Rated PG-13 for intense sequences of violence including disturbing images, some sexual material and nudity. : Heather FosAr is a junior at Vanguard High School in Ocala. ICE Continued from Page 1C from blocks of ice taken from the Songhua River" While the details of each sculpture range from beautiful to whimsical, visitors are asked not to touch anything in the dis- play For those who really can't keep their hands off, a "touch wall" at the entrance lets them feel the ice and prove to them- selves it truly is frozen water, not one of the on In addition resort's "B Christmas" include: ICE! Ski door skating iday tradition: northern clin are included "A Christmas Sh roll show, par aerial exhibi Hidden Hunt: Famn some glass or plastic replica. From there, Every year, walk into a large Every year, ingloo with a the attraction Florida-themed welcome sign: becomes more fish wearing earmuffs. immersive. "Every year," said Keith Salwaosky, pub- Keith Salwaosky lic relations public relations manager. manager, "the attraction becomes more tions, from immersive." Instead of simply including a viewing the frozen fantasies, vis- County. itors can climb on them and 0 Visit San walk through them, such as the an opportun ice-pillared gazebo in the special Chri: "Winter Wonderland" section. Santa Claus- "We're virtually guaranteeing e-mail. cold feet" for sweethearts who ICE! ticket want to propose there, Salwosky for children said. adults, depend Moving on to "Frostproof, ticket and d Florida," walk through a giant Discounts ar toy train or take photos at the ets purchi train depot advance In "Candyland" modeled palms.com/i after the popular children's adults age5 board game climb into a huge $16.99 for Mi gingerbread house. "We always or $21.99 fc have problems with people Sunday. wanting to lick the ice," For more Salwosky said. reservations "Penguin Point" is a favorite ICE. To lear place to linger, as it features or "Best of I long ice slides. Another reason guests can for the long coats loaned to visi- palms.com/ic tors is to make it easier for chil- ICE! will dren and adults to use the through Jan- slides, decorated by lines of days, and is dancing penguins. The parkas Exhibit Hal] reduce friction, making for a Palms, whi( smoother ride. Osceola Park At the "North Pole" is Santa, of course, sculpted from colored Its A ice. SMar The finale of the ICE! attrac- F c" tion is a crystal-clear, life-sized nativity- but that's not all there is to see at the resort. Warm up with hot chocolate a after leaving the display, visit 'i the gift shop, then walk over to Mon-Fl the atrium of Gaylord Palms to Sat. vicv dispjs p f"ipodel "raiis,. NOW Opel check out the many Florida- 1914 S. Hwy. themed halls or grab a bite in 352 site restaurants. on to ICE!, the 3est of Florida program will eating: A larger otit- rink offering a hol- n common only in mates. Skate rentals Winter's Night" how: Part rock and rt holiday tale, part tion. Holiday Gnorfie lilies can hunt throughout the Gaylord Palms atriums to spot cleverly hidden gnomes. N "Christmas in Florida: The County Wreath Collection": An exhibition of wreaths deco- rated to reflect Florida's diverse destina- coast to coast, wreath from Citrus nta: Kids can take nity to share their stmas'wishes with - in person, or via ts range from $9.99 up to $24.99 for ending on the type of day of the week. e available for tick- ased online in at ce. Tickets for 55 and older ate onday to Thursday br Friday through e information or , call (407) 586+- n more about ICE! Florida Christmas," visit *e. be open daily . 3, including hoi- accessible on tie l level at Gayldtd ch is at 6000 W kway in Kissimmee. * . ua. Fwfrntw | ri: 9am- 5pm i 9am 3pm n Sunday 12-: 19, Homosassa, PL -795-7665 ; Hours: Tuesday thru Thursdayv 11-9 Friday and Saturday 11-10 Closed Sundays and Mondai s *Call notl for reservations or just stop in! RISTORANTE NOW OPEN ,.ii ,. So ..f l .. ". , ,_ 0 % ,_ ... i ,' /, .....") loin Us For Wine Downs Wednesdays Sangria $1.00 Glass AII House Wines $2.50 Glass Thirst Thursdays Domestic Beer $2.00 RD 727 Deck - o Plelnt, of outdoor seating available LI E jazz \Ved.-Fri. Lunch LIVE jazz Fri. & Sat. Evenings il,1 1 *1 Specializing in - Veal, Chicken, S:- j:,od, & Italian Specialt, Dishe Casual a Fine Dining liA e A I S . STEAK NIGHT N Y Strip $11.95 Serv e ld DmRa Rails I 1 H-l &-rThai Phoon Healthiest & JBest Thai Cuisine in Town ETH I Lunch Special rFREE Sonp & Spritig Roll n,'eich ennee Tuesday-Friday Only Tues.-Sat. 11-3,5-9 Sun. 12-3, 5-8 h. 238 US Hwy 19 King's Bay Plaza 795-1774 .: ~W i#M Dvo-M~i Moh4aY N~ht dioice, of pastas $8.95S LUA.cAeoJu ~a4~ Features LtVE Thuis., fr4 sat. Veett 0 Seafood. dchdcmce-i.Pas,sa Trry our Limpteccable. wine. L ict 570 56 ulo Lake H rysa1211 r . 5705 Guil To Lake Hw>. Crystal River. FL S On Hwy. 491 in the Beverly Hills Plaza i Ai i a s lSUN. 12 NOON. -9 P.M. A lL I l MON. THURS. 11 A.M. 9 P.M. r KESTAUIANr'r FRI &SAT. 11A.M. TO 10P.M. WINE IN QNLY! 746- 770 PB F3SIRM *'^^r^^^TT:^ ISBB^5S5 ^ MBKIBAY Shrimp Parmiglana Stuffed Shells or ManllCtti with side of pasta plus dinner salad & bread .........................$10.95 soup or fresh garden salad ........................................... $8.49 TIUESPAY #2 Grilled Chicken Marinora served over pasta $9.95 Veal ParmigianA All-Vu-n Et Spaghetti $575 with side of pasta, choice of soup or fresh garden salad..$8.49 WEDNESDAY Cheese or Meat Rao ll Large Cheese Pizza Large Antipast. Hot Garlic Rolls (Serves 4)....... $17.95 with meatball; choice of soupor freshgarden salad.........$8.49 Extra pizza toppings (each)................................... $1.25 .# THURSPAY Small Cheese Pizza Baked Lasagna Parmigiana with 1 topping PLUS soup or fresh garden salad ...........$8.49 fresh garden salad & brea .................. .. .......................$7.99 or Med. Cheese Pizza w/1 topping & soup or salad for 2 $12.75 10 oz. Prime Rib. Baked Potato, Salad & Bread ................$11.95 - L,. Cheese Pizza. Large Antipasto. Chicken Cutlet Parmiglana Hot gadic rolls (serves 3-4)............................................... 95 with side ofpasta & egetable, choice of salad or soup $8.49' Extra pizza toppings (Each)....... ............. ............. $1.25 Tuf & Sfib Eye Steak & LbterTal 18.95 BakedZit with Meatball r Steak Shrimp................................... $5.95 plus salad or soup with choice of dressing...... .. $849 1 lb crab legs $11.95 or i2ibseabtegs 2$15.955#r Z or Twin Lobster Tails....................... $22.95 Chlcken rdon ileu All served w/baked potato, salad & bread with side of pasts & veg. choice of soup or fresh garden salad or Catfish $9.95 Stuffed Flnunder w/fries & vegs or side of pasta. SATIUR AY Soup or fresh garden salad ....................... $8.49 Chiken cclaee rc w'sieol pasta tfeshgaen salad&bread. $10.95 #_ I _N DAY Eggplant Parmigina Baked Stuffed Sale w/baked potato, salad & bread $9.49 with side of pasta & vegetable, choice of salad or soup $8.49 10 oz. Rib Ege Stik. baked potato & bread .......... $11.95 All Early Bird Specials Include Soup or Salad, Bread, Coffee, Tea Or Soft Drink everyday LUNCH SPECIALS 6. I-- 6 i " * : Cu'Rus CouNr-i' (FL) Cii RONICLL THE SCENE FRIDAY, NovI~MmEr~ 30, 2007 7C -All techies want for Christmas Editor's Note: This is the firstt of a two-part column. t's that time of year again. We are smack dab in the middle of the holiday sea- son. Don't know what to buy for that tech-head in -- your life? Here are some shopping .. ,ideas to reduce the - stress of the holi- days: - Wii Wii want one! It's already witnessed Mic one holiday rush. Mic 'iBut what will make Weck 'this item popular for TECH I -another season? To 'start, it is the lowest-priced 'next-generation home game console. The core system with a con- -'troller will run about $249 and 'comes packaged with Wii Sports. With its innovative design, a wealth of game titles to choose from as well as a vast 'array of games available for '-the virtual console, you can't go 'wrong. Your best bet to find one of .these babies? Google product search will give you the best prices on some bundles - some of which come with five games and an extra controller - all from the comfort of your home. Pick up a copy of Legend of Zelda: Twilight Princess for the old school gamer, or Resident Evil 4: Wii Edition, for the more serious gamer. iPod Touch All the bells and whistles of the iPhone without the hael phone: Touch screen esser navigation, built-in BYTES wi-fi for wireless access to the iTunes store and an integrated Safari Web browser make this the iPod of choice. Whether you want to listen to music or watch videos, and you can even store photos on it Available in 8- and 16-gigabyte models, I can just about cram my entire music collection on one tiny device! PSP Slim It's lighter than it's predeces- sor, thanks to a retooled disc drive. They even reworked the memory stick slot (although it has always been functional). The Slim boasts faster load times and a video out so you can hook it up to that new 42- inch flat screen; however, the Slim only outputs in progres- sive scan mode so it is not com- patible with most older TVs (it is a portable system, after all). Could an improved built-in WLAN perhaps mean no more dropped signal in the middle of a Madden face-off? Sony touts improved security this time around in an attempt to thwart the home-brew hack- ers. Sony has also doubled the amount of onboard memory, allowing them to upgrade the firmware in the future, .adding extra features as they see fit The PSP Slim is compatible with the whole PSP library. Next time, I will cover a few more products, and hopefully make your shopping a little less stressful. Contact Michael Weckesser, a Chronicle graphics designer, at mweckesser@ chronicleonline.com. Upcoming DVD RELEASES ^fRADlO V PRESENTED BY THE ROTARY CLUBS OF INVERNESS, CRYSTAL RIVER, HOMOSASSA SPRINGS, CENTRAL CITRUS & KINGS BAY Saturday, December 1, 2007, 1:00 pm to 5:00 pm Thousands of dollars in new merchandise and services to be auctioned to the highest bidder...which could be you! SPOTLIGHT ITEMS Bids for Spotlight Items will be accepted throughout the day and finalized between 4:30 and 5:00 pm #1007 Martin Moff Angelo's Carts #1004 Larry Gamble: Wal-Mart #1003 Kathy Thumston: Club Car Golf Cart 52 Inch Projection RCA HOTV Dennis J. Walker MD Value: $6500 (reserve bid $4,000) Value: $900 (reserve bid $500) Cardio Evaluation, Value: $4500 #1002 Neale Brennan: Citrus Chronicle #1006 Steve Martin #1001 lan Shepherd PGA Professional - Media Basket Chronicle Advertising One Week Stay For Two In Brevard, NG 5 lhr Private Golf Lessons Services, Value: $1500 Value: $750 (Conditions Apply) Value: $600 #1008 Diana Kreisle LetsGoToday.net #1011 John & Theresa Hanna: #1409 Stan Solovich 3 Day 2 Night Getaway Hanna Travel, 3 Day 2 Night Getaway 1/4 Page Ad in Citrus County Life Value: $560 Value: $560 Value: $500 #1005 Shane Bryant & Sonny Hunt #1213 Crowley & Company #1304 Dan Lyman Nick Nicholas Ford, Gift Certificate New Logo Or Logo Redesign Moving Day Special Nick Nicholas Ford, Value: $500 Value: $400 Value: $400 #1009 Cheryl & Kevin Giguere - Giguere Travel and the Path Cruise For 2, Value: $398 #1010 Tina: 8 & W Rexall Miniature Orange County Chopper Value: $329 "Arctic Tale" (G) Directed by husband-and-wife team Adam Ravetch and Sarah Robertson, this .charming "wildlife adventure" featuring a walrus and a -polar bear is narrated by Queen Latifah. U,, 0 "Ford at Fox" (Unrated) The studio is releasing 2.4 films plus the new documentary "Becoming John Ford" by Nick Redman. The collection also includes a book with rare photographs from Ford's career, lobby 'card reproductions, production stills and an in-depth :4bok at the director's work. The collection goes for a suggested price of $299.98, but you could get any of three mini-collections, "The Essential John Ford," 'John Ford's American Comedies" and "John Ford's silentnt Epics," at a suggested price of $49.98 if you Jvant only some of the films. Selected films will be released individually for $19.98. S"Ingmar Bergman: Four Masterworks" -(Unrated) Criterion gathers four of the legendary director's films, "The Seventh Seal," "Smiles of a 'Summer Night," "The Virgin Spring" and "Wild PStrawberries," into one set. All come with multiple Extras, including commentaries by various film histori- ans. "MGM Decades Collection" (Various ratings) .,'MGM picks three notable films from the 1950s, '60s, '70s and '80s and packages the DVDs with collectible booklets by Life magazine highlighting historical events from that particular decade along with CDs featuring music of the times. The choices are: 1950s - "12 Angry Men," "Some Like It Hot" and "Guys & Dolls"; 1960s "The Graduate," "Chitty Chitty Bang Bang" and "West Side Story"; 1970s "Fiddler on the Roof," "Carrie" and "Mad Max"; 1980s - "Moonstruck," "When Harry Met Sally" and "The Sure Thing." Each individual film-CD package costs $19.98. "The Nanny Diaries" (PG-13) Scarlett Johansson plays a college grad who stumbles into the job of nanny for an Upper East Side couple. Extras include featurettes and a blooper reel. "Pirates of the Caribbean: At World's End" (PG-13) Johnny Depp, Orlando Bloom, Keira Knightley et al. are back in the third installment of the "Pirates" franchise. There is a treasure chest full of extras, including multiple commentaries" (Depp and director Gore Verbinski on one, the writers on anoth- er, and one that is scene specific and includes sever- al people), assorted featurettes and a blooper reel. "Rocky: The Complete Saga" (Unrated) This has all six of the "Rocky" films in one set but virtually no extras. From wire reports Contest Rules 1. Poster must be on standard poster board, 28"x22" (Any color is acceptable). 2. Use of any medium (paint, crayon, chalk, pastel, etc.) is acceptable, as well as the usage of creative items for Contest Catagories, est O.V;ra,. .. 1 00, ari -,"ver of festival p0fs-tior - K :". Grade 3r1- Grade ,.* 8G 1ad: ,-.2. Grad - S: .1st ..25 1st25 st'25 ; : :- t.25 - :2nd and 3rd place awards 2nd and 3rd place awards 2nd arid 3d d ace awards 2 anid 3rdplae a ----- --, -.... IAge ,, L. - - - _- -- - - - - - - - - - - - - - OVER $27,000 &n goods services #2009 Digital Mammogram,. Katie Myers: Citrus Memorial $281 #2002 5 Custom Embroidered Polo Shirts Gary Bryant: Ink Blot Graphics Inc. $150 #2004.1 Brass Golf Lamp,KathyThumston:HomeStuffMledors-$150 #2005 IPod Nano, James Segovia: Capital City Bank $149 #2006 One Hour Massage, Bernie McPherson: Jan Vidal Therapeutic Massage $120 #2007 AC Tune Up + Candy Bouquet Bay Area AC & McDonald & Barry Retiree Asset Management $104 #2008 $100 Gift Certificate Inverness Olde Towne Judi VanDermark: Inverness Olde Town Assn. $100 #2012 Bell SC Off-Road Helmet, Susan Banden: Citrus Cycle Center $100 #2011 Black Leather Bomber Jacket, Deanna Boyer: Wholesale Leather- $99 #2010 Ducks Unlimited Signed Print, Rocky Hensley $75 #2014 Painting. Jared $75 #2004.2 $50 Gift Certificate, Lorde Castle: Vertical Blinds of Homosassa $50 #2013.2 16" Wine Bottle Box, Karen Hart Karisma Art FX $45 #2013.1 $25 Gift Certificate, Marx Stapleton: Mark'n Deb's Bargain Bin -$25 #1210 20 Custom Imprinted T-Shlrts Gary Bryant: Ink Blot Graphics Inc.- $300 #1200 4 Green Fees Citrus Hills Steve Fischer: Citrus Hills Golf & Country Club $160 #1211 AC Tune Up + Candy Bouquet, Bay Area AC & McDonald & Barry Retiree Asset Management $104 #1201 Therapeutic Massage Dr. Michael Bennett: Suncoast Chiropractic $100 #1202 Manatee Snorkel Tour, Bill Oesrich: Birds Underwater- $100 #1204 Spinal Analysis And Consultation Or. Erik Roach, D.C.: Citrus Injury & Wellness $79 #1203 Ducks Unlimited Signed Print, Rocky Hensley $75 #1206 5 Custom Imprinted T-Shirts Gary Bryant: Ink Blot Graphics Inc. $75 #1208 Full Color Banner. Bill: Sign Jungle $75 #1205 Emergency Water Filter Set Ron Redford: Best Buy Water (Ecowater Systems) $60 #1209 $55 Gift Certificate, Lltle Itay Rest. $55 off $110 seven course dinner for two Alfredo & Donna Call: Little Italy $55 #1207 Giant Staffed Panda Bear, Rocky Hensley $50 #1212.2 Print Of Historic Courthouse, Citrus County Historical Society Inc $45 #1212.1 $30 Gift Certificate Skoors Leroy & Stephanie Rooks: Skoors Produce Market $30 #1212.3 Customized Can Of Candy, Lea M Rodriguez: Candies 4 Christ $30 #1308 Digital Mammogram, Katie Myers: Citrus Memorial $281 #1302 Pallet Of SL Augustine Sod, Jimni iOrlaga Citrus Sod $215 #1301 5 Gal Sherwin Williams Int. Paint Lloyd Myer. MGR Sherwin Wilharnms $200 #1303.3 Foursome 01 Golf At Plantation, Anonymous $150 #1303.2 Golf Lesson With Chris Tallard, Chris Tallard $100 #1303.1 Datrek Golf Bag, Anonymous -$99 #1309 Blod Pressure Monitor, May Tesar Waeens verness -$80 #1310 Spinal Analysis And Consultation Dr. Erik Roach, D.C.: Citrus Injury & Weliness $79 #1300 Oil Change Bob's Car Care, Paul Sacco: Bob's Car Care $50 #1305 $50 Gift Certificate Park Avenue Riva: The Park Avenue of Hair Design $50 #1307 Gift Basket, Floral City Merchants $50 #1311 $50 Gift Certiflcate Graphic Elite Printing Tom & Debbie Rogers: Graphic Elite Printing $50 #1306.1 Entertainment Center, Ruth Anne: Ace Hardware of Inverness $30 #1306.2 Dust Busier, Ruth Anne: Ace Hardware of Inverness $30 #1400 Sylvan Learning Diagnostic Assessment Elizabeth Boyte: Sylvan Learning Center -$195 #1413 Fred Flintstone Bowling Ball W/Bag Paul Harris: Sportsman's Bowl $155 #1403 AC Tune Up + Candy Bouquet, Bay Area AC & McDonad & Barry Retiree Asset Management $104 #1410 Bell Sc Off-Road Helmet, Susan Banden: Citrus Cycle Center -$100 #1401 Gift Basket, Joe Branne: Brannen Banks $100 #1402 Therapeutic Massage Dr. Michael Bennett Suncoast Chiropractic $100 #1405 $100 Gift Certificate Electric Beach Tanning Angela Stanton: Bectric Beach Tanning Co. $100 #1406 $90 Gift Basket, Jim Neal & Donna Smith: First American Title insurance Co & James A Neal Jr PA $90 #1408 Spinal Analysis And Consultation Dr. Erikt Roach, D.C.: Citrus Injury & Wellness $79 #1407 Ducks Unlimited Signed Print, Rocky Hensley $75 #1404.1 $50 Fabulous Flowers Gift Certificate Margaret and Stephanie: Fabulous lowers $50 #1404.2 $40 Gift Certificate Cody's Original Roadhouse Frank Maigne: Cody's Original Roadhouse $40 #1412.2 Retro Six-Pack Fridge Sherry Belllveau & Michael Cosmo: ULiberty Court Reporting $30 #1412.1 Oil Change Tires Plus, Ryan Lehmann: Tires Plus $27 #1411.4 $25 Gift Card, Kris Skliles: Timely Dinners, Inc. $25 #1411.1 Lunch For 2, Floral City Bagels $20 #1411.3 $20 Gill Certificate Havana House Care Frank & Rosine Ruiz: Frank & Rosie's Havana House Cafe $20 #1412.3 $18 Gift Certificate Inverness Car Wash Zana Ennis: Inverness Full Service Car Wash $18 #1411.2 $12 Sweet Potalo Pie, Sylvia Whitten: Sweet Pies/The Brass Frog -$12 #1504 Citromo Harp Auto Harp, Uonel King $225 #1503 RCA Bookshelf Stereo, Lionel King $189 #1513 Halogen Painter's Light, Dual Lights and Tripod Gordon Smith: Next Generation Planning, inc. -$150 #1501 D:Link Wireless Router, Tony Baker: Baker Fnancial- $125 #1511 AC Tune Up + Candy Bouquet Bay Area AC & McDonald & Barry Retiree Asset Management $104 #1500 Canon Pima IP6210D Printer Sue Thomson: Spectrum Computers $100 e #1507 $100 Gift Certiiicate Inverness Olde Twne JudI VanDermark: Inverness Olde Town Assn $100 #1502 Olympus 35mm Camera Luonpn Kim. 89 #1505 Collectable Chevy Tow Truck Anthony Caponegro: Snap:On Tools $85 #1508 Spinal Analysis And Consultation Dr. Erik Roach, O.C.: Citrus Injury & Wellness $79 #1506 Gift Basket, DaIi llh.eiln Belsy r.1,oa/ Country At Home & Vanishing Breeds $64 #1509 Resin Bowl, Garry & Judi Van Dermarkc Towne & Country All WoodFurniture $62 #1510 Cardio Screening, Dianne McDonald-Grabor: Citrus Memorial Women's Heart Program $50 #1514 Candy Boutique Basket, Bit Metzendorf $50 #1512.1 $25 Gift Certificate Cinnamon Sticks Rest. Ron Dillon: Cinnamon Sticks $25 #1512.2 $20 Gift Certificate Inverness Olde Town Cafe Bill Ruls: OldeTown Cafe $20 #1512.3 $20 Gift Certifcate Ice Cream Doctor Donna DeHart Ice Cream Doctor- $20 #1602 Digital Mammogram. Katie Myers Citrus Memorial -$281 #1601 Psychotherapy Counseling Session Pamela Bennett Teloh, LCSW $255 #1600 Juice Extractor, Judge Mark Yerman $150 #1607 One Hour Massage, Bernie McPherson: Jan Vidal Therapeutic Massage $120 #1604 Wig Froetm11any Wigs DornSlusser TilanyWgs -$110 #1606 $100 Gift Certificate Inverness Olde Towne Judi VanDermari Inverness Olde Town Assn $100 #1603 Spinal Analysis And Consultation. Citrus Injury & Wellness $79 #1605 Ducks Unlimited Signed Print, Rocky Hensley $75 #1608 $55 Gift Certificate, Little itlay Rest. $55 off $110 seven course dinner for two AifredoS Pi&on: C lli LIOP. iraly 55 #1609 Woven Wine Basmel. Deo3i h Jonn:, ERA American Realty & Investments $50 #1610 Cardlo Screening ODune M.cDulid Grarr: Cfrus MemoTKral Women Hemjil P'ogrA3rT S50 #1613 Candy Boutique Basket, Loi Villani: Candy Bouquet #4600 $50 #1612.1 $35 Gift Certificate Van Der Valk Rest, Klaas: Van Der Valk Bistro- $35 #1611.1 Oil Change Tires Plus, Ryan Lehmann: Tfires Plus $27 #1611.2 $25 Gift Certicate Mark 'N Deb's Bargain Bin Marx Stapleton: Mark 'n Deb's Bargain Bin $25 #1611.3 $25 Gift Certificate Accents By Grace Grace: Accents by Grace $25 #1612.3 $25 Gift Certificate Deco Cafe, David Kurtl: Deco Cafe -$25 #1612.2 $20 Gift Certificate Bob's Town House Rest Bob & Claudia: Bob's Town House Restaurant $20 #1700 Weekend Harley Rental Warren Hill: Crystal River Harley Davidson $300 #1701 Digital Mammogram, Katie Myers: Citrus Memorial $281 #1703 Psychotherapy, Pamela Bennett Teloh, LCSW $255 #1704 Celebration Basket, Lora L Wilson ESO: Law Office of Lora L Wilson $150 #1705 Gourmet Christmas Candy Bouquel Lort Villani: Candy Bouquet #4600 $125 #1702 $100 Gift Certificate Canadian Meds Charles Richer: Canadian Meds $100 #1708 Gift Basket, Joe Brannen: Brannen Banks $100 #1707.1 $50 Gift Cerdilicate The Flower Basket Jill Agnew: The Flower Basket $50 #1709.1 Wine Basket, Lora L Wilson ESQ: Law Office of lora L Wilson $50 #1709.2 $50 Outback Gift Card, Chris: Outback Restaurant- $50 #1711 Gift Basket, Off The Beaten Path -$50 #1707.2 $25 Gift Certificate Beef '0' Brady's Tamara Berry: Beef 0'Brady's $25 #1710.1 $25 Gilt Certificate Military Outlet Roger Proffer: Military Outlet -$25 #1710.2 $25 Gift Certificate Mark 'N Deb's Bargain Bin Marx Stapleton: Mark 'n Deb's Bargain Bin $25 ENJOY FOOD & DRINK SPECIALS AT OUR REMOTE BIDDING LOCATIONS BEEF '0' BRADY'S 1231 HWY 41 N. INVERNESS, FL (352)344-9464 CODY'S ORIGINAL ROADHOUSE 305 S.E. US 19 N. CRYSTAL RIVER, FL (352)795-7223 VAN DER VALK RESTAURANT 4543 E. WINDMILL DR. INVERNESS, FL (352)637-1140 TO BID CALL 352-795-4919 Tune to 96.3 FM THE FOX OR WYKE TV Channel 16 (Also Channel 47) For more info and to view all of the auction items on-line visit or call Doug Lobel (352) 400-0540 (.,|01 i,,,I i: ; M HELLER&BAC - - - - - - - - - - -- - - - - - - - FiuDAY, Novi-mBLR 30, 2007 7C THE SCENE -CITRUS COUNTY (FL) CIIRONICLL h iE - - - - - - - - - - - - - - - I CITRUS COUNTY (FL) CHRONICLE THE SCENE SC FRIDAY, NOVEMBER 30, 2007 Photos courtesy of Walt Disney World Resort Pooh Bear and friends merrily skip down Main Street, U.S.A., at the Magic Kingdom during the annual "Mickey's Very Merry Christmas Parade" at Walt Disney World Resort in Lake Buena Vista. MICK Continued from Page 1C fireworks spectacular, Illuminations: Reflections of Earth, complete with a holiday finale, caps the celebration. The special holiday fun is included with regular Epcot admission. Sparkling Candlelight Processional at Epcot A highlight of Holidays Around the World treats guests to a grand musical perform- ance featuring a mass choir and a full Festival orchestra accompa- nied by a celebrity Seasons tl narrator who retells the beloved story of Downtow Christmas. As a new highlight, into a t actor Edward James shopper', Olmos will speak pp portions of the Unlike th beloved story in Spanish. parks, | Presentations of Candlelight and entr Processional are daily and are includ- complex ed with regular Epcot admission and rest (seating is limited). Scheduled iS f celebrity narrators include (subject to change): Nov. 29 to Dec. 1: Neil Patrick Harris. Dec. 2 to 4: Dennis Franz. Dec. 5 to 7: Monique Coleman. Dec. 8 to 10: Steven Curtis Chapman. Dec. 11 to 13: Chita Rivera. Dec. 14 to 16: Andie MacDowell. Dec. 17 to 19: Kirk Cameron. Dec. 20 to 22: Edward James Olmos. Dec. 23 to 25: Gary Sinise. Dec. 26 to 28: Rita Moreno. Dec. 29 to 30: Marlee Matlin. Spectacle of Dancing Lights brightens Disney-MGM Studios - The Streets of America backlot again will sparkle brightly as millions of twinkling lights dancing to music illu- minate the area through Jan. 6 during the Osborne Family Spectacle of Dancing Lights. Amid "Florida snow" flurries, the building facades, trees and streets of the Disney-MGM Studios backlot daz-7 zle with three-dimensional antla motion-based displays some origi--' nally created at the Osborne home in! Arkansas by businessman Jennings} Osborne as a holiday display for the delight of his daughter. , From the heart of Harlem, the- world-famous Harlem Gospel Choir. brings some soulful spirit to Disney-, MGM Studios with performances: through Dec. 25. The inspirational: choir presents the finest singers and.' musicians from Harlem's Bladk' Churches with songs I of the ofjoy and peace. The , 12-member group: ransforms will perform ati Theater of the Stars,' fl Disney at Disney-MGM Studios at 5, 6 andt holiday 7:30 p.m. nightly. deligt Holiday cheeirT Sidelight. continues with theft e theme daily Hollywood!, 1 the e Holly-Day Parade parking decked with favorite Disney characters mn y to this their holiday bestS parading dow n` of shops H o 1 1 y w o o ;d? Boulevard. 1' :aurants Disney's AnimalP' Kingdom decked for: 'ee. the holidays' - Celebrate safar-i-' style as Disney's Animal Kingdom fi wilder than ever this winter season. Mickey and his pals rejoice in tradi--' tional holiday music with a world; beat twist during the daily Mickey sl Jingle Jungle Parade, through Janh. 6. i At Camp Minnie-Mickey, guests can meet Disney characters dressed in their holiday best or enjoy carol-I ers performing seasonal classics ati Santa Goofy's Holiday Village. Their village is decorated with Christmas', trees and features live entertainers and holiday photo opportunities. J Festival of the Seasons transformsS Downtown Disney into a holiday shopper's delight. Unlike the theme parks, parkingi and entry to this complex of shops;- and restaurants is free. Holiday-themed d6cor, colorful light displays, plus photo opportuni-4 ties with old St. Nick himself offers yuletide cheer. '-1 HARRIS Continued from Page 1C U The Crystal River Christmas Parade starts at 4 p.m. Saturday. This year, it will follow a different route, begin- ning at Northeast Third Avenue and heading north toward the Crystal River Mall and ending at Northwest Sixth Avenue. Spectators can watch the parade along both sides of U.S. 19 since U.S. 19 will be closed from Turkey Oak to the intersection of U.S. 19 and State Road 44. Through traffic will be detoured onto Turkey Oak. For information, call the Chamber office at 726-2801. The 2007 Beverly Hills Christmas Parade will start at 10 a.m. Saturday. The parade will travel down Beverly Hills Boulevard to the Civic Center. Spectators are welcome any- where along the parade route or around Civic Circle where food and pictures with Santa, for families, will be available. Contact Cheri Harris, Chronicle features editor, at charris@chronicleonline.com or 563-5660, ext 1380. . HoIidayArtt & Crafts Festival . -* --)/ Historic Downtown Inverness Saturday December 8 ' 9 4 p.m. Showcasing a \ariet\ of arts & crafts and handmade items perfect for holiday gift giving- along with food & be\ erage vendors. After the- Christmas parade be sure to get .your free photo, with Santa, provided by Walgreen's. Photos [Womd% 40~1CL -~~~i-C bNc( I I I H Ii Ii' i~\~B~' ~ Ii ii taken from 2 4 pm. For more information call 726-3913 parks @ i nverness-Fl.gov or email This year's Community Events Calendar includes the best month-to-month look at Citrus County's Community and Business Events. GAMja k IEp who~r..,rs.an I n m Also Available Online! Call, Fax or E-mail your 2008 Community Events Information! Fax: 563-3260 Phone: 563-3291 I E-Mail: adsc@chronicleonline.com 1624 N. Meadowcrest Blvd. Crystal River, FL 34429 729296 I ! h S I t r, -- , 7 --,-r u-r kr(ENR N0 'FRIDAY EVENING NOVEMBER 30, 2007 c: Comcast;Citrus B: Bright House D: Comcast,Dunnellon I: Comcast, Inglis c 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 WESH) 19 News (N) NBC News Entertainme Access Deal or No Deal (N) 'PG' Friday Night Lighfs (N) (In Las Vegas "The High News (N) Tonight NBC 19 19 19 653 nt Hollywood E[ 5721 Stereo) '14' [] 5585 Price of Gas" (N) '14, 7787382 Show iWED U BBC World Business The NewsHour With Jim Washington Florida This Week 199189 Bowfire (In Stereo) 'G' 5B 19672 Suze Ornan: Women & PBS B 3 3 News 'G' Rpt. Lehrer 9'3127 Week Money 'G' E 91740 [WU FT BBC News Business The NewsHour With Jim Bill Moyers Journal "Buying the War (In Stereo) 59 Washington NOW (N) Bill Moyers Journal (N) PBS B 5 5 5 5905 Rpt. Lehrer (N) 74276 87740 Week 52419 (In Stereo) c9 43905 (WFLA 8 8 8 8 News (N) NBC News Entertainme Extra (N) Deal or No Deal (N) 'PG' IFriday Night Lights (N) (In Las Vegas "The High News (N) Tonight NBC 8 8 8 8 1943 nt 'PG' cc R 76634 1Stereo) '14' NE 96498 Price of Gas" '14, D,L,V 4842189 Show 0FTV News (N) ABC Wd Jeopardy! Wheel of Movie: *** "The Polar Express" (2004, 20/20 cc 13189 News (N) Nightline *ABC 20 20 20 2 9127 News 'G' B1540 Fortune (N) Fantasy) Voices of Tom Hanks. 9] 27382 3372740 94866914 tS 2 10 10 10 10 News (N) Evening Inside Be a My Night at the Grammys (N) (In Stereo) RE 25924 NUMB3RS "Burn Rate" News (N) Late Show .CBS 10 10 10 10 7769 News Edition 'PG' Millionaire (In Stereo)'PG, L,V c9 3370382 TVT 1 News (N) 9 82856 TMZ (N) The Insider The Next Great American Don't Forget the Lyrics! News (N) c 86059 News (N) TMZ'PG' 'FOX O 13 13 'PG' 9 'PG' 3585 Band 'PG, L' [ 63108 'PG L' c 76672 3449566 cc 6400108 CJB News (N) ABC Wid Entertainme Inside Movie: * "The Polar Express" (2004, 20/20 c9 31127 News (N) Nightline ABC 11 21127 News nt Edition 'PG' Fantasy) Voices of Tom Hanks. cc 12092 4399189 63537437 F 2 2 2 2 Richard and Lindsay Door of Ted In Touch With Dr. Charles Good Life cc 9679672 Live From Liberty 'G' B[ The 700 Club 'PG' [B IND 2 2 2 2 Roberts 'G' 9 1986158 Hope Shuttleswort Stanley 'G'] I 9689059 8343721 WFS News(N) ABCWId Wheel of Jeopardy! Movie: *** "The Polar Express" (2004, 20/20 c 11301 News(N) Nightline ABC 94011 News Fortune (N) 'G' Fantasy) Voices of Tom Hanks. [9 26586 5613276 49135585 WMOR 2 Family Guy Family Guy Frasier'PQ Frasier'PG' Law & Order: Criminal Movie: **v "Loch Ness"(1996, Adventure) Ted Reno 911! Will & Grace IND 12 12 '14, D,S' '14, D,L,S' D'42721 78634 Intent'14' 9 38092 Danson, Joely Richardson. BB 48479 '14'22943 '14' W6TA] Judge Mathis (In Stereo) Every- Seinfeld Movie: ** "Mulholland Dr." (2001) Justin Theroux. David News Seinfeld Sex and the MNT 9 6 6 6 6 'PG' c 6484214 Raymond 'PG, D' Lynch's twist-laden tale of Hollywood. 09 5570301 Channel 'PG' City '14, (WACX 2 Variety 3301 The 700 Club 'PG' B Now Abiding Right Jump Inspiration Mike The Gospel Variety Mark Todd TBN EM 21 21 21 233837 Faith Connection Ministries Today IMurdock'G' Truth'G' 28585 Chironna Coontz'G' G Two and a The King of The Two and a WWE Friday Night SmackDown! (N) (In Stereo) 'PG, The King of According to That '70s That '70s CW M 4 4 4 4 Half Men Queens Simpsons Half Men D,L,V' c 65566 Queens Jim 'PQ Show '14, Show 'PG E 16 16 16 16 TV 20 News Fishin County Florida Florida Patchworks Movie 55769 TV 20 News County FAM 16 16 16 16 Court Naturally Angler Court WO .GX TMZ (N) King of the The The The Next Great American Don't Forget the Lyrics! News (In Stereo) cc Fox Hi Lites Seinfeld 13 13 'PG' O0 Hill 'PG, L' Simpsons Simpsons Band 'PG, L' 9 18634 'PQ, L' 38498 31585 'PG, D' S 15 15 15 15 Noticias 62 Noticiero Yo Amo a Juan Amar sin Limites (N) Destilando Amor (N) La Familia Retro P. Noticias 62 Noticiero UNI 15 15 15 15 (N) 299740 Univisi6n Querend6n (N) 993189 902837 915301 P Luche ILuche (N) 256160 Univisi6n WXP m 17 Amen 'G' Amen 'G' Movie: **' "On the Beach" (2000, Drama) Armand Assante, Rachel Ward, Bryan Brown. Nuclear-war Time Life Paid I 3 1 63127 54479 survivors head for Australia vta submine, (In Stereo '14. D.L V' 505856 Music Prooram AE 54 48 54 54 Cold Case F es'14, V' CS: Miami extreme' CSl: Miami n death IS: iami"Curse ofthe CSI: Miami "High Octane'CSI: Miami darkroomm" cc. J 54 48 54 54 1213189 V'aB 527769 Eminent"'14, S,V' c ICoffin"'14, V' 516653 '14, V c 519740 '14, D,S,V c9 927905 S55 64 55 55 Movie: * "The In-Laws" (2003) Michael Movie: 'A "Mission: Impossible" (1996, Action) Tom Cruise, Movie: ** "Lionheart" (1990) Jean- .Al. 5 6 Douglas, Albert Brooks. 9 962818 Jon Voight, Emmanuelle Bbart. 837585 Claude Van Damme. 5503856 52 35 52 52 The Crocodile Hunter 'G' Tigers of the Emerald Orangutan Orangutan Growing Up... "Black Animal Cops Houston 1Orangutan Orangutan S9186176 Forest'G' 9 9659818 Island 'G' I Island (N) Leopard" 'G' 9671030 'PG' 9 9658189 Island 'G' Island 'G' BRAVO 4 Kathy Griffin: Straight to Movie: ** "Gangs of New York" (2002) Leonardo DiCaprio, Daniel Day-Lewis. A man Movie: ***', "Gangs of New AV 7 Hell 176450 vows vengeance on the gangster who killed his father. cc 109498 York" (2002) 0 829740 ( 27 61 27 27 "So I Married an Axe Scrubs '14' Scrubs '14, Daily Show Colbert Chappelle's Chappelle's Daniel Tosh: Completely Com.- Com.- Murderer" c9 15276 51479 D,S' 70092 Report Serious '14' 53301 Presents Presents I 98 45 98 98 Home Home Home Cyrus, Movie: "Raising Arizona" (1987) Nicolas Home Home Home Home Videos Videos Videos Home Cage. Holly Hunter. (In Stereo) 47740 Videos Videos Videos Videos EW1T 95 65 95 95 Divine Theology- Daily Mass: Our Lady of The World Over 6280905 Worth Living The Holy Defending Reasons Rome The Holy Wisdom 'G' Body the Angels 'G' 6204585I IRosary Life 'G' Hope Reports Land F 29 52 29 29 8 Simple 8 Simple Frosty's Movie: *k** "Harry Potter and the Sorcerer's Stone" (2001) Daniel Radcliffe, Rupert The 700 Club 'PG' c Rules 'PG' Rules 'PG' Wnter Grint. J.K. Rowling's student wizard has his first adventure. cc 403450 121769 S 30 60 30 30 Movie: *** "Peter Pan" (2003, Adventure) Movie: ** "Christmas With the Kranks" (2004) That '70s That'70s Nip/Tuck "Chaz Darling" Jason Isaacs, Jeremy Sumpter. 6296566 Tim Allen, Jamie Lee Curt s. 6291011 Show '14, Show '14, 'MA' 1398566 lHTiV 23 57 23 23 Extreme, If Walls House House Designed to Save My Decorating Fun Shui 'G' House House Get It Sold Parents Homes Could Worth? Hunters 'G' Sell 'G' Bath (N)'G' Cents 'G' 1548030 Hunters 'G' Hunters 'G' 3382856 House .H i 51 25 51 51 Mail Call Our Modern Marvels Modem Marvels 'PG' B Shockwave (N) 'PG' c Human Weapon Modern Marvels 'G' c9 'PG, L' Generation "Camouflage" 'G' 6286189 6295837 6208301 "Passport to Pain" 'PG' 1396108 i 24 38 24 24 Reba 'PG, Reba 'PQ America's Psychic America's Psychic America's Psychic America's Psychic Blood Ties (N) cc 127943 SD' 325363 D,L' 349943 Challenge 'PG' 961112 Challenge 'PG' 961932 Challenge 'PG' 561176- Challenge (N) 311653 fili-k 28 36 28 28 Drake & Drake & Zoey 101 Ned's Movie: "Avatar: Day of Tigre: Tak, Power George George Home |Home Josh 'YT7' Josh 'Y7' 'Y7' 180127 School Black Sun"'Y7, FV Rivera Lopez 'PG' Lopez 'PG' Improvemen Improvemen -*.ii 31 59 31 31 Movie: **t' "Bruce Almighty" (2003) Jim Carrey, Flash Gordon StargateAtlantis "The StargateAtlantis "Miller's Flash Gordon Morgan Freeman. 9 4795108 "Possession" [9 4796837 Seer" 'PQ V" 9 4709301 Crossing" 'PQ V 4779160 "Possession" c[ 9036450 'f3 IE 37 43 37 37 CSI: Crime Scene CSI: Crime Scene CSI: Crime Scene Ultimate Knockouts 4 (In UFC Fight Night (In Stereo) '14' 106566 Investigation 'PG, V Investigation '14, D,S,V Investigation '14, V Stereo) 'PG' 839382 T I- 49 23 49 49 a Friends 'PG' Every- Every- Every- Every- Every- Movie: * A "Kicking & Screaming" (2005, Sex and the Sex and the 23 49 49. 796837 Raymond Raymond Raymond Raymond Raymond Comedy) Will Ferrell, Mike Ditka. 160498 City '14, City '14, ) 53 "Boston Movie: * "Trapped by Boston Movie: * s "Mr. Blandings Builds His Dream Movie: * "Anna Karenina" "Enchant. Blackie" Blackie" (1948) 3177672 House" (1948) Cary Grant. 7846566 (1935) Greta Garbo. B 2039127 April" ) 53 34 53 53 How It's How It's Killer Ants 'PG' c[ 525301 Planet Earth "Caves" Man vs. Wild "Jungle" (N) Man vs. Wild "Sahara" Everest: Beyond the Limit Made 'G' Made 'G' Cave habitats. 'G' 501721 'PQ V' 521585 'PG, V 524672 'PQ, L' 932837 ) 50 46 50 50 Flip That Flip That Fashionably Late With What Not to Wear "Kristin What Not to Wear "Annie" Fashionably Late With What Not to Wear "Annie' House 'G' House 'G' Stacy London 'PG' V." 'PG' 844214 (N) 'PG' c9 824450 Stacy London 'PG' 'PG' cc 244450 48 33 48 48 Law & Order "White Lie" Law & Order "The Sixth Movie: ** "A Beautiful Mind" (2001) Russell Crowe, Ed Movie: *** "A Beautiful Mind" (In Stereo) '14' 554214 Man" '14' 833108 Harris. Prem ere. 91 38997566 1(2001) 9 67149547 A 9 54 9 9 Grand Canyon: Nature's Hidden Yellowstone 'G' Passport to Passport to Mysteries of the Most Haunted Country Derek Acorah's Ghost Great Escape 'PG' cc 7828092 Europe Europe Smithsonian 'PG' c life. 'P, D,V' 7827363 Towns 'PG, D' 5100450 32 75 32 32 I Love Lucy I Love Lucy Andy Griffith Andy Griffith M*A*S*H M*A*S*H M*A*S*H M*A*S*H Movie: *** "Running Scared" (1986) Gregory 'G' c] 'G' 9 'PG' 'PG' 'PG' 'PG' Hines, Billy Crystal. Premiere. 5725112 USA 47 32 47 47 "For Love- Law & Order: Special Law & Order: Special Movie: ** "Sweet Home Alabama" (2002, Romance-Comedy) House "You Don't Want to Game" Victims Unit '14, L' Victims Unit '14'211498 Reese Witherspoon, Josh Lucas. cc 356295 Know" '14, DL' 565189 i i 18 \ 18 18 18 Funniest Funniest JAmerica's Funniest Home Movie: **'A "Dante's Peak"(1997, Action) Pierce WGN News at Nine (N) Scrubs'14' Scrubs'14' Pets Pets IVideos 'PG' 731301 Brosnan. 9 728837 1 730672 582914 1160924 SFRIDAY EVENING NOVEMBER 30, 2007 C: Comcast,Citrus B: Bright House D: Comcast,Dunnellon I: Comcast, Inglis Sc B D I 6:00 6:30 17:00 7:30 8:00 8:30 9:00 9:30 1000 10:30 11:00 11:30 I. i 46 40 46 46 Zack & Cody Zack & Cody Hannah Zack & Cody Hannah Wizards- Movie: **4 "The Lizzie McGuire Movie"(2003, Zack & Cody Hannah Montana 'G' Montana 'G' Place Comedy) Hilary Duff. cc725740 Montana 'G' H I 39 68 39 39 M*A'S*H M*A*S*H Walker, Texas Ranger'14, Walker, Texas Ranger Movie: "A Grandpa for Chnrimas" (2007) Ernest Movie: "A Carol 'PG' 8012295 'PG' 8003547 V0B 9675856 "Fight or Die" '14, V Borgnine, Juliette Goglia. 'PG' cc 9654363 Christmas"'PG' 7302295 REAL Sports With Bryant Inside the NFL (In Stereo) Movie: *c "Big Momma's House 2" Mayweather Mayweather Love- Katie "Flags- Gumbel 'PG'697127 'PG' N 992059 (2006) 9E 5112081 Cholera Morgan :Fathers" A "LastKing- Movie: ** "She's the Man" (2006) Movie: ** "Beverly Hills Cop 11l"(1994, Comedy- Movie: **. "The Fast and the Furious: Tokyo Scot" Amanda Bynes. 8992295 Drama) Eddie Murphy. cc 93997059 Drift"(2006) Lucas Black. cc 7294295 9' if 97 66 97 97 A Shot at Love With Tila Meet or Run's House Run's House Movie: **"Baby Boy" 2001, Drama) Tyrese Gibson, Omar A Shot at Love With Tila Tequila 400653 Delete Gooding, A.J. Johnson. (n Stereo) 996837 Tequila 112011 S 71 Dog Whisperer 'G' Hooked: Monster Fishl'G' Dog Whisperer'G' Dog Whisperer "Tyler, India's Hidden Plague (N) Dog Whisperer 'G' 5069127 2809943 2885363 Cassie & Tori" G'2805127 '14, D,S' 2808214 4139479 S LpE 62 Movie: "The Ambush Movie:*** "DickTracy' (1990) Warren Beatty, Movie: *** "TheSixthSense"(1999, Suspense) Movie: ** "MadCity" Murders"'G' 80904473 Madonna. (In Stereo) 757 5059 Bruce Willis. 9 3869653 (1997) 8755740 C 43 42 43 43 Mad Money 6862160 Kudlow & Company 9 Fast Money High Net Warren Buffett: Billionaire, The B1ig Idea With Donny Mad Money 1653473 S43 4 43 43 8370301 Wrth Going Global Deutsc53 i 40 29 40 40 The Situation Room Lou Dobbs Tonight cc Out in the Open 163585 Lay King Live 'PG' 9 Anderson Cooper 360 'PG' 9 410905 -' w 407653 154837 143721 iCURT 25 55 25 25 World's Wildest Police Cops'PQ ICops'14, V Most Shocking '14, V Forensic Forensic Forensic Forensic North LA Forensics Videos 'PG' c9 6897856 L,V 9984450 9737030 8358189 Files '14' iFiles '14' Files 'PG' Files '14' Mission '14' SF 44 37 44 44 Special Report 9 6940740 The Fox Report With The O'Reilly Factor cc Hannity & Colmes c[ On the Record With Greta The O'Reilly Factor Shepard Smith 5c 4781905 4701769 Van Susteren 9038818 "(M BC 42 41 42 42 Tucker 6953214 Hardball 9 4718059 Countdown With Keith MSNBC: Lockup: Inside 5 Close 5 Thrill Ride Predator Raw: The 0lbermann 4794479 Stateville Calls Unseen Tapes 9034092 EP 33 27 33 33 SportsCenter (Live) cc 747721 NBA NBA Basketball Boston Celtics at Miami Heat. From the NBA Basketball Los Angeles Clippers at Shootaround AmericanAirlines Arena in Miami. (Live) 0 840059 Denver Nuggets. 821924 E PN2p 34 28 34 34 Drive to the New York NFL Live Football Live College Football Fresno State at New Mexico State. (Live) 9c 2577382 SportsCenter (Live) 9c Auto Show 1538653 6342837 5193160 3 FN ie 35 35 BCS Sports Rap College Basketball Vermont at Florida. (Live) 428450 To Be In Focus on BCS Final Score College Basketball: Iowa Breakdown I Announced FSN Breakdown St. at Ore. St. G F 67 Drive, Chip & Putt 6871818 Profiles of a Solheim Cup Highlights Golf Central British Open Highlights Ryder Cup Playing PGA Championship Pro (N) 2902301 (Live) 19878378943 Highlights Lessons Highlights 9853491 S 36 31 36 36 2 Xtreem Red Clay College Basketball Stetson at Florida State. (Live) NBA Basketball Orlando Magic at Phoenix Suns. Magic College SUN| 36 31 3 t Net 52011 83740 (Subject to Blackout) (Live) 8393721 Tonight Kickoff '07 ~0 I U ~ - - m 00 e -- a- 0 SAn S U 4M 401%-do *mo as 0- a -0 .0.- o .0 b--no ab o *mop 40%- 0 4 I 4p* . * p -Im 0* ~ m 4 l b U ~' ~ ,~ ~umm BAA' vYY' S S CAIN- - a -Go- a. 410 q a a --loom 0 ft f -d ----W- ~ -- 41b -099. lb q -.-a a - 41- ~- amft -4-..lb --* op -0 a - * m 41- & 4m mp . % w o- aw - 0mw & 40 0 a 4m 4- m 4D 4w -ma a a q- w- v m slow--a o-mb 0am- do- dom- do-w D a - ~o 0*q 40. - a 401FIM- 1190 om ob401b0aN 404 0 40ft q a 0im - op -wow 40 4b. L qi aa T-vv- * * * * * QbS * * * * Gb- "No 40-0uo 0ao dam 0 ---Nm -MEW qbm- -'00 ft-0bo -obw 4 0a 1 WM- M q-om *ma aM o MW a.-4--q. -am a - -S cable channels with th the convenient chart procedure is describe Should you have ques tem, please contact y The channel lineup for KLiP Interactive cable customers is in the Sunday Viewfinder on [VT - .0- .0. - 0 * S - -e 0 a -~ 'S S he guide channel numbers using printed in the Viewfinder. This ed in your VCR user's manua tions about your VCR Plus+ sy, our VCR manufacturer. page 70. 4l e-ra erial :- Available from Commercial News -_ t-- _ b-a - ~- ~'S - - - -~ 0 - - - 5 a- a-a o. a ~ a a a '~ m's -~ ~. a ~ m ~ - - a. -~ a. a - - '0 - ~ - 0 - 0 0 - - o- - ft* 40D 1 NWS - 4b0 4N'.- - .mw qw--41ow G 0b s P o-k -aa a .=o a a -- a- 0.410- - - d- el. - .- -a 14 41wm 0emdo kmwmam * qWm -4 I- !L 'Copyrighted Mat Syndicated Content- S F LE .-*&h I~4 - S - 0 'a - 0.0 0-. 5 - I n FyuDAY, NovEmBIER 30, 2007 9C EN'rEICFAIINMEN'f RTIC us CouNTY (FL E I * ** - -.40. i"- w llll 0 can 41" SOIL Lv% 0pro CcMICs Cimus COUNTY (FL) CHRoNICUi 10C FRIDAY, NOVEMBER 30, 2007 * * 0- a ** h a . 41"0 m - 0-. 0 -a * - - C - 0 .- 0 - 0 __ - U a Q.- =- ad U - ~ 0 .~ 40 * a a 0 "Copyrighted Material *Aat 1Syndicated Content SAvailable from Commercial News a -1~ -.m a MO r we I. ~1 .0 AL 410 * WU - 4w q m -- -9bM4oilommb - w w4 0 loop,- boo U-. q * a0O 4 S ,--,0r& * -~ 4W71 dF~~Am Opp W9.., * * -C P. C *1m~ ~9y$, ri q U *0t 0 0 a mq **o '& . .dw 040 cav, -" as.m 4w - - 4W wSp .4 * - %MEM. 0 * 0 0 0 0 0 0 @0 *** * **** * ** ftmlft~- 0*arow- 0* * O * * 0 0 0 0* ** * * * * * *0* -,Mm -a - . 4 .0 a. *.e ft - go 40 4w 0 dw 410- 0 a 4ra 4MIA dl I lb v - B 0 0-e .- qw ew- 9 - q-wa A w .~ AU 0~ IW 0 0 00 0 0 CITRus CouNTY (FL) CHRomcix COMICS 4or tr 4 -A, - 40 .: Am 0 0 lpplmlllll ,% I iA4 I oi 4 e"A U'4rzo " CIRus COUNTY (FL) CHRONICLE ad-"k L4T A CFCC Citrus recognizes aspiring leaders Thirty-nine area high school and college students recently received leadership awards for completing the Citrus LEAPS program at Central Florida Community College. The Leadership, Ethics & Public Service program was offered for the first time this fall through 10 workshops on various topics relat- ed to leadership, ethics and public service opportunities. Volunteer workshop facilitators included community leaders from various organizations in Citrus County, as well as CFCC faculty and staff. Award recipients completed five or more of the workshops. Front row, from left, are: Breanna Sweatman, Santia Clinton, Kristie Becerra, Margaret Mitchell and Julia Merrill. Second row, from left, are: Emilie Catucci, Summer Martin, April White, Heather Cogar, Jamese Robinson, Ariel Bullington and Amanda Pulchano. Third row, from left, are: Stephanie Asselin, Ardene Constantine, Jessica Finkle, Gayle Mullins, Ariel Mullins, Leslie Living- ston and Vajiha Farooq. Back row, from left, are: Melinda McCulloch, Rebecca Morse, Cameron Murphy, Albert Donahoo, David Neilson and Dr. Vernon Lawter, CFCC Citrus Campus provost. The program will be offered again during the 2008- 09 academic year. For information, call Lawter at 746-6721, ext. 6109. Special to the Chronicle SYoga class cancelled three days Citrus County Parks and Recreation would like to inform the public that yoga classes at the Citrus Springs Community Center on Tuesday and Thursday evenings with Susan Hammer will be cancelled Dec. 6, 25 and Jan. 1. i3- Yoga meets from, 6:15 to 7:30 S.m. Tuesday and Thursday at the 'Citrus Springs Community Center for $7 per class. Any persons requiring reason- I able accommodation at this or any other program because of a dis- ' ability or physical impairment s should contact the Parks and , Recreation office 72 hours prior to -lhe activity at 527-7677. - Grief workshops for professionals Hooper Funeral Homes & Crematory, with locations in Inverness, Beverly Hills and Homosassa, will host a special workshop for community members and professionals. The workshop,* titled Wisdom Teachings for Bereavement Caregivers: Exploring the Tenets of "Companioning" Versus "Treating," will be offered from 9 to 11:30 a.m. and again from 1 to 3:30 p.m. today at First Baptist Church of Inverness, 550 S. Pleasant Grove Road. The workshop is designed for physicians, nurses, social work- ers, counselors, educators, psy- chologists, hospice personnel, cler- gy, chaplains, lay ministers and other who care for bereaved peo- ple. For more information and to pre- register, call Angela Edwards at Hooper Funeral Homes & Crematory, at 726-2271. Post 225 helps observe Heritage Day The Floral City American Legion _-- ~Community E WS Post 225 will offer a selection of American flags during the Floral City Heritage Day Celebration on Saturday. Also, there will be large "Support Our Troops" lawn signs available, along with a variety of other patriotic items. All donations made for the above items will help finance the annual programs of Post 225. Information regarding those pro- grams will be available at the booth. Members of Post 225 and the Auxiliary Unit will be available all during the day to answer questions and have the proper paperwork available to individuals wishing to join or transfer membership. Take Stock in Children seeks recipes Submit your favorite recipes now for the Take Stock in Children of Citrus County "Recipes For Success" Cookbook appetizers, breads, soups, salads, main dish- es, casseroles and desserts, etc. Be sure to include all recipe ingre- dients, exact measurements, easy to follow cooking or baking instruc- tions. Please proofread your recipes before submitting. Include your first and last name with your recipes) and a contact phone number. You may submit as many , recipes as you like. E-mail recipes to takestockcookbookcitrus @yahoo.com or mail to: Take Stock in Children of Citrus County, P.O. Box 897, Crystal River, FL 34423-0897, attn. Cookbook. The deadline is Saturday All proceeds to benefit student- mentor services. For more informa- tion, call Janet Clymer, program coordinator, or Molly Norman, stu- dent advocate, at 746-6721, ext. 6148 or 6149. A sponsored program of the Withlacoochee Workforce. Development Authority Inc. Club to host resource speaker The New Jersey and Friends Club of Citrus County will host Ginger West of the Family Resource Center at its meeting at 1 p.m. Monday at VFW Post 4252,. State Road 200 in Hernando. The only activity for the month will be the annual Christmas party Dec. 12 at the Rainbow Springs Country Club, Dunnellon. Call Frank Sasse for details at (352). 489-0053. Visit online for informa- tion about these and other activi- ties njclubfl.tri pod.com. Thursday at 10 a.m., the club goes to the Beverly Hills Bowl, County Road 491. All levels of bowlers are welcome. All are invited to come see what we're all about. No residency requirement needed to join. Call Joe Morse at 746-7782.. SkillsUSA chapter seeks vendors The SkillsUSA chapter of the Withlacoochee Technical Institute is seeking vendors to participate in its annual yard sale. The yard sale will be in the front parking lot of WTI from 8 a.m. to 3 p.m. Saturday. The cost is $10 per space. Multiple spaces can be rented. Spaces are limited and are assigned on a first-come, first- served basis. To participate or for more information, call WTI at 726- 2430, ext. 276. Tuesday, Dec. 4, 2007 9:00 AM 4:00 PM YOU PAY $25oo00 Call Lamers Bus Lines For More Information 1.888.315.8687 ext.3 Monday-Friday, 9AM-5PM PICK-UP LOCATIONS & TIMES Service from Crystal River/Inverness Areas MONAY,1UEDAY &THRSAY WINN DIXIE Crystal River Meadowcrest Blvd. and HWY.44 BURGER KING Inverness HWY. 41 and HWY. 44 For group charter information, please call the Seminole Hard Rock Hotel & Casino -rwtbl# inele, 1f7 =10 If you or someone you know has a gan 1 f I .Ozw. f, !<004 NO COME OUT & PLAY. ff' sibling problem, please call 1-888-ADMrrIT-ffIT. H &CASINO) VSatf^ 1-4 at North Orient Road 813.627.ROCK (7625) I SEMINOLEHARDROCK.COM TAMPA Mutbe 1 IS fOer ,to join, 02007 Semiole oHac oed RtIeHotel & CaisrsoAll e toift rewfod CI T R U S C0 U N T Y 1 Main Lobby 1624 Meadowcrest Blvd. Crystal River 100'S OF BOOKS AND GIFTS SChildren's Books *Cookbooks *Best Sellers *Reference Books *Faith-Based Books *Nature Books *Stationery/ Note Cards - 'Photo Albums -Frames *Wedding Books *Books for Women *African-American Collectior *Educational Materials *Toys and Games *Art Projects *Wall Plaques *Garden Items *Baby Items *Decorative Totes *Calculators/Binoculars/Pen" *Spa Products any Holiday Items! U /I 70!F pop Rt i . F^ Books L Are Funi BookFair I 1 Vg ..r l *" cioa~J Customers not willing to contribute to the NIE fund will pay 6% l[s. for their purchases. COMMT.HYTIY I PACKAGE INCLUDES: $3000 FREE PLAY Plus $5 Meal Voucher & Roundtrip Tr-rasportation MCDONALD'S Inverness Croft Rd. and HWY.44 FRiDAY, NOVEMBER 30,200- lic 12C FRIDAY NOVEMBER 30. 2007 COMMUNITY CITRUS COUNTY (FL) CHRONICLE Thanksgiving at the Wildlife Park SUSAN STRAWBRIDGE/Special to the Chronicle Homosassa Springs Wildlife State Park recently gave some of the park's animals treats in pump- kins. The wildlife care staff prepared these special pumpkins with favorite treats for each animal as part of their animal enrichment program. ABOVE: One of the park's river otters enjoys a tasty pumpkin treat. LEFT: Brutus, a black bear, enjoys a pumpkin treat. Advent Hope, Crystal River Today, at 7 p.m. is our weekly prayer and share time. The pro- gram will be the DNA relationship seminar. At 10 a.m. Saturday is the Bible study for all ages. The study for the adults this week is in the Book of Hebrews. At 11:30 is the worship service; the speaker this week is Dennis McKeever, biblical archae- ologist. The fellowship meal will follow the service. McKeever, will give a special presentation about Noah's Ark at 2 p.m. Saturday. McKeever has been to the actual ark site, as well as other biblical areas. -He will also have a specific question-and- answer time after the presentation. Refreshments follow. The Vesper service to end the Sabbath is at 5:30 p.m. Wednesday, from 10 a.m. to noon the vegetarian store will. be open. Youth night is at 6:30. The church is at 428 N.E. Third Ave., Crystal River. For more infor- mation call 563-0202 or 794-0071, or visit online at church.com. Glad Tidings Church, Crystal River Sabbath School begins at 9:15 a.m. Saturday with song, then study. Divine hour follows at 11. Elder Morris will deliver the mes- sage. A vegetarian lunch is provid- ed after the service. Each Thursday at 6 p.m., an ongoing Bible Prophecy Seminar will be in progress. All are invited. The church is at 622 N.E. Second St., Crystal River (next to Burger King). For information, call 628-1743. Seventh-day Adventist Church, Homosassa Pastor Dale Wolfe will speak at the 11 a.m. worship hour at the Homosassa church. The sermon will be "Just in Time." The Sabbath school program starts at 9:30 a.m. with Diana Richards leading. An in-depth study and discussion of "The Crucified Creator" continues the program at10 a.m. We provide classes for young people. We invite you to the Tuesday evening prayer group, which is studying how to become "Prayer Warriors." Discussion group starts at 7 p.m. The church is at 4863 Cardinal St. Seventh-day Adventist Church, Inverness Friday sing-a-long continues from 7 to 8 p.m. at Inverness Seventh-day Adventist Church in Eden Gardens. A baptism by immersion high- lights the 11 a.m. service Saturday. Pastor Hershel Mercer's message will be "The Big One." Sabbath School begins 9:10 a.m. with singing and instruments, with Ellen Taylor as superintendent. Adult Bible study topic is "A Life of Praise." A vegetarian buffet follows the morning services. Vespers with Bob Baker begins at 5:00. After sundown the health food store opens. "Spanish Is for Fun" meets Tuesday at 6 p.m. in the fellowship hall. Wednesday, health food and the community services thrift shop are open from 9 a.m. to noon. After prayer meeting at 6 p.m. (studying Ephesians), the health food store reopens. F~qw w The church is, in Eden Gardens 4.5 miles east of Inverness off State Road 44. Web site is. Call 726-" 9311. Hear the Harrisons at Kids' Time, 97.10 on the Dish Network.". j For more information about this research study, i.iCl- F please call 352-597-8839 (352-59-STUDY) Participation is completely voluntary C). <'u" ch 1 IRBApproved Mildred V. Farmer, MD, 12144 Cortez Blvd. (Route 50) Between US 19 & Mariner Blvd., Brooksville, FL 34613 PROUD SPONSORS OF THE JAZZ CONCERT SERIES * (C,;i i,- ,, i i& ,'-*'"""'-". HELLER&BAC ii-ftiu~~r rtwm lUetrand am~ Holiday Concert with the Suqarmill Chorale December (l f i.1 15 3 p.m. , 1 11 5 .1 ' ctdoors open tor ticKet loiaers a.t ,. iJ) urlis Pelerson @ucilorium .dJuSq. 491, Jecanto wit < Tickets: > Marty Bachthaler $8 in advance S$10 at the door |C0 l bi.l" ._Call 352-382-5865. -006 ^A ^ambi are irof& |i Nativity collections. There will be an auction for a fantastic 4 holiday gift basket. eCliiJNiCLE t1i 5 all leetieMarge Ludke 'kr"at795-5428orMargeLudke'56 V' -'The Invej Saturday, De SSunday, De 1715 F Across from 5y Featuring: Our famous pickles Guava Jelly Cookies Pastries Soup in a Jar Cocoa in a Cone Scones in a Cone Sun visors l, Flip-flops Christmas Ornameni Christmas Centerpic Snowmen Decorated Tee-shinrs ? Canvas Bags Soap Holders SNapkin Holder Greeting Cards Kitchen Towels\ Stocking Stuffe- and much more, alla ,ness Woman's Club 3 presents... ec. 1. ~ 10 a.m. to 3 p.m. ec. 2 ~ 11 a.m. to 3 p.m. orest Dr., Inverness n Whispering Pines Park * / '.. -. ' t rea- nable pnce- it reaonsble pnce, Fourth* fre in al CH]RvONIG Seventh-day ADVENTISTS 12C FRiDAY, NOVFMBER 30, 2007 .i COMMUNITY Cmus CouN7y (FL) CHRoNicLE - d FRIDAY, NOVEMBER 30, 2007 ID CITRUS COUNTY (FL) CHRONICLE I *Home Finder* *Home Finder* *Home Finder* 732006 Citrus Ridge Realty 3521 N. Lecanto Hwy. Beverly Hills, FL 34465 1-888-789-7100 EuR ERAT REALTY - GAIL COOPER Multi-Million Dollar Realtor Cell: (352) 634-4346 OFFICE # (352) 382-1700 1i__ Email: homes4u3@mindspring.com ,ssu- ALL THE HARD WORK ia DONE -- * Beautifully upgraded 3/2/2 pool home IDEAL FAMILY LIVING New AC w/10-year warranty 3/2/2 pool home in Meadowcrest SWell for irrigation Fenced yard for your family SRaised panel cabinets in kitchen Customized w/office or nursery SUpgraded sprinkler system New 13 SeerA/C Circular drive on quiet cul-de-sac Garden tub & shower in Master #309854 $197,500 #316992 $212,000 ;"eeViirtual Tors* S .-esaiihom,.i uo KFIIELR WILLIAMS R E- A L T Y Cornerstone Realty 5400 SW College Rd. Suite 402 Ocala, FL-34474 Toll Free (866) 369-4044 An Independent Member Broker I Myriam Reulen, Realtor (352) 613-2644 THIS WEEKEND OPEN HOUSES SATURDAY AND SUNDAY DECEMBER 1 & 2, 2007 12-4 PM NEW HOMES CANTERBURY LAKE ESTATES 2998 & 3002 N. Stratham Point 3 & 4 -bed, 3-bath & lots of upgrades Directions: From Hwy 41 or Hwy 44 to Hwy 486, to entrance of Canterbury Lake Estates, follow the signs S$324,900 A I r .. r o,ael . iu r , r,,3 : ," ,.I 0 w, .-,i-, 1 r 31010 :re .- .r. l-.l: ..-r, c. i.. l:- Cathl Schenck 352-527-1820 1317439 P'r n-$324,900 en & a..- . on a 1, ,i ,Mngs, nook overlooks the backyard. Den Is being used as a BR. A must see. Cathl Schenck 352-527-1820 #320399 RESLDENilA. 8PECiAi.ii '1 MIllI MILLION P DOLLAR PRODUCER ." ; 527-1820 - 634-0886 juil Ci' ahTli icihi e B Cathi Schenck, ABR* Broker Associate Prudential Florida Showcase Properties IndependenuyOwind&Oprated w Atkinson Construction, Inc. (352) 637-4138 ON YOUR LOT Includes all impact fees. Several Other Plans available www atkinsonconstructioninc.com CSCf'9885 Directions: 44 to Meadowcrest Blvd. Into Pinehur to 6475 Lexington ^ le Lauretta [', Hajik direct 352-422-1210 6475 W. LEXINGTON DR. CRYSTAL RIVER A perfect place to call home. Large split plan, 3 bedrooms, 2 baths, 2 car garage. Separate laundry room. Large eat-in kitchen with new ceramic tile floors, lots of cupboards/counters, new hot water heater, new front storm door, new garage door opener. Nice living area and formal dining for entertaining. Both baths have been updated. New roof will be completed in 2008 per association. MLS #319040 rst Village, right on Lexington on around .- $300p000 463 E. EPSOM, HERNANDO 1555 Directions: From west on 486 left on Annapolis, right on Epsom to end of street. NEW AWARD-WINNING MODEL HOME RUTLAND CONSTRUCTION S.," -.. CO., INC. 8538 E. Gulf to Lake Hwy. Inverness, FL 34450 [ (352) 427-4928 OPENI.6 Sa. Dec- 1 207 Iu., e. 2207 J.W. MORTON 12I REAL ESTATE, INC. - 1645 W. Main St., Inverness, FL 352-726-6668 -mail: cent21@infionline.net 3/2/2 (3102 SQ. FT. UNDER ROOF) This elegant pool home Is situated In a community with clubhouse, tennis courts, dock, boat ramp, exercise room, --- and more. Convenient to both Citrus and -. A Marion Counties. MLS 318394 ... $249,000 Call Tim Donovan @ 220- S....- 0328 or Cheryl Scruggs @ 697-2910 .- 2/2/1 LIKE NEW VILLA a Mintenarce-free. o.ersized garage |riteser itchen caLinels. upnarid icfloong. aill appliances. comm. pool. t ieniniS courts clubhouie hicseshoe piti. boil t' tor.ge Con enclrit t s,- oppirig. -". --'*>j^ ..' .c hurcheu., e rid clhoIi MLS 310t ; $159,000 Call Tim Donoan '220.032S BRING ALL OFFERS 16u9,000 juil LICI U .rc iT. ir.e ir, .er,-.ei Coltu ,. l- C.urr., CijO iris 3 61k. -Z BAn cme ,Ii CI . : ..ien, .,,, lliri ,' i il e c ir e c, 1 .. he .rcI ,r terte ru :.: Lr. e Iune , I, :r ,.I.CLEier C i ,:e ,-se r..,r, rr.. r,.-. Lre it., rt, bar CNeol 17-a26 I,,rou,, r*. 3i Seller i cfleree I i e.m nome v.inry. ML S 31.,. 4 Ask for M.sxlne Hellmers 4 212-1 I J7:. rl.berit, Mir.pi &58,1, 5 THE "MAGNOLIA" MODEL 9333 E. Smoke Tree Place, Inverness, FL * 4/2/2 Masonry Home on 2 Lots * Timberline 30-Year Shingles * Insulated Windows * Tub Walls Ceramic Tile * Fully Landscaped Lot and Sprinkler System * Rear Screen Porch 12x16 * 2.5 Miles to Downtown Inverness NOW $225,000 2247 TOTAL AREA 2007 PARADE OF HOMES AWARD CATEGORY "A" BEST EXTERIOR BEST CONSTRUCTION WON AWARD FOR BEST FRONT ELEVATION 2 CALL TODAY TO EXPERIENCE ,,; g, 5 THE CURB APPEAL ADVANTAGE CUR B E Leureux (352) 637- CURB S -' George E LHeureux (2 8 7 2) I APP E L Broker 2619 East Gulf to Lake Hwy, Inverness, FL SFIEAL.-r 98 VALA 3652 N HONEYLOCUST Completely remodeled Fantastic opportunity for a first Se ime home buyer. This 2 bedroom home, New tile, wood 2 bath 1 car garage might be kitchen cabinets, and new exactly what you are looking for. carpeting. Nothing to do but Don't wait-call today. Community move in. This home is a pool, tennis and club house with miut see Call todav "early due? if deired $129,900 $129,900 594 W. MILKWEED Beautifully maintained Imperia Exective II on a large comer lot ir desirable area of Beverly Hills. Beautifully landscaped wilh many trees including fruit trees. Bay window in living rom, newer windows and metal roof. Open floor plan, large rooms and it f^r'l3ninn pnn p~etr3 ltnr3qg OPEN HOUSE SUN., DEC. 2, 2007 2:00-4:OOPM r 8713 E. GREENOCK DR. INVERNESS WATERFRONT HOME 2BR, 2BA, 2 car detached garage, Corian counters in eat-in kitchen w/breakfast bar, living room w/wood-burning fireplace. MLS #321267 $225,000. SPACIOUS SUGARMILL CONDO 2 Bed, 2 bath, 2nd floor, comer unit, lots of natural light, fresh 'paint, new carpets. Beautiful golf course Views from large ,.. lanai. Country Club has 45 holes of golf, tennis, dining, pools & fitness center! Vacant & ready now for JUST $159,900. Al AMERICAN OER REALY & INVEM (352) 795-3144 800-476-5373 M E DO CR S OPEN HIX~L ~4.- 11~~ I OUSE U I I 2D FRIDAY, NOVEMBER 30, 2007 Classifieds CI..AssIF----C--us IO-N-Y --L-CHRONICL To place an ad, call 563-5966 Classifieds In Print and Online All The Time Fa-5ToFremm D *C=SRestaurant5 General'C4 S pa bMR CITRUS :1 nno 11 hIEnnmpE i I pfrl le Ad(,l C./one L'Hep I=HtTb "Copyrighted Material Syndicated Content Available from Commercial News Providers" '0 .9. LOOKING FOR A LONG TERM RELATIONSHIP, with a slim, trim lady in her 50's, that is a non smoker, no tatoos, no drugs and is Clean and neat. Lets talk. Please call (352)209-7337, Ocala LOOKING FOR A LONG TERM RELATIONSHIP, with a slim, trim lady in her 50's, that is a non smoker, no tatoos, no drugs and is Clean and neat. Lets talk. Placo encal Male, neut., declawed. Free to good home, There will be house checks. (352) 344-2094 (2) 7 yr. Old LAB MIX Brother & Sister, spayed & neutered. Prefer not to separate. 352-341-6295/476-3681 $$CASH WE BUY TODAY Cars, Trucks, Vans rt FREE Removal Metal, Junk Vehicles, No title OK 352-476-4392 Andy Tax Deductible RecelDt S TOP DOLLAR S For Junk Cars m $ (352) 201-1052 $ A $$ CASH PAID $$ Having Code Enforcement problems w/ Junk vehicles in your yard? (352) 860-2545 $$CASH FOR CARS$$ No Title Needed. Gene(352) 302-2781 Black & White Male Cat Must find home, moving. Litter trained. Doesn't claw. (352) 220-6519 BLACK LAB PUP 3-6 mons Female Needs good home w/fence. (443) 452-7163 CAT Siamese, female Free to good home, (352)560-0291 COMMUNITY SERVICE The Path Shelter is available for people who need to serve their community service. (352) 746-9084 Leave Message Free Firewood Seasoned Pine, cut in links. Perfect bonfire. Need Chainsaw (352) 726-3373 FREE KITTENS 8 Wks. Old (352) 476-1652 FREE KITTENS Tail-less, approx. 12 wks. Litter box-trained (352) 344-1401 FREE ORGAN Good Cond. You haul. Hernando United Methodist Church, Mon-Fri. 9-3pm (352) 726-7245 *FREE REMOVAL OF* ATV's, bikes, cars, jet skis mowers, golf carts. We sell ATV parts 628-2084 FREE removal Unwanted Furniture Garage Sale & Household Items Call (352) 476-8949 FREE SPECIAL KITTENS Litter Trained (352) 489-6277 FREE UPRIGHT ANTIQUE PIANO needs refinishing. (352) 563-0202 SIAMESE FEMALE LAP CAT. Must be in 1 pet only home. Owner passed away, needs a new person to love. (352) 563-6343 The Path Shelter will pick up your unwanted vehicle Tax deductible receipt given (352) 746-9084 Three "WONDERFUL CATS" each w/own personal- ity. Spayed and nuetered-Can be sep- arated. Need loving homes please. Deb (352)302-8046 WE PAY CASH FOR JUNK CARS Top $$ paid $$ 352-523-4357 $ $ CASH PAID $ $ Junk Cars, Trucks, Vans No Title OK, Call J.W. 13.52)no n*eAS Lost Keys at Beverly Hills Post Office Please return to Beverly Hills Post Office MEDICAL ALERT BRACELET w/ID # Women's Gold. 11/23 (352) 628-9559 MINI SHARPEI BLK FEMALE REWARD Lost Rainbow Lakes 136th Ter/Dove Rd. area. (352) 489-5166 PIT BULL MIX Female, . brown, lost Beverly Hills area. No collar, black face, wht left frnt paw. "Sandy" (352) 634-1240 AIR FORCE RING Found In Crystal River Mall. Call to Identify. (352)564-8735 SHEPHERD/LAB MIX Female 4-6 yrs. Vic. Spring Run, N. of mall. 10/26. (352) 422-4457 (352) 795-1237 BANKRUPTCY - *Name Change I SChild Support I Wills I We Come To You | 637-4022 *795-5999 L .79.1' WIII' a Adoptable cats and kittens (specializing in Siamese) See our available pets at:- tlons petflnder.com All are tested for Feline Leuk and Aids, Altered, and have age appropriate vaccines. Call 352-476-6832 All donations are tax deductible sat, Dec. U Petco 7223 Coastal Blvd Brooksville 11:00-3:00 Sun. Event Dec. 02 Humane Society of Inverness Booth Howard's Flea Market U.S. Hwy. 19 S Homosassa, FL S(352) 563-5966 Humane Society of Inverness offers Low Cost Spay & Neuter Service Starting at $20, Cat Declawing $60, Teeth Cleaning $75. Call for appt. (352) 726-8801 eee*e. NEED YOUR CHRISTMAS LIGHTS HUNG? a Call James 352-302-0397 OPENING SOON Mobile Lunch Stand Call If you have a desireable location. Monica or Zlatko Kendic (352) 503-6124 or (352) 697-1193 PET SITTING CATS ONLY BEVERLY HILLS AREA (352) 436-4109 or (352) 464-2535 SEASONS GREETINGS WISH YOUR CUSTOMERS, BUSINESS PARTNERS, FAMILY OR FRIENDS HAPPY HOLIDAYS IN THE CLASSIFIED'S, Only $25.00. Your Greeting will run Dec 23rd, 24th & 25th. in the Announcement Section. The Greeting includes 5 lines of text and piece of art. ($5.00 for every additional line over 5) #2 The Classified Department would like to wish everyone a Happy Holiday Season. CALL TODAY (352) 563-5966 Deadline: Wednesday Dec 19th 1:00pm WOMEN'S HEALTH ACTIVITY CLUB Tammi Reneer-Kelly (352)419-4344 rescued pet coam View available pets on our website or call (352) 795-9550 Need help rehoming a pet call us Adoptive homes available for small dogs Reauested donations are tax deductible PET ADOPTIONS 9 S * 4 "Copyrighted Material Syndicated Content * Available from Commercial News Providers" 3 9 40 o 4. MR CITRUS COUNTY REALTY -i ALAN NUSSO 3.9% Listings 3 INVESTORS RESIDENTIAL SALES COMMERCIAL SALES (352) 422-6956 ANUSSO.COM Trace Adkins and Montgomery Gentry Concert tickets avail. great seats. Help a youth organization. 352-613-8165, 527-4224 Red grapefruit, red navels, other citrus. Picked fresh. Floral City (352) 726-1154 One Crypt for Sale in Beverly Hills Memorial Gardens Cemetery. $7,000. (516) 766-1942 A free report of your home's value, living.net -- ---W k ~ostTraffcTo Your Website. Chronicle Website Directory in print S and online. Our search engine will link customers directly to your site. In Print + Online = One Price $51.95 (3 lines of copy for 30 days) Header and Website Address Call Today: (352) 563-5966 I Home Decor/Gifts littlerivertrading post.com Positions Open Must have CDA or Equivalent. Call for Interview Play Care Day Care (352) 746-7737 PARALEGAL/ LEGAL SECRETARY Family Law exp. pref'd. Drop/mail resume. Mllitello & Militello, P.A. 107-B W Main St. Inverness, FL (352) 637-2222 i P .Ir!ffI BRER ESHTC/ SP TAIIN CNA's Avante at Inverness is currently accepting applications for CNA's 3-11 shift Diamond Ridge Health & Rehab is now accepting applications for CNA'S LPN'S & RN'S PRN ALL SHIFTS MDS/LPN PRN Please apply at; Diamond Ridge Health & Rehab 2730 W Marc Knighton Ct Lecanto, FL EOE DIETARY AIDE POSITION AM or PM shifts; Apply at: Cypress Cove Care Center 700 SE 8th Avenue Crystal River, FL 34429 EOE/DFWP EARN AS YOU LEARN CNA Test Prep/CPR Continuing Education 341-2311/Cell 422-3656 EXPERIENCED MDS LPN NURSE Candidate must understand the Long Term Care plan process and enjoy meeting w/familles. This candidate must be computer literate and be able to assess patients. Position requires a reliable positive team player Mail Resume: Att: Laurie Coleman 136 NE 12th Ave. Crystal River, FL 34429 OR FAX RESUME to: (352) 795-5848 L DFWP/EOE FRONT DESK CHIROPRACTIC OFFICE Must have computer skills, excellent people skills, and ability to work In fast paced environment. Looking for dynamic personality, will train skills. Full benefits, excellent pay with bonuses. Email resume: jeffdc@embarq mall.com HOME HEALTH AGENCY SEEKING *RN FT/PT Position PER DIEM Competitive Pay (352) 746-2549 Apply in person @ ADVOCATE HOME HEALTHCARE 2653 N. Lecanto Hwy., Lecanto 34461 SOR FAX RESUME TO: (352) 746-2952 Lic# HHA299991842 LIVE-INS Needed F/T or P/T Must have HHA Cert. or CNA Lic. Call MAXIM @ (352) 683-2885 NURSES Avante at Inverness is currently accepting applications for ALL SHIFTS Avante offers excellent benefits and top of the line wages,. Apply In person at: 304 S. Citrus Ave. Inverness Or fax resume to 352-637-0333 or emall to tcypret@ avantegroup.com NURSE PRACTIONER/ PA Busy Family Practice. (352) 795-2273 Or FAX RESUME TO: (352) 795-2296 RN, LPN, CMA NEEDED ALL STAR * Professional Staffing Services 352-560-6210 RN/LPN 11-7 Shift Looking for Experienced Nurse Leaders to join our Great Teaml We offer excellent benefits: *401 K/Health/Dental/ Vision *Vacation/Sick Time Apply in person ARBOR TRAIL REHAB 611 Turner Camp Rd Inverness, FL EOE RN/LPN CNA/HHA'S Interim Health Care (352) 637-3111: disangleg southernltc.com COME GROW WITH US! i ,: CHAPLAIN FT We are seeking candidates with experience In end of life care and who have an understanding and respect of differing theologies, beliefs and customs. Master's Degree of Divinity or equivalent from college, university or divinity school; good stand- ing in denomination or faith group. Strong communica- tion skills, the knowledge of grief and bereavement, intervention and utilization are required, Excellent benefit package. Apply Today Telephone: 352.527.2020 Fax: 352.527.9366 jthacher@hosplce ofcltruscountv org Hospice of Citrus County P.O. Box 641270 Beverly Hills, FI 34464 hosolceofcltrus dwf/eoe FRONT DESK MANAGER Highly motivated person to work & manage front desk. Front desk hotel experience required. Great benefits. Full-time. Salary comensurate with experience. Apply in person: BEST WESTERN 614 NW Hwy 19, Crystal River EXP'D LINE COOK Apply In person @ INVERNESS Golf & Country Club (352) 726-2583 FRIENDLY, RELIABLE ENERGETIC PERSON 'Required PT for busy Coffee Shop. Reply to Box 1407P, c/o Citrus Chronicle, 1629 N Meadowcrest Blvd. Crys. Rvr, FL 34429 $$ GOT CASH $$ Earn great money by setting appts. for busy local company. Call Steve: 352-628-0187 AC SALES TECH/ EMT Needed. Experience preferred. $60K+ annually + benefits. 352-628-0254 COOL JOBS!! Now Hiring 10 Sharp Guys & Girls, to work in a Rock & Roll blue jeans environment. Travel to LA & NY. We represent fashion, sports and music publications. Earn $500. to $700. per wk Call 1-866-298-0163 INDEPENDENT SALES 2K-5K a wk. In comm. No exp necessary. 352-249-6825 We Are Looking For Agents Are you Looking For A Proven Real Estate Company? ERA AMERICAN (352) 746-3600 AUTO GLASS INSTALLER Wanted Min 5 years exp. Self Starter, good driv- ing record, Own tools 1-866-439-5020 DRIVER F/T Class B (352) 302-3915 NEEDED 2 Laborers To do commercial roofing sheet metal work. Must be willing to work out of town. $9.-$11. hrto start. Must be able to pass drug screening. Contact Steve. (727) 643-7652 TOWER HAND Starting at $9.00/hr Bldg Communication Towers. Travel, Good Pay & Benefits. OT, 352-694-8017 Mon-Fri $$ GOT CASH $$ Earn great money by setting appts, for busy local company. Call Steve: 352-628-0187 AC SALES TECH/ EMT Needed. Experience preferred. $60K+ annually + benefits. 352-628-0254 DELI PERSON Must have experience Day/Night/Weekends A MUST 352-527-9013 POSTAL JOBS $17.33- $27.58/HR, NOW HIRING. for application & free government Job Info. call AMERICAN ASSOC. OF LABOR 1-913-599-8226, 24HRS emp. serve. SATELLITE INSTALLER Company Truck, Overtime + Commission, Paid Vacation. W Ocala office. 352 -860-1888 FUN, FUN, FUN A Job so easy, you won't know it's workI $7/hr. + Commission. (352) 569-5847 Lee TELEMARKETING $7/hr. + Commission. (352) 569-5846 Jen WALLY'S QP EXPERIENCED AUTO DETAILER Apply In Person: 806 NE US HWY 19 Crystal River NOWT HIRING C LOCALLY Large national organization. Avg. Pay $20/hr. Over $55K annually. Including full benefits & OT, paid training, vacation. I i F&r & P/T 1-866-515-1762 rI -= --= -- q= I HAIR SALON FOR ISALE, 3 stations, 6 hair dryers, 2 sham- poo stations, plus ex- tras. Rent on build- ing $525 mo. plus $600 dep. Ready for you to go to work. 121 N. Florida Ave., F Inverness. $10,000. (352) 212-5736 1= ... -=-- 4 1 WANT TO BUY Your Lawn Service Business or Accounts (352) 201-0658 TANNING BUSINESS FOR SALE IN CRYSTAL RIVER $10,000 (352) 257-9173 COMMERCIAL LOANS Prime to Hard Money, Investment REHAB, Private, Lg Equip. loans. ALL 1SiTL BUILDUreIN m-a 25x30x9 (3:12 Pitch) Roof Overhang 2-9x7 garage doors, 2 vents, entry door, 4" concrete slab INSTALLED- $16 495 35x50x12 (2: 12 pitch) 2- 10x10 Roll-up Doors 2-Gable Vents, Entry Dr. 4" Concrete Slab $29.795 INSTALLED Many Sizes Avail. We Custom Build We Are The Factory Fl. Engineered Plans Meets or Exceeds Florida Wind Code METAL STRUCTURES LLC.COM 1-866-624-9100 metalstructuresllc coam FACTORY DIRECT METAL BUILDINGS CARPORTS, SHEDS Custom Installation, Up to 140MPH Wind Rating Gulf to Lake Sales (352) 527-0555 WE MOVE SHEDS 352-637-6607 "LIVE AUCTIONS" For Upcoming Auctions 1-800-542-3877 ow-e- MODEL TRAINS N & HO Scale. Boxcars $2; Engines $5; Kits & Sets (offer) (352) 527-8204 Hydro Spa, 3 person Hot Tub, very good cond. new Jets, $650. obo, Must Sell (352) 726-7537 NEW HYDRO SPASI 5 Person, n .let': I ' 3 Person, 34 jets $3,250 5 Person, 33' Jets $3,450. (352) 572-7940 i- 1 YR OLD WHIRLPOOL WASHER & DRYER SET, Ig. capacity. Com- merc. quality. $325/oboi (352) 697-2766 & UP. New Units at Wholesale Prices 2Ton $780.00 - 2-1/ ton $814.002 -* 3 Ton $882.00r *Installation kits; *Prof. Installation; ,. *Pool Heat Pumps Also Avail. Free - Delivery! 746-4394 ABC Brlscoe Applianiea Refrigerators, washers," stoves. Service & Parts' (352) 344-2928 - DISHWASHER Portable (Whirlpoo0'- Good Condition $150 (352) 726-4054 Electric Stove, wh Self cleaning, good. cond. yellow, $60.u Window AC, $15. - (352) 220-6519 , Freezer ^ white 'A, :hr..:ir,.-.u~ a , 2I cu rA. $150. (352) 726-2361 PROPANE TANKS (2) 100 LB. tanks " w/regulators. Empty. (1) PROPANE TANK. 100 LB. w/gas. All for $70 (352) 726-5150 REFRIG 21" :, w/ Ice maker $75 - Range 30" $50 both E'xc Cond. (352) 527-0873. REFRIGERATOR ';; 20 cu. ft. Kenmore, k. w/Icemaker. Top freezer. S.S. dr. w/blk: sides. < 4 yrs. old. Great' Cond. $500 344-5667 UPRIGHT FREEZER Like new, gaskets, etc. $250/obo. PICTURE PERFECT 19" COLOR TV $38 (352) 382-0010 WASHER & DRYERS 90 Day Warranty. r, Trade-Ins Welcome Repairs Avail. 6587 S. Premier, Hom. (352)628-4321 After 12. Washer ,Fisher & Paykel, barely used, 1 yr. old $200. -,' (352) 564-1036 WASHER/DRYERC-, Kenmore Works great! $75/set. (352) 795-7397 W=1116 Antique & Collectible Auction SUN. DEC. 2 PREVIEW: 10AM;.- SALE: 1 PM 4000 S. Hwy. 41 , INVERNESS , 5 Irg. pcs artist stain glass Incl. archltec- ' tural & turn, Pocket watches, coins, orien- tal carpets, art Incl., oils & listed Lithos, Lrg,' NasCar & Coke col-' lect. Incl. cooler. _ Welgardit & LeipzigS gun, jewelry, furn.,A - china, crystal & morle', See web www. dudleysauction.com (352) 637-9588 AB1667 AU2246 12%BP 2%Disc ca/ck AUCTION .; WILDWOOD ROYAL DOULTON ' SPECTACULAR ,'% 2:00 PM SAT. Dec. 1lg 101 S Main St. ^'-1 Wildwood s" Preview Noon-l:45 PM-." MORE INFO AT: - WWW. * pescoauctlons.com,' We'll Also Be Live Online Proxibld.com/ wildwood (352) 748-0788 Manny Pesco ,, AU2959, AB2164 * 10%BP & 7%Tax "" Cash, Credit Card oat'" Check w/Positive ID.' CITRus CouNTY (FL) CHRONICiE DECLASSIFIED C,Irera kCnrrrYIv (PLT) fl()-jNs,v~rrr~C AS ESFIANVME 0 073 /eL " A/C Tune up w/ Free permanent filter + eitunfl/Pest Control insp. Uc & Boned Only $44.95 for both. (352) 628-5700 caco36870 rt---- E ADVERTISE YOUR BUSINESS IN THE SERVICE DIRECTORY I s$$$$$$$$$$$$$$$ ONE CALL ONE PRICE I ONE MONTH ONLY $200.00 L- appears In the Citrus County Chronicle S.'*Beverly Hills Visitor S*Riverland News '.Riverland Shopper *South Marion Citizen I *West Marion Messenger *Sumter County ~ Times CALL TODAY I_(352) 563-5966 bLEMAN TREE SERVICE & Removal. Llc. Ins. .FREE EST. Lowest rates grarant. 352-270-8462 - DOUBLE J STUMP .?GRINDING, Mowing, ..7Haullng,Cleanup, ,julch, Dirt. 302-8852 ,D' Landscape & Expert ;Tree Svce Personalized 'design. Stump Grinding '& Bobcat work. Fill/rock S& Sod: 352-563-0272 iR WRIGHT TREE SERVICE, tree removal, stump grind, trim, lns.& Lic i0256879 352-341-6827 TREE REMOVAL -Stump grinding, land I Ie-clearing, bushhog, S352-220-5054 - -A TREE SURGEON Lic. & Ins. Exp'd friendly serve -Lowest rates Free estimates,352-860-1452 -All Tractor/Dirt Service Land Clear, Tree Serv., Bushhog, Driveways & Hauling 302-6955 Citrus County Computer Doctors Repairs In-Home or PIck-Up, Delivery, avail. Free quote, 344-4839 --in-=ll SAll Computer Repair I We come to you. I -21 yrs. exp. 7 days. (352) 212-1165 L mal WEB SITE DESIGN BATHTUB REGLAZING Search engine optimi- Old tubs & ugly zatlon & marketing, ceramic tile Is restored Pay per click to new cond. All colors advertising managmnt avail. 697-TUBS (8827) Affordable Rates Tom (352) 746-1090 law FREE ESTIMATES REPAIR SPECIALIST FREE P.U. & DELIVERY Restretch Installation Furniture & Cornices Call for Fast Service (352) 628-5595 C; & R SERVICES Sr. Discount 586-1728 REPAIR SPECIALIST Restretch Installation Call for Fast Service C & R SERVICES Sr. Discount 586-1728 *Chris Satchell Painting & Wallcovering.AII work fully coated. 30 yrs. Exp. Exc. Ref. Ins. Lic#001721 352-795-6533/464-1397 CALL STELLAR BLUE for all Int/ Ext. painting needs. LUc. & Ins. FREE EST. (352) 586-2996 3rd Generation Painting 10% off any Job. LIc./ Ins. FREE Est., I'll beat any written est. by 10%, (352) 201-0658 CHEAP/CHEAP/CHEAP Husband & Wife DP Press.Cleaning & Paint- Ing. Lic.&lns. 637-3765 All Phaze Construction Clean Quality painting & repairs. Faux fin. #0255709 352-586-1026 George Swedlige Painting- Int./Ext. Pressure Cleaning- Free est. 794-0400 /628-2245 INTERIOR/EXTERIOR & ODD JOBS. 30 yrs J. Hupchick Lic./Ins. (352) 726-9998 Affordable Boat Malnt. & Repair, Mechanical, Electrical, Custom Rig. John (352) 746-4521 .- CREATIVE CUSTOM CANVAS, Free est. on location fittings & Intallatlon. 352-270-3850 CRYSTAL RIVER CANVAS Bimini tops / Covers 9679 W. Fort Is. Trail 352-563-0066, 212-7866 MORRILL MARINE Outboard Repairs, Dockside Service. Elec. installed (352) 628-3331 PHIL'S MOBILE MARINE All Makes & Models All Work Guaranteed 352-220-9435 AT YOUR HOME Res. mower & small engine repair. Lic#99990001273 352-220-4244 COMPANION/House Keeper/ElderCare I will cook, clean, errands Laura 447-5952 -A If your 1-3 yr old Is on a day care waiting list call me. I will care for your child in my home Jennifer (352) 795-5068 (352) 464-1251 VChris Satchell Painting & Wailcoverlng.All work fully coated. 30 yrs. Exp. Exc. Ref. Ins. Llc#001721 352-795-6533/464-1397 V 13 yrs In business Abigail's Housekeeping Personalized cleaning Windows also 726-3812 V CRYSTAL CLEAN GREATT RATES FREE ESTIMATES Brenda (352) 586-5766 AVERAGE HOME Professionally Cleaned $50/ea. Twice per mo. Supplies & Equip, Incl. Joe's Cleaning Service (352) 628-1539 Clean Breeze Cleaning Service INC. SPECIAL: $60/HOME Lmtd Time' 352-344-5503 Cleaning, Ironing, Transportation Serv., Shopping.REASONABLEIJ ass (352) 697-8888 EXP'D HOUSEKEEPER 12 yrs. in Citrus Co. Avg. $60/home (352) 212-3441 Lv. Mess. FINAL DETAILS, LLC CLEANING SERVICES, New Const.,Vacant Prop,Offices, Residen- tial 352-400-2772 Lic. Ins. HOUSECLEANING Available Wkly, Bl-wkly, Reas. rates. Ref. Call Becky 352-489-1675 Touch of Class Cleaning Service, 15 Yrs. Exp. Also If you Need Help? With Errands, Things Around the House. Ref. Nancy (352) 628-2774 DOTSON Construction 25 yrs. In Central FL. Our own crewsI Specializing In additions, framing, trim, & decks, Lic. #CRC1326910 (352) 726-1708 ROGERS Construction Repairs & All types of Construction. 637-4373 CRC 1326872 FL RESCREEN 352-563-0104/257-1011 1 PICARD'S PRESSURE CLEANING & PAINTING Roofs w/no pressure, houses.driveways. 25 yrs exp. Lic./Ins. 341-3300 ROLAND'S * PRESSURE CLEANING Mobiles, houses & roofs Driveways w/surface cleaner. No streaks 24 yrs. Lic. 352-726-3878 Roofs, Drives, & Homes ($60+ up) SW ($50+up) DW (F65+ up) 24/7 Kerry (352) 795-4204 #1 A+TECHNOLOGIES All home repairs. Also Phone, Cable, Lan & Plasma TV's installed. Pressure wash & Gutters Lic.5863 (352) 746-0141 r *AFFORDABLE * HAULING, CLEANUP PROMPT SERVICE WE DO IT ALLIII CALL 352-697-1126 r AFFORDABLE HAULING CLEANUP, I n PROMPT SERVICE I _ Trash, Trees, Brush. - I Appl., Furn, Const, I I Debris & Garages 352-697-1126 . ALL AMERICAN HANDYMAN Free Est, Affordable & Reliable Lic.34770 (352)302-8001 FASTI AFFORDABLE RELIABLEI Most repairs. Free Est., LIc # 0256374 (352) 257-9508 FASTI AFFORDABLE RELIABLEI Most repairs. Free Est., Llc # 0256374 (352) 257-9508 HANDYMAN If its Broke Jerry Can Fix It. Llc r AFFORDABLE, I HAULING CLEANUP, I I PROMPT SERVICE I Trash, Trees, Brush Apple. Furn, Const, I I Debris & Garages 352-697-1126 L mm --- E All of Citrus Hauling/ Moving Items delivered, clean ups.Everything from A to Z 628-6790 --- --- q r AFFORDABLE, HAULING CLEANUP, I I PROMPT SERVICE Trash, Trees, Brush, I Apple. Furn, Const, I Debris & Garages 1 352-697-1126 C.J.'S TRUCK/TRAILERS Furn., apple, trash, brush, Low $$$/Professional Prompt 7 day service 726-2264 /201-1422 Movlng-Hauling-Tree Service-Cleanups & Clean-outs-dump runs Lic 352-560-7005 Ins WE MOVE SHEDS 352-637-6607 0- 1if S'jIIIo All kinds of fences JAMES LYNCH FENCE Free estimates. (352) 527-3431 JOHN SCOTT ROOFING FREE Est. Senior Discount Lic.ccc 1325704 352-447-8050 RE-ROOFS & REPAIRS Reasonable Ratesli Exp'd, Lic. CCC1327843 Erik (352) 628-2557 BIANCHI CONCRETE Driveways-Patios- Sidewalks. FREE EST. Llc#2579 /Ins. 746-1004 CONCRETE WORK Sidewalks, Driveways Patios, slabs. Free est, Lic. 2000. Ins. 795-4798 Decorative concrete, River rock, curbs, Stamp concrete All Tractor/Dirt Service Land Clear, Tree Serv., Bushhog, Driveways & Haulina 302-6955 DuLuiv .Construcinon 25 yrs, in Central FL, Our own crews Specializing in additions, framing, trim, & decks. LUc. #CRC1326910 (352) 726-1708 W. F. GILLESPIE Room Additions, New Home Construction, Baths & Kitchens St. Lic. CRC 1327902 (352) 465-2177 CERAMIC TILF INSTALLER Bathroom remodeling, handicap bathrooms. LIc/ins. #2441 795-7241 STONE MASON Outdoor Fireplaces, Waterfalls & Ponds, Walks & Patios, Etc. (352) 592-4455 HURRICANE BUILDERS Unlimited, LLC. 30yrs. Exp. Drywall Specialty New, Restoration & Repair, Lc CRC1329305 (352) 563-2125 ROCKMONSTERS, INC. St. Cert. Metal/Drywall Contractor. Repairs, Texture, Additions, Homeowners, Builders Free est. (352) 220-9016 Lic.#SCC131149747 FILL, ROCK, CLAY, ETC, All types of Dirt Service Call Mike 352-564-1411 Mobile 239-470-0572 AFFORDABLE Top soll, LARRY'S TRACTOR SERVICE Finish grading & bush hogging. 352-302-3523/628-3924 LITTLE'S CEMENT FINISHING, INC. House slabs, patios, driveway tearouts, Dumptruck, Tractors, Lic. Ins. 352-628-4830 TOP SOIL SPECIAL * Screened, no stones. 10 Yds $150; 20 Yds $225 352-302-6436 ALL AROUND TRACTOR Landclearing, Hauling, Site Prep, Driveways. SLc. & Ins. 795-5755 LANDCLEARING I Site prep, Tree Serv., I Dump Truck, Demo | 352-220-5054 All Tractor/Dirt Service Land Clear, Tree Serv., Bushhoa, Driveways 3,ra GENEAKIIUON CKV Fencing, General Home Repairs, Int/ Ext. Painting, lawn trees, & landscaping FREE Est., 10% Off Any Job. IIc 99990257151 & Ins. (352) 201-0658 BANG'S LANDSCAPING St. Augustine Sod $125 Pallet- 400sf. $145-500sf (352) 341-3032 Iv. mess. BIG KUHUNA LAWN SERVICE Palm Tree trimming, Cleanups, Free est. 352-586-1721 D's Landscape & Expert Tree Svce Personalized design. Stump Grinding & Bobcat work, Fill/rock & Sod: 352-563-0272 0 MR FLOWERBED 0 LANDSCAPING CO. Now Serving Citrus Cty. Free est. (352) 228-9637 "El Cheapo" cuts $10 up Beat any Price. We do it All. Call 352-563-9824 Or 352-228-7320 3rd GENERATION SERV Fencing, General Home Repairs, Int/ Ext. Painting, lawn trees, & landscaping FREE Est., 10% Off Any Job. lic 99990257151 & Ins. (352) 201-0658 ANDERSEN'S YARDMAN SERVICES, Mowing, & Trimming, Trash, hauling, Low rates 1-352-277-6781 Bob's Pro Lawn Care Reliable, Quality work Residential / Comm. Llc. a 352-464-3967 u A POOL LINERSI A 15 Yrs. Exp. A Call for free estimate a (352) 591-3641 a POOL REPAIRS? Comm. & Res., & Leak, ^j q7A 7icnUMA7 A91 WATER PUMP SERVICE & Repairs on all makes & models. Anytime, 344-2556, Richard MR CITRUS COUNTY REALTY ALAN NUSSO 3.9% Listings INVESTORS RESIDENTIAL SALES COMMERCIAL SALES (352) 422-6956 ANUSSO.COM WE MOVE SHEDS 352-637-6607 am-$-1 YVONNE MORETTI Realtor, Crystal Realty Specializing In: AFFORDABLE Commercial, Residential, & Waterfront PropertlesI Coll me day or night 24/7 for all your Real Estate needs! (352) 201-9898 For Listings See www crystalsells,com RAINDANCER 6" Seamless Gutter Best Job Availablell Lic. & Ins. 352-860-0714 ALL EXTERIOR ALUMINUM Quality Price! 6" Seamless Gutters Lic & Ins 621-0881 ALUMINUM STRUCTURES 5" & 6" Seamless Gutters FREE Estimates LUc, & insured (352) 563-2977 BANG'S LANDSCAPING St. Augustine Sod $125 Pallet-400 sf./$145-500sf. (352) 341-3032 Iv. mess. CIRCLE T SOD FARMS INC. Res/Com. Installations Lic.(352) 400-2221 ins. Roof Cleaning Specialist The Only Company that can Keep Mold & Mildew Off Siding Stucco Vinyl Concrete Tile & Asphalt Roofs GUARANTEED! Restore Protect Beautify Residential & Commercial -. Suncoast Exterior Restoration Service Inc. 877-601-5050 352-489-5265 Lic #2776 Licensed & Insured zv aC HOME REPAIR & MAINTENANCE, INC. "Caring for Your Home is Our Business" - Offering A Full Range of Services - H -mefortheHoiday Sale Residential s Commercial B 628-4282 Chamber Member Tilcd .of 1 idin.fl ihe min- kcL-t Fr'c, c.F ivy of your Investment portfolio o c,.,.. .A^ .cf . fi 8f. Vlll iiin.l....r ,.i. Ir"e.S, B 6 4.". g .r.,! --. i, n *5.I.5JY Modernize Your Home V ALL TYPES OF INTERIOR TRIM V ADD NEW HARDWARE OR LOCKS V CHANGE YOUR DOORS OR TRIM V ADD CROWN MOLDINGS V ALL TYPES OF REPAIRS Call Doors & More .2330 (352) 697-1200 Ideal Carports Custom Build Your Dream Carport *Garage Boat S* Barn i B RV Cover iB "Any Metal Bldg. ..N- hate er ) ou need, we've got you covered" 352-795-6568 7958 W. Gulf to Lake Hwy., (Hwy. 44) Crystal River Installations by f Brian CBC1253853 352-628-7519 in \\ ad wd ar,,: edalumrinunM ino .: : 2.4 ,* BUILDING OR REMODELING? For All Your Entryway Needs!l Pre-Hung Doors Door Slab Replacements Decorative Door Glass Decorative Cabinet Glass Phantom Screens Schlage Locks RAISE & LOWER BLINDS BETWEEN THE GLASS Perry's Custom Glass & Doors 730293 (352) 726-6125 Lic.#2598 Wood and Formica cabinets & counters FREE Estimates 795-5300 or 628-0839 732003 Lic. & Ins. PAINTING CORP. * Wallpaper * Painting * Restoration '"Ve do what others claim Lic. & Ins. EXPERT PAINTERS - Cal A Bate 32615-61 Bouleri cnSe raving All oJ itfrus Countv Bouierice^ CCCO25464 QB0002180 v 0lUP0rIffNo & SUPPLY INC. Family Owned & Operated NEW ROOFS REROOFS REPAIRS FREE ESTIMATES (352)628-------------------------5079 352) 628-744 8 (352) 628-5079 (352) 628-7445 -C IC I Services for ,i1 n - -in I \ L. u le Who Want Results rint and Online Daily - " 1 A> 710196 ............... ..... ...... -- , I FRIDAY, NovEmBER 30, 2007 3D CLASSIFIED CrrRus CouNTY (FL E 111 710198 4D FRIDAY. NOVEMBER 30, 2007 CITRUS SPRINGS Fri. & Sat. 11/30, 12/1 8am-3pm Multi-Family Sale 8265 N. SARAZEN DRIVE CRYSTAL RIVER Fri. Nov. 30, 9-? Furn., Tools, much misc. 8378 W. Admiral Bird Ln. Bicentennial Park off 19 CRYSTAL RIVER Fri. Sat. 8-5. Hshld gds, took, clothes, misc. 495 to Pine Bluff to 7781 N Neige Pt. CRYSTAL RIVER MOVING SALE Fri & Sat 8-2 220 SE 2nd Place CRYSTAL RIVER Sat. Dec. 1, 9a-3p Multi-Family Sale 7894 W. Flight Path Ct. Off Seven Rivers CRYSTAL RIVER Sat. Sun 8-? Lots of stuffI A 8814W Rlverwood Dr. CRYSTAL RIVER Sat. Sun. 8-3 Crnr 488 & N Rock Ave. Up by the barn area, lots of stuff I Shop for Christmasll CRYSTAL RIVER YARD SALE FRI. SAT. SUN 8-3 3639 N. Holiday Dr FLORAL CITY Fri. 8:30 -3:30 & Sat. 8:30-2pm, Castle Lake & 5103 S Galvin Terr. good FLORAL CITY ver, Sat. Dec. 1, 8am-? 0714 Multi-Family Sale ishions MOONRISE RESORT /s FLORAL CITY s00. Thurs, Fri. Sat. 9-? (off 41) auve, 7750 E Pine Lakes Lane 00. 76 Plates, ActNoW - rs, --.. ,,_ ture. essers ded. 9084 "LIVE AUCTIONS" For Upcoming Auctions 1-800-542-3877 1 1/3qtr Coil Nailer Hitatchi Exc Cond $225 12" Bdl Beval Compound Mitre Saw (Dewault) Exc Cond $225 (352) 220-8348 746-1587 CRAFTSMAN BAND SAW w/stand $125; CRAFTSMAN TABLE SAW w/stand $125 (352) 860-0124 ROUTER TABLE W/Stand Craftsman, ind. $65; (352) 382-1525 Shopsmith Mark V with Bandsaw $850 Call (352) 344-3318 Can Deliver 31" JVC TV in very gd cond. It has inputs from cable, video recorder, S-Video & video cam- era, audio output for ext spkrs. $75. 419-0058 35" RCA TV in perfect working condition. $285; (352) 382-3879 55" Phillips Magnavox, excellent condition $425. (352) 341-0850 57" Hitachi, HD TV $450. (352) 634-1676 ENTERTAINMENT Center large enough-for. a32" TV (59"x49"HX20") Comtemp. light oak, room for 3 stereo $75. (352) 419-0058 MITSUBISHI 65" Platinum Hi-Def 59"x62" Great Picture & Sound New $4000- Sell $775 (352) 527-3201 ON ROOF TV ANTENNA Radio Shack, 160"L Dual boom, 57element antenna w/30' metal pole, 1 yr. old $100. (352) 476-2488 PHILLIPS 60' HD TV, 3 YRS. OLD, works great, $675. Also black mirrored entertainment center w/ 32" Hitachi TV $350 (352) 634-4758 SONY 50" 48"w x 50"T x 20"Dp on wheels very Irg grt cond. $400 (352)621-0848 Vert. TV & Component Cab. Off white 7'H X3'WX223/4"D, Pull out TV holder w/sm rotation 2 Upper shelves, 2 lower shelves, one pull out. $275. (352) 795-8708 -U 45 Aluminum Metal Pan Roofing Panels, Styrofoaminsulation 12ft long, 1 ft. W, 3"D, $850; Many alum Tempered glass windows w/ scrns. & Door, $750 (352) 220-6820 Misc. Building Supplies 2 X 4s, 1 X 4s, Shingles, etc. $20/takes all. 352-527-8549/464-3649 UTILITY POLES Various Sizes 12'-30'. $250/set (May divide) (352) 422-5521 -U Citrus County Computer Doctors Repairs In-Home or Pick-Up, Delivery, avail. Free quote, 344-4839 Custom computer MSI board, AMD Sempron processor, Windows Vista, monitor, keybrd, mouse, printer, DVD, $350 (352) 400-5342 352-400-0095 DIESTLER COMPUTERS Internet service, New & Used systems, parts & upgrades. Visa/ MCard 637-5469 PATIO TABLE & 4 CHAIRS PVC; Very Nice $150 (352) 860-0124 5 PC. LIVING ROOM Sofa, loveseat, 3 end tables. $600 obo; Qu. SZ. BEDROOM SET Frame, Hdbrd, Ftbrd, nightstand, dresser w/mlrror. $9nn obo w-' -- Available from Commercial News Providers" - "BEST" SWIVEL ROCKER Beige, Like New $100 (352) 860-0124 YOUR FURNITURE Is Waiting For You NU 2 U FURNITURE Homosassa 621-7788 45" ROUND GLASS TABLE W/4 chairs, matching bakers rack, grey metal, $150. (352) 628-4224 BADCOCK Discovery Wood bunk bed w/desk, drawers built In. $325 (352) 563-9830 BEDS -e BEDS 4. BEDS The factory outlet stores For TOP National Brands Fr.50%/70% off Retail Twin $119 + Full $159 Queen $199 / King $249 Please call 795-6006 BUNK BEDS Metal Frame (black), w/mattresses. Like New! $75/set. (352) 341-1531 CITRUS HOME DECOR ULike new Furniture Buy, Sell, Consignment, Homosassa, 621-3326 Couch, Loveseat, very good condition tropical fauna, on cream $200 obo (352) 795-9470 CURIO CABINET Cherry wood finish, lighted, exc. cond. $130. (352) 628-5949 DINING Rm TABLE Wht Washed, 68" w/leaf Good Condition $125 (352) 601-5764 End Tables, Glass Top center table, and 2 lamps. All are hunter green w/ brass accents. $75.00 (352) 533-3222 ENTMNT CENTER Med Oak 49hX54W Fits 32 T '.,.I- Uni CC.NC. 24 5. - (352) 746-2925 FULL SIZE CAPTAIN'S BED, w/ new mattress, headboard shelf, 4 drawers w/lots of strg. underneath, matching chest of drawers, oak. $475. (352) 344-5434 GLASS TOP DINING RM SET W/4 wooden chairs, $275; Small Wooden Entertainment center, $100 (352) 302-7824 KG. SZ. PEDESTAL BED w/towers, drawers & cabinets (w/near new mattress) $650 abo; 3 PC. Dark Wood DRESSER SET $150 obo (352) 344-9658 LIVING RM. SET, Suede sect. eggshell, gis & chrome daub. dckr, coffee & end tbls, Oak Wall Unit. $1300all, TABLE W/4 CHAIRS, glass & wrought iron, $200 (352) 212-4586 Living Room Set Lg. Blue Sectional sofa, 2 built in recliners, coffee, end tables, TV & bookshelf $300. Martha Stewart 7 Pc. Patio Set. $100. All from Smoke/Pet free Home Call aft 6pm 621-4644 LOCATED IN PINE RIDGE Beautiful solid oak four poster Cal-king bed very strudy $500. Pub Table oak as well with four highback chairs $350. (352) 527-4664 LOVESEAT Brown $50; RECLINING ROCKER Blue $100 CASH (352) 465-4425 OAK DINING SET Solid, Imported from Germany. Table, 6 chairs, China & Buffet. $900 obo (352) 795-5234 OAK QU. BDRM SET 4 poster, modern, Less than 1yr."Rooms to Go", Inc. Dresser, mirror, bed complete, chaise $1500 (352) 212-4586 OVAL DINING RM. TBL. W/1 leaf, 4 chairs, matching coffee table, Asking $100. QU. SIZE HIDEABED, gd. cond. $100 (352) 568-1851 PAUL'S FURNITURE Cooler Weather Longer hours. Tues thru Fri. 9am-5pm Saturday 9am- 1pm Homosassa 628-2306 Pine Finish Wall Entertainment Center, holds up to 35" TV, $125/obo (352) 726-5698 Preowned Mattress Sets from Twin $30; Full $40 Qn $50; Kg $75. 628-0808 QU. SIZE BED, brand new, never used, $150; 2 Lampstands & Coffee table, glass tops, $125/all (352) 302-7824 RECLINING SOFA W/MATCHING ROCKER/RECLINER Blue $200 CASH (352) 465-4425 Roll top Desk, Bradford Oak, 28 x 54 x 46, $450. Wooden Rocker $60. (352) 726-2361 ROUND DINING TABLE, W/2 LEAVES & 4 CHAIRS., $200 QUEENSIZE SOFA SLEEPER, line new $150 L.c '152) 746-3618 SLEEPER SOFA LOVESEAT, tan, g cond. Can deli $275 (352) 746-1 Sofa, blue w/ 3 cu & two pillow excel, cond. $3 Swivel Rocker, mi good cond. $1 (352) 489-457 The Path's Gradu Single Mother Needs your furni Dining tables, dre & beds are need Call (352) 746-9( 2000 Cub Cadet 3000 Series, 54" deck, Hydrostatic Transmission $450 (352) 464-1476 21 HP, Mower, good shape, tires, new bat- tery, doesn't run. $50. (352) 628-9559 CRAFTSMAN LAWN TRACTOR BAGGING KIT Used twice. New $350, Asking $200 (352) 637-5209 *FREE REMOVAL OF. ATV's, bikes, cars, jet skis mowers, golf carts. We sell ATV parts 628-2084 Tractor/Mower, Sears 42", YS 4500, 60 hrs. excellent condition, free delivery In Citrus $1,500. New, Sell $1,175 obo 352-746-6624 TRACTORS (2) Int'l. Cub LowBoy belly mower. $1,200; 414 Int'l Diesel w/loader. $3,500. (352) 726-6864 "LIVE AUCTIONS" For Upcoming Auctions 1-800-542-3877 BEVERLY HILLS (Pine Ridge) Fri/Sat 9-1 4371 N. Saddle Dr. " BEVERLY HILLS 2 Family Sale Fri.-Sat. 8-2 98 & 99 S. Columbus BEVERLY HILLS Fri. & Sat. 8-? Tools, sports,Xmas Items 197 W. Sugarberry Ln. (off Forrest Ridge) BEVERLY HILLS Fri. & Sat., 8AM Wash./Dry, Dshwshr, stve, xmas, much more 834 Bogart off Becall Oakwood Village off Forest Ridge 746-3330 BEVERLY HILLS Fri. 30 & Sat 1, 8a-4p New & Old DVD's Lots of Good Things 62 NEW FLORIDA AVE. BEVERLY HILLS Sat. Sun, 7-? Hshld, clothes, toys, misc. 6 N Jefferson St. Chassahowitzka Estate Sale Sun 8am-? 7900 Miss Maggie Dr. CITRUS HILLS Fri. 8-2, Crystal, furn, Xmas, Puzzles, misc. E. Hartford St. CITRUS HILLS * MEGA GARAGE SALE Fri. & Sat. 9:30-4pm Come join the Chaos A Little Fun for Everyone Small sampling of items to be sold inc], Small Appli's, Home Decor, Games, Puzzles, Grill, Bikes, Tools, Fishing gear, SIping bags, Dog cage, loads of other Items for your "Garage Saling Adventurel Dir: 44W past Walmart, to right Into Clearvue Es- tates. Left on Crown of Roses, rt. on Hambleto- nian to house on right or 486E to Rt. on An- napolis, left on Liberty, Rt. on Hamletonlan to house on left. CITRUS HILLS Pre Moving Sale Sat. & Sun. 8am-? Furn., tools, antiques, misc. 1577 E. Hartford St. CITRUS SPRINGS 4 Home Fri, & Sat. 9-2 Car Dolly, Patio Set, 3 Comm. Mowers, Etc. 7941 Ring Dr & Triana Dr CITRUS SPRINGS Sat. Dec. 1, 8a 3p Gas compressor Wheelchair lift, furniture linens, and misc. 6493 N. Glacier Terr. CITRUS SPRINGS Sat. Dec. 1, 9-2 Baby gear & clothes, Dbl Stroller, car seats, maternity clothes, kitch. items, toys! NEW & gently used Items. 16' Larson Runabout w/trlr. & Suzuki RM 125. 10274 N. Biscayne Dr. CRYSTAL RIVER Church Fundraising Yard Sale Fri only 8-2 Furniture, Household, Misc. & all clothes .25C 428 NE 3RD AVE. CRYSTAL RIVER ESTATE SALE SAT 9-? Furniture, glassware, tupperware, crafts, 6 ml N. CR off 19 8710 N. MAPLE AVE 2 Families, lots of good stuff I F & Sat-2 373 E. Joshua Court HERNANDO 5 Families Sat. Sun. 8-5 6771 N Florida Ave. HERNANDO Everything for sale Sat. & Sun. 1 & 2, 8a-3 p Beds, sofa bed, chairs, dinette, woman's clothes, stained glass. Lake Park Community 4035 N Bluewater Drive HERON WOODS COMMUNITY YARD SALE SAT DEC 1 9-3 701 White Blvd., Inv Homosassa Fri & Sat 8-? Multi-family. Sasser Oaks Estates * '.,_rear. ..,:.r In1 e.- HOMOSASSA Fri: & Sat. 8-? Appl., Tools, Lawn Eq, Ski Eq., Furn., Off. Equip. 1844 S. Iroquois Ave. HOMOSASSA Fri. & Sat. 9-4 Fair Ac. & Ashlawn Way HOMOSASSA MOVING SALE SAT. 8-1 10208 W Hadley Ct Fold out couch & loveseat, 24" stove, Refrig, DR tbl w6 chrs, microwave w/stand, BO (813)810-9578 HOMOSASSA Moving Sale Sat. 9-4 Antiq., Sm. Freezer,etc. 5486 S. Forrest Ter. HOMOSASSA Sat. 1 & Sun 2, 8a-3p Multi-Family Sale Kenwood Oaks 5236 S. Forest Terr. HOMOSASSA Saturday 8 ? 2590 S. Bolton Ave HOMOSASSA Thur/Fri/Sat 8 ? Tools Towels Curtns. All sz sheets, 5011 5. Canary Palms Terr. HUNTER SPRINGS BLOCK SALE 256 NE 4th St. (across fr. Waverly Florist). Sat. Dec. 1st 8am-3pm. No early birds please. Antiques, Men's & Woman's clothing, lots of brand new goodies. IN THE SPIRIT OF THANKS The Chronicle Classified Team would like to extend to you our Thanks by offering: 1 FREE DAY on any paid 2 DAY GARAGE SALE AD Give us a call during the month of November and WE'LL EAT YOUR WORDS ON THE 3RD DAY." GOBBLE, GOBBLE (352) 563-5966 Offer valld Nov.1 -Nov.30, 2007 INGLIS ESTATE SALE Fri/Sat/Sun 8-? Tool s Gift Items Jewlry, New Patio Doors In Box. 11240 N Northwood Drive Lot 114 INGLIS Neighborhood Sale Fri. Sun. 8-? Hudson St. See signs INVERNESS Fri. & Sat. 30 & 1, 8-2 Tools, 12' Fishing Boat, & Household misc. 6759 E. Glencoe INVERNESS Fri. & Sat. 8-? 1155 S. Prospect Ter. INVERNESS Fri. 30, & Sat. 1, Sun. 2 8am-5pm Xmas Items new & used, Boyds Uptown coll. Bears, HO Trains, tools, puzzles new, books, men & women's bike, & more 3100 E. Deal Street INVERI Fri. 30, & Sat 9060 Cashi INVER Fri. Sat. 7-2 F artwork, kitc Everything I 6036 E W INVERI Inverness M Annual Ya Fri/Sal 550 N IndeS INVER MOVING Fi Evervthina 222 N. Linr INVER Multi Family Sat. 9am 8660 E Ros INVER Multi family Fri. & Sat. 8a covered ut Take 41-Nto 1280 N.F INVER Sat. & Su Furniture, to electronic 3522 E. Pre 581 or Apopk Jo to Burr to INVER Sat. 8-3 Furn. 705 Park (Off Turner 0 INVER Saturday 3715 E. High (Heatherwoi INVER Saturdc 12277 E. Birc INVER Saturday- Tools, Uniq US 41 N.Acro Bowling LECA Fri. Nov. Holiday Free Give Crystal Oaks LECA Fri. Sat. 8-3 Sale, Furn, organ, tools, Deere Lawn much, muc 1629N Crook LECA Moving In Sa 2082 S. Ove Hills of A LECA Sat. & Sun. Multi-Famil shoes, H.H.de toys, etc. Cinnamon OLD HOM 3 FAMILY FRI. Mason Cre right on ( 5555 S. G( OLD HOM Sat. & Sun.8 household go guns, tools, tools, gei 5830 Shad) PINE I Fri. Onl' 3001 N SA PINE R Fri. Sat. 8-2.3 3456 BLOS PINE R Fri. Sat. 8a Numerous H crafts, tools, 6084 W Rio PINE R Saturday 2200 PSI Pres Garden Equ Equip., Tackl Saw, Tool 4918 N. Cir Riverhave Hshld. Cloth Fish, Boat, Fri. & S 5186 S. Ste SALE- LONG Baskets Slot.4 AT WITHLAC VOTEC 1Pr. shoes ' Dress New, Sz.5, $20. Inverness 352-341-4449 1924 KOHLER CLAW FOOT CAST IRON TUB, $150. Good cond. (352) 697-1911 5PC. FULL SIZE BEDROOM SET; LARGE ARTIFICIAL ELEC. FIREPLACE. (352) 637-2838 91/2' CHRISTMAS TREE $75 DRYER 150 Very Good Cond. (336) 693-7700 I I ADVERTISE YOUR BUSINESS IN THE SERVICE DIRECTORY! $$$$$$$$$$$$$$$$$ ONE CALL ONE PRICE ONE MONTH ONLY $200.00 S$$$$$$$$$$$$$$$$$$1 I Citrus County I Chronicle I *Beverly Hills Visitor *Riverland News *Riveriand Shopper *South Marion Citizen I West Marion Messenger *Sumter County Times I CALL TODAY (352) 563-5966 BARBIE JEEP w/new battery, $150. (352) 637-6954 evenings. CHRISTMAS DECORATIONS Nativity Scene, Shephard, Sheep 3 wise men Santa sley Deer, .By Appt ONLY (352) 726-3262 COMO RV & TRUCK HWY 19-S- HOMOSASSA BUY* *SELL* TRADE* *CONSIGN* HWY. 19-S HOMOSASSA 628-1411 ELECTRIC GO-GO SCOOTER like new. $450. (352) 795-9039 Brown Tones. $225. (352) 527-2029 POWER CHAIR JET 3 Ultra Used very little. Looks newly HERCULES 3000 Compact Pwr. Crane CHAIR LIFT. Mounts inside back of SUV or P-up. Both only $895 (352) 746-0530 POWER WHEELCHAIR '05, Pride Jet 3 Ultra. Orig. $4,000+/Sell $395 Exc. Cond. (352) 344-9810 REVO 3 WHL SCOOTER, Battery chrgr Anti-tip whis, running light, Battery cond. meter, spd adj. $1450. Hardly , (3-l4 t521O 7iL7AnMS CITRUS COUNTY (FL) CHRONICLE DECLASSIFIED NESS CD RECORDER/PLAYER I. 1, 8a-2p for LPs (78s & 45s), ers Court Radio & Cassettes N SS "'CROSLEY- NEAR NEW! ?NESS Great gift @ $400 urn, Tools. (352) 564-9209 ;henware. is for sale! CHRISTMAS TREE illow St. 7Ft (Mountain King) w/baked on snow, NESS Absolutely Gorgeous, obile Park Incids. base, stnd lites ord Sale & 6ft Quilted Skirt $350 t 8-? (352) 382-1876 endence CRAFTSMAN TORQUE ?NESS WRENCH 1201b ft. r.-Sun. 9-3 press. Cost $120, asking Must Go! $60 COLEMAN Inflat. ne Ave. twin sz. mattress, $20 NESS (352) 628-4224 Lawn Sale DINING RM. TABLE n-2pm w/6 chairs, excel. cond, emont Ct $225. 14 New Aluminum NESS Windows (352)341-1714 yard sale. ENTMNT CNTR a-5p 8x14 Lite Color real wood ility trailer $350 TV (Sony) 32" great o David to cond. $125 SMW Paul Dr. (352) 382-5793 NESS For Sale 16' Aluminum in. 10-4 extension Ladder, ols, stereo, 7 ft. Fiberglass step -s, books ladder 5ft, Wooden entice Ln. step ladder All for $75. ka to Anna (352) 465-1266 E. Prentice GENERATOR NESS New Troy Bult 5550 Watt, ., bikes, etc Portable Home ker St. Generator. Never used. Comp Rd.) $450 abo. NESS Bill 817-8342 yNESS GOLF CART BATTERIES point Ln THE BATTERY MEDICS od Estates) 36V & 48V Sets $245 k ct Free Delivery 1 yr. warr. NESS Contact Mark @ ay 8-3 727-375-6111 chbark Ct. HOMEOWNERS If you ?NESS would like to sell your Antiques, home or mobile for ue Items! cash quickly, call ass from the Fred Farnsworth ; Alley (352) 726-9369 kNTO I BUY JEWELRY 30, 4-7P $$$CASH $$$ Market Costume/Vintage eaways (352) 447-7294 s Club Hse NTO KARASTAN RUG, 8'xl 1'. m Wool, moth resistant. 3 Moving Smoke/Pet Free. From Clothes, Interior Decorator n, ew John Pkg. Beige, Red, Green tractor & Modern, $225 746-4639 ch more. ked Branch LIFT for .NTO Motorcycle/ATV ile, Sat. 8-3 $55 Lead Sled er view Dr. (Caldwell) rifle rest $55 Avalon (352) 560-7168 NTO PIANO $75 8:00-2:00 Couch $50 y Clothes, Very Good Cond. ecor. Items, (336) 693-7700 5409 W. POOL TABLE Ridge Dr. Brunswick, new cond. IOSASSA All access. $500 obo SAT. 7A-4P (352) 613-6500 aek Rd. to PORTABLE GRILL Garcia, 24 X 30 w/2 bags of arcia Rd. Charcoal Briquettes. IOSASSA Like New! $30 lam 4pm (352) 746-7044 goods, some REDECORATING contractor MAGNOLIA GLEN B&B nerator, Dec. 4, 5 & 6 Onlyl tree Path Qu Comforters, $30ea RIDGE 1 Lg. Wing Chair, $50; y8am Dec. Pillows, $10 ea; sheriff Dr Long Stem goblets, $3 IDGE ea. Gospel Island, 7702 E Allen Dr. 3 Fam. Sale (352) 726-1832 SSOM DR IDGE c Schiaparelle Mink Stole RIDGE Paris. Like new, size am-2pm small. $225 Ishld Items, (352) 726-6429 fishing gear TRAMPOLINE Grand Dr. Goodshape $1 00/obo 'IDGE BUNK BEDS, like new, y 8-3 $100/obo ss. Cleaner, (352) 613-4000 up. & Boat TV (SONY) e, 10" Table 32" w/Stand $125 Bed ,arron Dr. Full-size 4polster arronDr. Complete$125 ?n/Homa 517-899-5322 Ing, Books, Used Reverse Osmosis Old Tools, water system, $75 at. 8-2 (352) 341-2447 etson Dr. GABERGER 46 Sat8-12 [A M P1 COOCHEE onre, SALE manicure ions, tanning bed, still under * warr. w/Lotions, station- ary massage table, multi functional facial mach, facial bed w/ lew Sz. 6.5, creams. 352-634-5349 . Because of health. ACCOUSTIC ELECTRIC GUITAR $100 (352) 422-2187 BASS GUITAR Fender Squire P Bass Honey tone, practice amp, exc. cond. $160. (352) 249-1005 Magic Geni Organ very good cond. $250. (352) 637-6354 YAMAHA CLAVINOVA ELECTRIC PIANO CVP107 $3,000 (352) 344-1973 Max Exerciser, just like Boflex, new cond. $290. (352) 795-7513 WEIDER PLATINUM XT 600 DIGITAL GYM Folds for easy storage. Exc. Cond. $100 (352) 628-7501 WESLO CADENCE C-44 TREADMILL Used 5 or 6 times. Digital Read-out. Folds up, $199 (352) 341-3613 8' Regulation Solid Oak Pool Table, 1" 3pc. slate, web pockets, oak rotating cue Caddy, 2 oak billiard stools w/drink and cue hold- ers, stained glass look billiard light, all access, exc. cond. $1200 firm. Call (352) 341-1637 Boys Bike, $20. Reese Hitch, w/sway bars, 12,900 lb. $175. (352) 527-4664 Double Hoop Basketball game electric score board like new $100. (352) 746-0284 *FREE REMOVAL OF. ATV's, bikes, cars, jet skis mowers, golf carts, We sell ATV parts 628-2084 GOLF CART BATTERIES THE BATTERY MEDICS 36V & 48V Sets $245 Free Delivery 1 yr. warr. Contact Mark @ 727-375-6111 GUN & KNIFE SHOW Brooksville HSC Club Dec. 1, 9am 5pm Dec. 2, 9am -4pm Hernando County Fairgrounds Admission $6.00 (352) 799-3605 GUN Glock -21 .45 Cal. $450 (352) 726-4334 GUNS(2) Siginaw MI-Carbine '41 $800 SKS Monte Carlo Stock $300 .(352) 726-4334 MEN'S IRONS: BAZOOKA J-MAX 5-PW, Graphite Sr. Flex $225; MEN'S IRONS: 3-PW, Graphite Reg, $175 (352) 860-2828 PAINT BALL GUN TIppman, A-5 RIT Paid $300. Sell $175 LIKE NEWII (352) 302-7824 POOL TABLE New, regulation size, complete. FOOTBALL TABLE $500/both OBO (352) 302-5519 POOL TABLE White Pine. Good Cond. $500 BIO FORCE Exercise Equip. New! $1,000 352-746-2551/613-5447 = = = ,=,, 11 10% OFF SALE" I Any new or used I I Trailer "In Stock" w/ad. EZ Pull Trailers S6532 W. Gulf to Lake S Exp. 12/22/07 3 AXEL TRAILER Heavy duty, 18' with rampl Could haul Back hoe. $1,000. (352) 697-1911 8'X18' HAULMARK ENCL. Tandem Axle Car Hauler, rr ramp &sd dr, $2500. (352) 795-4770 Equipment Trailer. 6 ton, 18ft, deck over $1,200 (352) 726-6864 FLATBED TRAILER 6 x 16 HD w/winch Tan- deM Wheels, 2 ramps. Will carry sm, truck, backhoe. etc, $1,050 (352) 628-3674 NEW 3 MOTORCYCLE TRAILER. W/gated ranrrp, Front wheel locks, $975/obo (352)697-2766 Older Double Horse Trailer Fair Condition $650. (352) 795-4993 Open Utility Trailer 5'X7' 2000lb. load capacity, $300. (352) 464-1476 UTILITY TRAILER 4 X6, Rear gate, mesh floor. $250, (352) 344-4971 - -- Q aerial tent - Available from Commercial News Providers" w 4-mp4 -mlo _- -- -- - ,i o w O O Vintage BASEBALL BATS Any condition, Ball gloves, team balls, & trophies.(727)236-6545 WANTED Full or Med. station wagon, '82 or earlier Must be V8 and rust free (352) 628-9559 NOTICE Pets for Sale In the State of Florida per stature 828.29 all dogs or cats offered for sale are required to be at least 8 weeks of age with a health certificate per Florida Statute. AKC YORKIE PUPS Six- Health Certificates 8 wks old $600. Excel. Xmas Present 352-726-5576 AKITA Puppy Female AKC 10wks Health Cert $300 (352) 228-3679 BABY COCKATIELS $35 YOUNG ADULTS $20 (352) 726-7971 DESIGNER PUPS Happy, healthy, & vet checked. Will hold till ChristmasI (352) 465-3785 GOLDEN RETRIEVERS Pure breed pups, light colors, 1 male, 3 fern, shots/ heath Cert. Prnts on Prem, $350. Ready 12/8. 352-628-6050 Humane Society of Inverness offers Low Cost Spay & Neuter Service Starting at $20, Cat Declawing $60, Teeth Cleaning $75, Call for appt. (352) 726-8801 JACK RUSSELL PUPPIES 1 female, 3 males, 1sts'-,: I--.l- h .-..l (352) 697-0796 LAB PUPS AKC Reg. Blks. $200; Health certificate vet approved (352) 795-1902 LAB PUPS AKC. Black & Choc. Ready Now. $300 (352) 795-5444 LAYING HENS, $7, Peking Ducks, $10; Peacocks, $150/pr. Or trade. Inverness (352) 344-4434 Mini Dachshunds 10wks Health cert. wormed, shots. Parents on prem. 352-302-8807 pis Iv msg Serious Inquires only. MINIATURE PONY 11 Mos. old, very sweet GOAT 10 mo. old Both females, must go together, (352)795-7513 MINIATURE SCHNAUZERS Reg. Males, vet checked, $400. 352-423-3282 SCOTTISH TERRIERS Reg. ACA. Mom & 3 Males. 13 Wks. Cute little Christmas Bearsi First $375/Mom $200 (352) 726-0133 SHIH TZU PUPS 8 weeks old all shots & health Certificate. Black & White & Brindle Fem. $500 Males $450 (352) 637-9241 Shih-Tzu Puppies For Sale $600 $750 ACE OF PUPS (352) 527-2270 (305) 872-8099 Shih-tzu Pups 8wks old, AKC Reg, all shots Health certificate $550/ea Grt Xmas Gift 352-465-0385/875-8349 SIAMESE KITTENS Seal Pt., Blue Pt., pure bred & Health Certs. $300 Will hold for Chrlstmasl (352) 228-1906 V .1-. - BUYING US COINS Beating all Written -09 offers. Top $$$ Paid (352) 228-7676 TOY POODLE PUPS BUYING US COINS RECORDS WANTED ready to go, Health Beating all Written LP's, 45's, and 1st shot, tales offers. Top $$$$ Paid From 50's & 60's docked this $400 male, (352) 228-7676 (352) 697-0087 $500 fem. 352-503-6026 PURE BRED GERMAN SHEPHERD PUPS 1st shots, $500. Call (352) 220-2531 YORKIE POO Male & Female, 8 weeks old adorable $450. (352) 465-3147 LARGE DOG CRATE good cond. $65. (352) 637-6354 2005 Longhorn 4-Horse Bumper Pull, Step-Up Trailer. 1 owner. $4,000 obo (352) 726-1295 GIVE SOMEONE A HORSE FOR XMASI Gift Certificates avail. for scenic trail rides $35 Eng/West Lessons $25 (352) 628-1472 Tennessee WALKER Regst'd Mare, Gentle real pet good trail horse 7yrs old $1,100 (352) 860-1938 Yearling Colt, Palomino & white, $1,000., Shet- land Pony, Mule, $500. ea, Black & white spotted Sattie Horse, $2,500. (352) 794-0475 BABY FEMALE DONKEY 5 mo. old. $500. (352) 637-4138 CR Riv./Hernando Rent/Buy 1 & 2 BR's, Furn./Unfurn., No pets, 1st/lst/dp 352 -795-5410 CRYSTAL RIVER- 2/1 $350 + Sec. 3/2 DW $575 + Sec. HOMOSASSA 1'.. -H5 t$500 -Fec HOM/LECANTO B.$-3 380 Sec. 1 ;- $475 Sec Don Crigger Real - Estate (352) 746-4056 Crystal River 2/1 on secluded Acre $500./mo 352-637-2973 CRYSTAL RIVER 2/1, Porch, No Pets $495 Ist/lost/sec. 422-1031 CRYSTAL RIVER 3/11/2, $475, 2/1, $450 1st, Ist, sec. No Pets! (352) 563-2293 CRYSTAL RIVER 3/2 $575/Mo. CLEAN 2/1 $500/Mo. CLEAN $700 Sec. No dogs. (352) 447-0333 HERNANDO 1BR, shed, $450/mo $1350 total move In. 352-344-1845 HERNANDO 2/2, W/D HU, CHA, 3526 E. Teepee Ln. $125/wk. $500 dep+lst 2 wks. (352) 464-0719 HERNANDO 3/2 DW w/washer & dryer area on 2 acres $650mo. (813) 843-2105 HERNANDO Lg. DW 3/2/carport on 4 ac, scrn room. New AC, water soft, W&D remodl'd. No smoking; $800/ mo. F/L/S.352-344-4250/ 214-4202 HOMOSASSA 1/1 & 2/1 Ist/Ist/sec. 352-634-2368 HOMOSASSA 2/1 $500/mo. Quiet area (352) 795-6862 HOMOSASSA 2/1/2, SW, scrn. par part. furn., carpet, Cen. Air, no pets $575. mo. + util, 1st, 1st & sec. (352) 563-2896 HOMOSASSA 3/2, NICEI $600 + Sec. (352) 228-9027 INGLIS 2/1, 1/4 acr, Completely furn., ready to move In Sorry Nosmoking/pets $650mo. 1st & Sec. (352) 447-4628 INVERNESS 55+ Lakefront park Exciting oppt'y, lor 2BR Mobiles for rent. Screen porches, appl., water incl. Fishing piers. Beautiful trees $350/up Leeson's 352-476-4964 INGLIS 1 Bedroom, completely furn. all until. Incl: $500.% (352) 447-4628 INVERNESS 2/2 $600/mo. 1st &sec, (352) 302-2135 INVERNESS " Rent/Buy opt. Lg 4/1 $795/mo. 352-560-3355 LECANTO 2/1 $500/mo. + $500 sec. No pets/smoking. (352)746-6687/302-1449 3/2 $199/mo HUD Homo 5% down 20yrs at , 8%apr. For listings calls 800-366-9783 Ext 5704- 1BR Furn. Carpt Scrn rm. $500: IBR unfurn.. $400 1 BR RV turn $325, No pets. 628-4441 BANK FORECLOSURE , 5BR, $37,500. 2BR $12,800. For listings 800-366-9783 Ext 57144 DW 6Rms Furn'd KingN bed New Fridge DW 8& TV No pets /Smoking-, (352) 628-4441 b FLORAL CITY 2/2 $500/mth, $1500 total. move in. 352-344-1845, -U S ew 5/3 2100 st, spacious I kitchen, platinum appl. pkg. delivered and set up, Sonly $59,900! I SUN COlNTRY I HOMES 352-794-7321 NO QUALIFYING w/40% DOWN. $89,900 NEW!- Never lived in; Drywalh T/out. 352-746-5912 3/2 $199/mo HUD Hom* 5% down 20yrs at - 8%apr. For listings call. 800-366-9783 Ext 5704,. BANK FORECLOSURE k 5BR, $37,500, 2BR ( $12,800. For listings 800-366-9783 Ext 57142 HERNANP; 2,2, .. laur,3r' ' *n.il p.-I ...-..ar :11. , 3531 Flying Arrow Patht $750. Possible rent to own (352) 560-0043 7440 CHASSAHOWITZKA 4/2, $950/mo. , 11438 MARY ELLEN TERI 2/2 SW $450; Both - Istf/lst/sec. No pets. 727-480-2507/480-2216 E ior '/2 AC. N. of CR Mafl In well maintained . neighborhood $119,900. (352)257-1578 2/1 INVERNESS City water/sewer, nice, lot near park, $32,000- Parsley Real Estate, In& 352-726-2628 ' Call Gareth Rouillard (352) 422-5731 2/2 DW, 1/3 crnr acre Riverlakes Manor. Nev' AC, septic & well. All i appli's inc W&D $59,900 Owner Fin. w/$ 10,000 down (813) 240-7925 2/2 SW Furn. Bk Porch, & 2/1 SW, Roofovetf Frnt Porch w/awning,i wrk. Shop, Pole barn oh 5ac. $156K/obo a (352) 628-7956 , BELOW APPRAISAL Assume Mtg. of $76,852 on '98 3/2 DW on /2 Ad' MOL. New roof & remodeled baths. 6943 W. Grant St.,,Hom. 352-464-3994 For Apptf. BEST OF T THE BEST #1 Volume Dealer' Can't be Beatl , 32 x 80,4/2 Only $72,900. - on your lot or ours Land Available! - CALL 352-621-9182 By Owner 2/2, (15X66)r SW on 50X125 lot. Newly dec, 8X10 porch, Chain link fenced, CHA, all appll. Great area. $43,900 352-464-54894 CRYSTAL RIVER r Definitely Not Your average Manufactured home. Completely ' remodeled 14X73, , 2/2 open floor plan , w/fenced yard. $69 500/option??' 865-414-2318/ 352-795-5641 *"Copyrighted Mal 0 Syndicated Conti FRIDAY, NOVEMBER 30, 2007 5D YOU NEED TO KNOW EXACTLY WHAT YOUR CAR IS WORTH, NO MATTER WHERE YOU PLAN TO BUY! CALL THE INSTANT APPRAISAL LINE... IT'S FREE! 4800-342-m300 NISSAN TE NTV EVENT 2008 NISSAN MODEL 52268 2007 ^ ^EE TWO OR MORE AT THIS PRICE! F FRE MESE $1 VERSA, EE 24 HOUR RECORDED SAGE WITH INFORMATION ON THIS VEHICLE 800-325-1415 EXT. 1322 2,990 NISSAN ALTI MAI S2007 SENTRA FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION S AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3922 s187A MO s10,988 2007 TOWN & COUNTRY FREE 24 HOUR RECORDED --- MESSAGE WITH INFORMATION AND SPECIAL PRICING .' ON THIS VEHICLE 800-325-1415 EXT 3926 SAVE 7000s1 7,988 2007 MERCEDES BENt FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION ,,,~ AND SPECIAL PRICING < 1 ON THIS VEHICLE 800-325-1415 EXT. 3887 SAVE s700oS27,988 2007 TAURUS FREE 24 HOUR RECORDED S- MESSAGE WITH INFORMATION AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3928 189 MO s10,988 2007 CADILLAC :AR FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION ON THIS VEHICLE 800-325-1415 EXT. 1328 s18,990 NISSAN FRONTIER FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION ON THIS VEHICLE, 800-325-1415 EXT. 1332 68 TWOORMORE AT *15990 58 THIS PRICE! NISSAN TITAN TWO OR MORE AT THIS PRICE! FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION ON THIS VEHICLE 800-325-1415 EXT. 1336 117,998 NISSAN XTER 817 TWO OR MORE AT THIS PRICE! FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION ON THIS VEHICLE 800-325-1415 EXT. 1340 p18,990 U U 2008 MODEL 49 NISSAN 9218 TWO OR MORE AT THIS PRICE! 5 ARMADA FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION ON THIS VEHICLE 800-325-1415 EXT. 1344 129,990 FREE 24 HOUR RECORDED -.MESSAGE WITH INFORMATION AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3919 SAVEW 1O,20 27,988 2007 MURANO FREE 24 HOUR RECORDED S---- MESSAGE WITH INFORMATION _i AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3932 SAVE '7400 20,988 2007 ALTIMA FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION AND SPECIAL PRICING 'L ON THIS VEHICLE 800-325-1415 EXT. 3918 6277 MO s41 5,988 2007 TRAILBLAZER FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION 'I AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3902 $298 MO s17,988 2007 MAXIMA FREE 24 HOUR RECORDED -.- MESSAGE WITH INFORMATION / AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3836 SAVE1 3,300 25,988 2007 ENVOY FREE 24 HOUR RECORDED ,- MESSAGE WITH INFORMATION AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 359 SAVEW7300 s1 8,988 2007 ACCORD FREE 24 HOUR RECORDED .-- MESSAGE WITH INFORMATION AND SPECIAL PRICING en-1-: ON THIS VEHICLE 800-325-1415 EXT. 3859 $277 MO S' 5,988 2007 FOCUS FREE 24 HOUR RECORDED -- MESSAGE WITH INFORMATION JAND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3929 1 69 MO s9,988 2007 AVALON OCALA NISSAN FREE 24 HOUR RECORDED S =--z-. MESSAGE WITH INFORMATION ,7.: AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT, 3850 SAVE $8300 20,988 FREE 24 HOUR RECORDED MESSAGE WITH INFORMATION AND SPECIAL PRICING ON THIS VEHICLE 800-325-1415 EXT. 3912 SAVE $9200$24,988 2200 SR 200 (352)622-4111 (800)342-3008 ALL PRICES WITH -1,000 CASH OR TRADE EQUITY PLUS SALES TAX, LICENSE FEE AND '395 DEALER FEE. ALL INVENTORY PRE-OWNED AND SUBJECT TO AVAILABILITY PICTURES ARE FOR ILLUSTRATION PURPOSES ONLY. 2200 SR 200 (352)622-4111 (800)342-3008 ALL PRICES WITH '1 00O CASH OR TRADE EOIJTY PLUS SALES TA, LICE NS E EE AND '395 DEALER FEE ALL INIVEITORV PRE.OWt ED AND SUBjECT TO AVAILABILTY PICTURES ARE FOR I LLUETRATIOI PURPOSES ONL. PAl MENTS a 72 MONTHS @6 v-APR W C A CITRUS COUNTY (FL) CHRONICLE I TWO OR MORE AT THIS PRICE! 2007 aL MODEL 5 226 2008 MODEL 61718 2007 MODEL 041 I , I I OSVI p ..d CITRUS COUN (FL) CHRONICI- <-. SD FRIDAY, NOVEMBER 30, 2007 Sng New Furniture? __7-.._ _ :,. J-,J ;.,., DSOEOC"MOST INTEREST DISCOVER OCA s'MOST INTERESTIN-GPPF,,vU~l ;5IW lEE DELIVERY TO CITRUS COUNTY I I LI I ;O liI . -,' , y 1. FjuDrY, NOVEMBER 30O, 2007 7D Cr 1Rus Coumy ~ (FL) CHRONICLE LSIID F. place 2002 Model 28 x 60 new carpet & ppl's, paved rd. home is like new $76,900. Days 352-302-7332 Eve. 382-0654 FORECLOSURE Land & Home 3/2 on 1/2 acre $107,250. Will finance @4.75% Interest WAC Call 352-400-5367 HERNANDO 2/1 / 2 scrn. porches, 1 wood deck, all new in- side, Quick sale $43,900. at 3199 E. Buffalo Ln. West side of Hwy 200 INVERNESS Hjge Dbl Wide, 1,968' under roof, 1295S Golddust Ter. $69,900. Day 344-3444 Evening 344-3084 o1nterlor Remodeled ,'o Must Sell Fast! e 2/1, $42,000. obo Poug (352) 601-3851 INVERNESS 2/1.5 Son 2 ac. 840 sq.ft. $ ,500 down. $650/mo. ,'p (813) 770-5349 0 CREDIT CHECK Lake Rousseau Deeded access. 1 acr. :Ag. like new DW, 3/2, ."Riverbend Rd. Area $92,500. (352) 897-4070 3NEW3 BR, 2 BA I.' Delivered and et Up. AC, Skirting, i ermits and rehooks I- $318.68 mo. SP&, WAC -First time Home Buy- m ers program avail. SUN COUNTRY HOMES 352-794-7308 S'NEW JACOBSEN 2008 MODEL 28x 52, 3/2, country kit. .'" ceramic tile, 2 x 6 r. instruction 30-19-22 fssulation $10,000 in gradee options, Buy .fIlionly $49,900. on your t or buy one of ours for only $15,500. 1 acre on paved road 0 352-621-3807 No Money SDown! SLocal Lender has .' Repo's and (" Foreclosures. Rtes as low as 4.75%, i I yr. term Call Lauren -inancial for details, :,"352-621-3807 or 352-302-7332 4 Spec Homes C1, 3, 4 & 5 BdRm I I Packages Available " Multiple Sites |" to choose From 0 ckages starting at i $79,900. ..-' special FHA fin. ' avail. V- SUN COUNTRY I HOMES 352-794-7309 n m-- = -E 4 NEW MODELS& excellent t Amenities Gated Community 5 55+ 'BRAND NEW HOMES ,1$68,900.-$129,000. .Phone 352-795-7161 '2/1 INVERNESS 55+ MUST SELL Beautiful Remodel $13,500 352-400-4891 2/1,55+, roof over, central air & heat, -carport,util. shed,'w/ wash/Dry, $7.500. (352) 564-0843 -g/1, excel.cond., nice clean, 55+ park new "carpet, tile, Updated itt. & bath, scrn. porch, crport, shed, $13,500. ..*(352) 860-1795 40' PARK MODEL 'IBR+ sm. office; '94 ShorPark. Adult park. jhed, W/D, loaded! Beautiful! Good Cond. $27K (352) 794-0062 55+ PARK, 3/2 ,Lpw mo. rent. w/furn. t&appl. Lg. lanai, Strg., .,:orch. $18,500 Neg. .. 352-746-9595 '94 PK MODEL Sr. prk, 1/1, sliding drs, CHA, New: gas tank, scrn & deck rm, steps & wablk. REDUCED $16,000 (352) 726-8902 DUNNELLON Withlacootchee Backwaters, '98 24x46 airport Porch Patio iO. i J Workshed w/river acess, Many xtras $45K 352-489-0919/427-2119 FOREST VIEW ESTATES Great Loc. Pools, clbhs. &,more. Move-in roady, comp. turn. 2/2 DW, 4Wheelchair. acc.shed .. sprklr.$51,900. (352) 543-6428/ 352-563-1297 INVERNESS 1/1 Part Furn g,".- Quiet 55+ pk. Cvrd cement patio, dOni appl., air move in now. -. Inverness 55+Pk, $29,900, Poss. fin.(352) 344-1002 or 302-2824 -NICE older 2/2 on lake in.lnverness Sr. Park. fish- 'ug pier & poss. owner enance. $1,000 down, "$150 mo. + $240 lot .rent. (352) 726-9369 Retirement Mobile 1 Bedroom 10 x 24 scrn in porch, roofover car- port all redone inside excel. cond. $10,000. k52-563-0232 Must See ,- SINGING FORREST 0 X 64, 2/2, turn. like a 0,0 model home. New 1'nai, roofover, Fl. rm., carport. $149 Lot rent. 38K (352) 726-2446 STONERIDGE LANDING 2/2/2 DW, New items Ceramic Tile, Carpet, 2 decks, Sunporch, Bathrm fixtures, appli's S-Move in cond. on ,Lg'keside (352) 634-4360 E. +-2003 DW, 3/2, vinyl '.d'l. Rm., new berber "*-carpet. 6 mos. Free SLot Rent. $62,500 (352) 382-2356 WALDEN WOODS 3/2/carport. Many upgrades. Workshop, glass lanai & many amenities! $95K (352) 382-7334 ,,IEEKI WACHEE 55+ '.'2+/2, carport, shed, ,cmrnd prch, W/D, LR, 'CIR, crnr,. prop. Strm Anrtdws, sprinklers & new .'.- Insulation. $50K "3B2-597-8207/428-1545 'rentwoonVilla5322 Gonrgeus > home eariviewfro lanai ,, : :,:, :T v,.r $ EACTION Mf- KF-kar Biohf Rlanor- Mar Cane r 417 NE 2nid St Ctrs'el RL (352 -R) 75 EN, (800) 795-6855 tw.rusCountyHomeentalscom BEST RENTALS DE-CARLO ESTATES 2/2 Scrn Prch Villa All new $675; 1/1 Apt $400. 352-422-2393 CRYSTAL RIVER 2/1 $350 + Sec. 3/2 DW $575 + Sec. HOMOSASSA DW 2Bed $500 + Sec. HOM/LECANTO 1 Bed $380 + Sec. 2 Bed $475 + Sec. Don Crigger Real Estate 352 746-4056 DUNNELLON 2/2 SW $700/mo W/D Effcy. 1/1 $425/mo W/D 352-625-4339 LECANTO 3/2/2 CBS, Scrn. Rm., No pets $950 + Sec. Don Crigger Real Estate (352) 746-4056 Property Management & Investment Group, Inc. Licensed R.E. Broker Property & Comm. Assoc. Mgmt. is our only Business )> Res.& Vac. Rental Specialists > Condo & Home owner Assoc. Mgmt. Robbie Anderson LCAM, Realtor 352-628-5600 info@propertv managmentgrouD. com A-1 VALUE INN Eff. Rm.$50/dy, $250/wk. OR 3 BR Furn. Home $500/wk., $1,800 mo. 352-726-4744 jQQK CRYSTAL RIVER Newly Renovated 1 bedroom HERNANDO Fully furn, studio, Incl. power & cable. CHA $140/wk + $140 dep. Must have local refer. (352) 746-9398 APARTMENTS FOR RENT 2/1 Apts. Unfurnished Crystal River Starting @ $475 Studio, Full Kitchen. large, bath, priv. entr., pool,no pets $550/mo everything IncI'd ref./sec. (352) 503-5442 INVERNESS 2/1 W/D, no pets, $575/mo. Ist/last/sec. (352) 212-4661 INVERNESS 2/1,$520mo.$1,000 Sec. 1st Month FREEI 352-302-3911 INVERNESS NEWLY REMODELED 2/1 $575mo. $862 sec. 9am-6pm 352-341-4379 LECANTO Lg 2/2, CHA w/i clsts, scr prch. Util rm. $600, 1st. last. sec. 352-257-3473 --....- --- qg Mayo Drive Apts. I Units Available I SStarting at $395. Long & Short Term SRentals Available (352) 795-2626 L -- JI =--1 CRYSTAL RIVER 1 & 2BR Furn. $600 + Dep. (352) 563-9857 LANDMARK REALTY We have a variety of rentals ranging from $450 on up. Call for more information. Ask for Kathy or Janet 352-726-9136 311 W Main St. Inverness BEVERLY HILLS Winn Dixie Plaza 1500sf commercial bldg. avail, for Rent. Call 352-586-0632 CRYSTAL RIVER 326sf Office $425. mo. Waybright Real Estate 352-795-1600, 21/2 BA Townhouse Furnished $800/mo. 352-697-0801 INVERNESS 2/1. pool, dock, $595. (352) 586-4105 INVERNESS 2/2 Villa, excellent location $675. mo. (352) 220-4082 Sugarmill Woods 2/2/2 Lanai, $850m+util Unfurn. (352) 382-8935 DUPLEX FOR RENT 2/1 Duplex $600 moves you in! No security deposit required! Neat & dean. Includes washer & dryer hookup, water, trash pickup. Call Nancy atAction Rental Management Realty, Inc. 417 NE 2ind St., Cystal River, FL (352) 795-RENT NEW DUPLEX Citrus Springs 3/2/1, appliances, furnished. $950 per month lease, deposit. Call 697-3133 725994 Realtor CRYSTAL RIVER I/I $600/Mo. Broker/Ownr 422-7925 CRYSTAL RIVER 1/1 Real nice! $450/mo. F/S (352) 228-9027 CRYSTAL RIVER 3/1 New Tile Floor, New A/C $600/mo Ist/Sec 352-464-3521/464-3522 LECANTO Free months rent 2/1-V2, CH/A, kitch. equip., like new, great neighbors sm.pets considered $595 mo. 344-8313 LECANTO I"il P". '.. ie ).. Je.*. La Coa, Can,.]e, .*;,' 1: r Iurr. -II uill nrc Cbl TV Sips. 2, Ref. req. $685/mo. 352-621-4725 BEVERLY HILLS 2/1/1, Clean! $675 + Ownr/Agt 352-228-3731 o HOMOSASSA 3/2 lac, like new, $600. 352-634-1764 INVERNESS Roomy 2/2/2, on large fenced lot, CHA, handy cap Acc. pets, 1023 Turner Camp Rd. $800. (352) 560-0043 Rentals COUNTYWIDEI GREAT AMERICAN REALTY ALL PRICE RANGES! Call:352-637-3800 or see ALL at wwwchoosegar coam RIVER GARDEN 2/2/1, clean, $700/mo + sec. Ref. No pets, (352) 489-6354 5BR, $37,500. 2BR $12,800. For listings 800-366-9783 Ext 5714 HOMOSASSA RIVERHAVEN, 2/2/2 Patroled, restricted, $800 mo. + sec.+ util. (352) 697-0089 INGLIS 5/2, Furn. $1800/mo, Call Lisa Brkr /owner. 352-422-7925 SUGARMILL WOODS 2/2/2 +Lanai,1600 sq.ft. $1,100mo + until. Shrt or Ig term. (727) 804-9772 3/2 $199/mo HUD Home 5% down 20yrs at 8%apr. For listings call 800-366-9783 Ext 5704 BANK FORECLOSURE 5BR, $37,500. 2BR $12,800. For listings 800-366-9783 Ext 5714 2 AVAILABLE DEC. IST BETTER THAN RENT or RENT TO OWN 2-3 BR. NO CREDIT CHECKII 352-484-0866 jademission.com BEVERLY HILLS 2 & 3 Bed. FIRST MO FREE CHA, W/D 352-422-7794 BEVERLY HILLS 2/1 $595 + UP. Will work w/youl Call Carol (401) 726-5496 BEVERLY HILLS 2/1, $600mo. + Sec. 14 Taft (352) 697-1907 BEVERLY HILLS 2/1/1 Fmn&Scn Rm CHA W/D, Fenc.Yd. Shed, $650/mo DEP $700 352-795-9060 BEVERLY HILLS 2/1/1, Pool Home $675. mo 352-746-6022 BEVERLY HILLS 2/1/Fl.Rm., $635mo. + Sec. 20 N. Osceola (352) 697-1907 BEVERLY HILLS 2/2,95 S. Osceola, Fl. Rm. nice yd. w/ shed $825. mo., 352-613-0229 or 352-270-2055 BEVERLY HILLS 2/2/2 + Bonus Rm. $750 mo.(352) 527-1051 BEVERLY HILLS 2/2/2, 352-464-2514 BEVERLY HILLS 22 N. Wadsworth Ave. 3/1, tile, new carpet, inside util., $675 + Sec. Realtor Owner Anne (727) 463-1804 BEVERLY HILLS 2BR/Gar. Remod. $630 (352)564-9378/613-2226 BEVERLY HILLS 3/2/2, CHA. $900 mo. Inc. Util. Ist/last/sec. (352) 503-6049 2/1 Remodeled W&D Central Air, $625. mo. (609) 457-9349 CITRUS SPRINGS 2/2 W/D Nice Home. No pets.$750/mo. lIst/Ist/sc 352-746-2957 CITRUS SPRINGS 3/2/2 homes w/ covered porch starting @ $750/month. Many homes pet friendly. aActlon Prop Mgt-UcRE Broker 386-931-6607 or 866-220-1146 www CftrusSorings Rental.net CITRUS SPRINGS 4/2/2, Newer Home, lawn serv. incl. Near golf course. $975. mo. 352-812-1414 CITRUS SPRINGS 8249 Triana Dr. 2200sf 4/2/2 crnr lot. 1.5yrs old Will consider Lease/opt. $1000/m (813) 716-5605/1, tam. rm., water, gar. & pest, Incl. $675. + sec. (352) 464-2716 CRYSTAL RIVER 3/1 Near hosp. $745 (727) 631-2680 CRYSTAL RIVER 3/1. $800/mo. Ist/ last/sec. Call 628-1062 CRYSTAL RIVER 3/2 Clean, $800 mo. 352-795-6299 697-1240 CRYSTAL RIVER 3/2/2 Tropic Ter w/pool, No pets. fenced yd. $975/ mo + Ist/last/sec. 352-697-0796 Crystal River N. 2/1, $650. mo., $650. Dep. country area.Lake Access 352-795-7205 CRYSTAL RIVER Nice 3/2 golf view,big lot/shed $895mo 352-302-9345/795-4517 FLORAL CITY 2/1/cprt, laundry rm. new paint, $575/mo 1st/last/sec. 726-4285 Forest Ridge Village 2/2/2 $825.00 Please Call for more Info (352) 341-3330 or visit the web at: citrusvillages HERNANDO 1/1, Lg. Yard, Hwy 200 $400. mo $350. dep. (352) 637-0188 HOMOSASSA 2/2 Brand New, close to river, all applncs.Fenc'd Yrd, Prvt, non-smoking, No Pets $800+Sec(1 mo) (561) 312-5695 HOMOSASSA 3/2 Country Home. FP, $725/mo, + Sec. negot. (352) 628-5752 Homosassa Sprng. Remodeled 3/2 on fenced acre, Fl. Rm., Lg Deck, 1st + sec. $875. mo (352) 628-0731 HOMOSASSSA Duplexes /1 $400; 2/1 $525. Meadows 3/2/2 Houses from $750; RIVER LINKS REALTY 628-1616/800-488-5184 INV. HIGHLANDS 2/1 & 3/2, fenced yards AC, camp. remod. $750 & $850 352-489-6729 INVERNESS 3/2/2 Uke Newl $750 mo. Kim (352)634-0297 INVERNESS 3/2/2, Lake Area. New int/ext paint $840. mo. (352) 341-1142 INVERNESS Brand New 3/2/2 Home W&D Hook ups- Dbl Lot All Appliances, No pets, F/L/S (352) 302-3927 C" Ret:Hose c= Unfrnishe INVERNESS Close in 3/2/2 City H20 $850 Ist/Ist/sec No pets 352-344-1831/634-0871 INVERNESS Extra Lrg. 3/2/2, fenced back yard, scr. porch, kitch. equip., CH/A, eat in kitch. & formal DR Don't miss out! $950 mo. sm. pet considered 352-344-8313 INVERNESS WOW! 2/1/1 caged pool w/pool serv. pro- vided Kitch. equip., great neighbors, just $875 mo. 344-8313 LECANTO 2/1 $650 F'd yd. Fish Pond. 4 lots 628-7042 LECANTO 3/2/2 CBS, Sc Rn. Rm, No pets $950 + Sec. Don Crigger Real Estate (352) 746-4056 R.L.E. DUNNELLON 2/1.5, FP, laundry, $550 352-347-5161/572-2993 RAINBOW LKS EST. REDUCED! 2/1, Cute Gingerbread house on Ig. lot. $595 3/2/1, CLEAN! $820 Great neighborhood. (352) 527-3953 SMW 2/2/1A, Spacious Atrium Villa, w/yard care $795; 4/2/2 House, like new, $1025; RIVER LINKS REALTY 628-1616/800-488-5184 -Ul CRYSTAL RIVER 2/2/1 Canal Home, scrn prch, fncd bkyrd, dock, mint. Pets ok, 1st, Ist. Sec. Avail Jan thru Apr. '08. (352) 843-8437 CRYSTAL RIVER Attn! Power Plant Workers/Snowbirds, Rentals Avail. for all situations 352-628-0011 CRYSTAL RIVER Waterfront Rentals 2,3 & 4 Bedroom $1200 $2100/Mo. For Details Sam Latiff @352-422-7777 ERA Suncoast Realty 352-795-6811 DUNNELLON 3/2/2 waterfront w/pool & dock.on 1.2 acres MUST SEEI $2300/mo F/L (352) 322-0199 DUNNELLON 3/2/2 waterfront w/pool & dock.on 1.2 acres MUST SEEI $2300/mo F/L (352) 322-0199 HERNANDO 1 BR Apt.,turn., on lake w/dock, clean, off Van Ness Rd. No pets, $850. + dep. (270) 320-3332 (270) 320-4312 INGLIS 2/1 28 Canterbury. New dock. $550 1st + Sec. (352) 243-5589 INV./GOSPEL IS. 3/2 & 2/2 for rent. Possible Lease Opt. (954) 663-0405 INVERNESS Rent/Lease, Townhouse 2/2 Pritchard Island, tennis, pool, W/D/appl., Master suite scr. rm. $900 mo. 1st, last, sec. (352) 697-2077 UNFURNISHED HOUSES CRYSTAL RVR. 4/2V2/2, huge LR, Central Local $1125; HISTORIC HOMOSASSA 3/1A/ carport, dock, $1050 RIVER LINKS REALTY 628-1616/800-488-5184 3/2/2 3 SISTERS AREA Furn. w/pool tbl. Boat slip, floating dock, all until Incl. $2,000/mo. 352-220-6631/258-6000 INVERNESS Share country home on 2 Ac. Gardens, ponds. No smoking/pets. Sec. & Ref. $500/mo. (631) 334-8444 Bev. Hills/Citrus Springs Several To Choose Low down, Seller finan. EZ Terms, 352-201-0658 CITRUS SPRINGS 2/2/2 Pool. Nice Qulet.W/D No pets. $900/mo. st/lst/sec 352-746-2957 CITRUS SPRINGS New 3/2/2 Rent-to-Own Low Down, Easy Terms Danny (407) 227-2821 A-1 Value Inn Eff. Rm.$50/dy, $250/wk. OR 3 BR Furn. Home $500/wk., $1,800 mo. 352-726-4744 LQOOK CRYSTAL RIVER Private bath, Refs. $425mo. (352) 795-9206 HOMOSASSA Mobile to share. $75 Wk 352-628-9412 INVERNESS Pool, W&D, kit. priv. $115 wk, $100 dep. Refs. (352) 464-2180 CRYSTAL RIVER 2/2/1 Canal Home, scrn prch, fncd bkyrd, dock, mint. Pets ok, 1st, Ist. Sec. Avail Jan thru Apr. '08. (352) 843-8437 CRYSTAL RIVER Attnl Power Plant Workers/Snowbirds, Rentals Avail, for all situations 352-628-0011 HOMOSASSA Lg. 2/1, 5200. wkly Bring SuftcaselL352-628-7862 LECANTO Quiet, Priv. Ac w/ beau. view. Lg. Cozy Camper w/rfovr. Furn. All util. inc. Cbl TV Sips. 2, Ref. req. $685/mo. 352-621-4725 SUGARMILL WOODS FURN. 3/2 POOL HOMES $1600 UP, tax River Links Realty 628-1616/800-488-5184 ~iE SLG. HOME. SEAS. q Wkly/mthly. Fum/ | Unfurn.Pool. All new!l | * 352-302-1370 I Cm\-c-at --o l Eff. Rm.$50/dy, $250/wk. OR 3 BR Fum. Home $500/wk., $1,800 mo. 352-726-4744 LOOQQK Kings Bay Crystal River Waterfront Rentals Furn. 1/1 Apt. Sleeps 4 $1000/mo. Include boat slip. Avail. Jan/Mar/Apr 2008. 386-462-3486 L-U1111J1I ADVANCED HOME BUILDERS HOLIDAY SPECIAL Call Now for Details (352) 694-2900 ADVANCED HOME BUILDERS NO PAYMENTS FOR THE 1st YEAR! NEW HOMES! Call. cOVA Use A MR CITRUS COUNTY REALTY "- A ALAN NUSSO 3.9% Listings INVESTORS RESIDENTIAL SALES COMMERCIAL SALES .(352) 422-6956 ANUSSO.COM TODAY 10am 3/2 CB House + Duplex Crystal River. Great shape. Steal $150KI 352-427-5574 $107,000/obo 1258 W. Bridge Drive Corner lot, 1704 sq. ft. excellent condition Call for Info. (352) 422-4824 3/2/2+, 10x 12mas. BA, w/ jetted tub, dual vanities, whole house stereo sys. & home theater, Move in Cond. $19,900. (352)615-9043 3/2/2, TILE & WOOD FLOORS. Scrnd lanai + Ig. patio. lyr. old. Avail Immediatelvl $165K obo (352) 302-2865 3/2/2 Home on 1.3 AC. Borders State Park, Near Citrus Springs. ForSaleByOwner.com Usting # 21030419 $219,900, 352-465-5233 BUILDER CLOSE-OUTI 3/2/2 Gorgeous! Nice lanall $154,990 Greg Younger, Coldwell Banker 1st Choice. (352)220-9188 CLASSIFIED 1st Choice Coldwell Bnkr. 352-287-9219 2/2/1 VILLA New roof., tile, carpet & paint, turn. or unfurn., $145,500 352-697-2061 N-nM11 U BUYING OPPORTUNITY Well Maintained Home In Clearview Estates, private with mature landscaping. Large Lanai w/Inground pool, 3/3/2, social membership (free golf) & home warrantee included. Interested parties only. $339,000. Contact (352) 228-2228 CITRUS SPRINGS New 3/2/2 Rent-to-Own Low Down, Easy Terms Danny (407) 227-2821 --- nman HOME OWNER SPECIAL SELL YOUR HOUSE TODAY $$$$$$$$$$$$$$$$$ ONE CALL ONE PRICE ONE MONTH ONLY $126.00 $$$$$$$$$$$$$$$$$$ appear in the *Citrus County Chronicle SBeverly Hills Visitor *Riverland News *Riverland Shopper *South Marion Citizen WI est Marion Messenger *Sumter County Times CALL TODAY (352) 563-5966 NEW CONSTRUCTION Move In'NOW $139,900 3/2/2,1900+ Total Sq/Ft. Dave. (813) 966-1846 NEW CONSTRUCTION Move In NOW $139,900 3/2/2,1900+ Total Sq/Ft. Dave. (813) 966-1846 New Custom House By Golf Course 3/2/2, great rm., lanai, laundry' rm., $180,000. neg. (352) 465-7211 (352) 266-5754, # CRC057945 3/2/3 POOL, 1 ACRE Den, DR, Scrnd. Lanai/ Pool. Eat-In Corian Kitchen. Many ExtrasI Immaculate Home! $329K (352)746-4759 4/3 pool home on 1.25 acres. Make Offer! Must Sell! 5248 N BRONCO $269,900(352) 634-2375 ABSOLUTE SACRIFICE New 4/3/3 Pool Home, 2740 sf. under AC, Serious buyers only. $349,900 obo (352) 746-6161 BETTY MORTON Lic. Real Estate Agent 20 Years Experience 2.8 % Commission Reity'ect (352) 795-1555 2 AVAILABLE DEC. 1ST BETTER THAN RENT or RENT TO OWN 2-3 BR. NO CREDIT CHECKII 352-484-0866 jademission.com All new $87,9001 2/1/Carport, w/Fam Rm.1240 SF Uv. New roof, AC, kit. Apple , bath, carpet, paint, tile 100% fin. available agents ok (3%) (352) 464-2160 mIslKr eaf Ir Itrd sk, [o ;1 [o1M1] E'; I ---"^uj^u^^^, ^ ^K itsIHSTST1 Mi ^^^ffl~fir~ifu^SI T ,' HOME FOR SALE On Your Lot, $110,900. 3/2/1 w/ Laundry Atkinson Construction 352-637-4138 Uc.# CBC059685 BETTY MORTON uc. Kealn EsIae Agent 20 Years Experience 2.8 % Commission R(352) 795-15ect (352) 795-1555 FSBO 3/2/2 POOL HOME Well maintained, 2158sf living! Reduced to $272,000. www. lnfotube.net #184194 More into 352-527-4225 1049 W Pearson St Meadows Golf Course 3/2/2, Heated Pool. All Upgraded Appl. Inc. Lots of Tile. City Water Membership Available. $269K (352) 746-6831 Moving/Must sell 3/2 house/2 car garage. 2147Sqft on 1 acre wooded lot in Citrus Hills North. $187,000 352-302-9209 352-302-9208 New 3,900 SF 3/2.5/2 Den, FR, LR, DR, E-I-Kit. w/Corian Counters. Memb. req. Fin. Avail. to qualified. $345K. For showing: 352-201-0991 $103,000/obo 6421 N. Iris Drive Fenced lot 240 x 120, 1356 sf new kit., bath & flooring Call for Info. (352) 422-4824 BY OWNER Priced to Sell 3319 E. Axleford Ct. Canterbury Lakes Estates Adorable 2/2 Cottg. Col-del-sac near Rails-too-Trails updated apple. tile floors/cntrs. Perfect 1st or retrmnt home. MUST SEE! buyer In- centives $179,900 352-637-2847 352-400-0568 Forrest Lake North Newer 1lg. BR/1BA, 1000 sqf., 1 Ac. Fenced, . 12 X 24 Shed w/Elec. 110 X 220 V. Very Good Cond. $99K Must See! (352) 344-5448 THANKSGIVING SPECIAL" SPOTLESS 2 BDRM. 2BA HOME 2 car gar, caged in-ground pool, situated on 2.5 ac. landscaped estate. Fenced for horses & spotted w/ mature oaks. Everything new. If you are looking this is a must seel REDUCED TODAY 820K Now Asking S249K Contact D Crawford for details. (352) 212-7613 I .vrns BONNIE PETERSON Realtor, GRI Your SATISFACTION IsJMy Future!l (352) 586-6921 or (352)795-9123 Charlotte G Realty & Investments LLC GOLF COMMUNITY 3/2/2 ON 1 ACRE Crystal Paradise Est. Move-in ready. $205K. View @ owners.com/ ADP2303 (877)769-6377 Open House Sat's 10-4 MUST SELL BY 12/31 to avoid foreclosure $100k below appraisal, like new 3,500 sf, country ranch In Crystal Manor 2.4 acre corner lot, w/ attached 2 story gar. apt. Now-only $310 k. Qualified Buyers Contact owner at (352) 220-8310 Nice, older 3/1, remodeled, off Rock Crusher Rd. Lrg. treed lot. $73,500 or disc. for cash. Possible owner finance (352) 726-9369 Deal Of The Century New 4/3/3, plus pool, 3238 sf, corner, Granite, stainless, brick pavers, excel, financing avail. $399,900. (352)835-3260 .SELLING YOUR HOME? 'TIME ItQ E- UIIIII Michele Rose REALTOR "Simply Put- I'll Work Harder" 352-212-5097 thorn@atlantic.net Craven Realty, Inc. 352-726-1515 MUST SELLI MOVING 10 Acres. Mini Forms 3/2'97 DW, 1746 sf, Fncd. & Crossed Fncd. $229,900 /CASH TALKS 352-563-0830 Iv. mess. -VIC MCDONALD (352) 637-6200 Realtor My Goal Is Satisfied Customers REALTY ONE I Outsanding Agents Omutanding Results -g~fff. FI. Realty & -Auction. Michael Harris (352) 563-0199 , 4/2/2, 2100 SF.$139,900 Beautifully remodeled. New oak cabs, wood floors, timberline roof, fireplace, 2 min. from water. (352) 688-8040 INVERNESS 2/2 VILLA New carpet & appl's comm. pool, club hse. $124,900. (352) 746-4611 PRITCHARD ISLAND $155KIIII 2/2 Remod. All appl. Tiled scrnd rm, Comm. pool, dock & tennis. 352-237-7436/812-3213 SMW, 2/2/carport Furn., Community pool, $157,000. 352 746-4611 20 AC. EASTERN TENN. TRI CITIES AREA Beau. mountain views, gd. roads, streams, power to prop. Border- ing US Forestry Service. $250,000 352-302-0743 N.C. MIn. Cabin & River New Log Cabin. Shell, on Secluded Mtn. $99,900. Acreage on Scenic River, Access Lots. $39,900. Riverfront $99,900. 828-652-8700 BETTY MORTON Lic. Real Esrate Agent 20 Years Experience 2.8 % Commission Re iSlect (352) 795-1555 CHAIN OF LAKES 2 BR carpeted. 2 Tiled Baths Lanal, Liv. Rm. hard, re ent r'utnm ren i r PALM HARBOR 4/2 Tile floor, Energy Pkg., Deluxe! Loaded Over 2.200 sq. ft.!! 30th Anniversary Sale Special!! Save $15KII Call for Free Color Brochures 800-622-2832 ANUSSO.COM 3/2 $199/mo HUD Home 5% down 20yrs at 8%apr. For listings call .800-366-9783 Ext 5704 BANK FORECLOSURE 5BR, $37,500. 2BR $12,800. For listings 800-366-9783 Ext 5714 Marco Polo Village NEW REDUCED PRICE 3/2/2 approx 180sqft Newly Built scrn'd in Linai w/A/C 25'x20', Newly Instl'd Well, Sits on 1 3/2 $199/mo HUD Home 5% down 20yrs at 8%apr. For listings call 800-366-9783 Ext 5704 BANK FORECLOSURE 5BR, $37,500. 2BR $12,800. For. listings 800-366-9783 Ext 5714 0 DOWN TO BUYII $720/mo. + taxes & insurance. 3/2/2 located in Highlands Large home, very clean Needs nothing. (352) 601-5600 12 x 24' Workshop 3 Yr. Old Ranch 3/2/2, Split floor plan V2 Acre, Many extras Asking $183,900. Call (352) 341-0675 1006 Princeton Ln $115,900 3/2/2, IHS, 2,000 sq.ft. under roof, upgraded kitchen & bath, minor TLC 352-563-4169 $26K Below Appraisal 2/2/1, fenced yard, A/C & roof lyr old. $89,000. 302 Edison (352) 344-2752 or 400-2476 3/2 BLOCK HOME Uving & Family rm. Built-in entrtnmnt. cntr. w/FP, nwr. appli's, W/D, 16'X24' wrkshp, fenced yard, $129,900/obo (352) 287-1825 3/2/2, CB, Pool, Fenced, Fort Cooper area, 1326 sf, $127,500. 321-277-5772 Beautiful Neighborhood 3/2/2 New roof, FP, tile, 25X25 LR, Immac. cond. Corner lot. 2100SF. $159,000 352-586-7685. Close To Stores BETTY MORTON Cimus CouNTY (FL) CHRONICLE 8D FRIDAY, NOVEiMBIER 30, 2007 I MSRP $1 Ji MI IMSRP $3 I MSRP $2 CITRUS COUNTY (FL) CHRONICLE 2/2/1 FURNISHED 11874 W Sunnybrook Ct Crystal River. $289,000 (352) 795-1990 or (352) 232-1176 'PRITCHARD ISLAND $155KIIII S2/2 Remod. All appl. Tiled scrnd rm. Comm. pool, dock & tennis. 352-237-7436/812-3213 -U - 1 BUY HOUSES * ANY CONDITION (352) 503-3245 .1-15 HOUSES WANTED Cash or Terms John (352) 228-7523 WE BUY HOUSES CaSh.......Fast ! 352-637-2973 1 homesold com FARMS WATER FRONT Sww.crossland Crossland Realty Inc. Since 1989 '<4-(352) 726-6644 ,INVERNESS 5.3ac. Old '"Eloral City Rd. near Ft. '6oper Prk. on bike tri. --Wooded, $139,000. 941-485-5461/ 223-6870 Lot For Sale .9671 N. Sherman Dr. Citrus Springs, FL .Vgcant Lot 100' X 150' Pjice $ 62,000 or make A -f -" '1 t 'rnNno-Ani 10,ACRES, Inglis Fronting .US 19, 10 wooded parcels. Owner ,s-ifin.w/30% dn.$109K A.Sharon Levins. Rhema Realty (352) 228-1301 S'X+ AC Abundant wild lift, mins to Gulf access 'Boat Ramp and Golf 20. K (352) 257-1570 1 ACRE & /4, i,,ltmes only paved rd, priced under appraisal 'HOM. (352) 400-1448 2 CITRUS HILLS AREA 2.5 acK wooded lots. Asking S6.5K each. Still great Investment, make offer '- Crawford Group , (352) 212-7613 ',DIRECT RIVERFRONT Oomosa. 60' X 120' MOL ,.-Faces Monkey Island -prvt gtd $209K. All Util. 813-695-7787 cell PONTOON BOAT TRAILER Tandem axle, adj., 13" tires, galv., 21 ft. 31 ft.. $1,200. (352) 447-0572 2 YAMAHA -WAVE RUNNERS, 2000, GP760, w/trailer, $5,200/both. "- (352) 257-1355 JETSKIs 'SEADOO(2) GTI SE '07 130hp, Intercooled, 4mo. old, grg kept ,only L16hrs, seats 3. dbltrr, -'3yr wrty. & mnt con- "fract, pd $26k asking .$18k (352) 341-3188 MOLOKINI oCanoes (2) Clear, 11' long, $1300 ea. new, ;-'Sell $600/obo ea. (352) 341-2326. SEADOO '95, XP and SP, w/ trail- ers run great w/new gel battt. $1300 or $2,500 bothh (202) 536-8790 WAVERUNNER 1993. $500 352-746-2551/613-5447 ,*'. WAVERUNNERS SEA-DOOs(3) '96, '98,'00 new trailers 2w/ new engines, need clean-up and tuning. "Empty my Garage" $2500/Trade Cryst. Riv (352) 795-7876 WE NEED BOATS 'OLDATNO FEE selling Them As Fast 'As They Come In! 724 FT. SUNCHASER $19,695 ,, HP Yamaha walker and ext wax. 2010 147 FT. SYLVAN PONTOON $13,900 S, 50HPYanaha S'03 CHAPPARRAL215 DIECCUDDY Meroy5s.0Lnier EDUCED$19,900 200516 FT FIESTA PONTOON $9,800 40 HP Jonsmn,wlrr nd tended waraty 1998 115 HP YAMAHA $2,900 0g9150 HP YAMAHA $4,200 200 HP JOHNSON $1,900 ALUM. JON BOAT 16' W/trlr. 50 hp. Evinrude. Power lift. Many extras $2,200 (352) 726-0559 AQUA PATIO Good ol' Pontoon Boat! '87, 60 hp. mtr. Full top, like new carpet. $2,800 (352) 621-0911 BASS/BAY BOAT Welded Alum. '00 Skeeter SX 18, 90hp Yamaha, Trll. New 24v trolling motor, New Garmin Fish/Depth, New Batt Chrgr. Live Well, lots of storage, SS Prop, $8750obo (352) 419-4009 AAA BOAT DONATIONS Tax Deductible when donated to a 43 yr old non-reporting 501-C-3 Charity. Maritime Ministries A (352) 795-9621 A CANOE 15' Coleman. Exc. Cond. $350 (352) 344-9810 CITATION '86, 19' Cuddy Cabin. 4.3 L Merc. I/O, Canvas cover, G76 GPS, Depth Finder, VHF. C.G. Acc., Alum S/A Trlr. $5,450obo (352) 563-2587 CLEARANCE SALE New GaIv. pontoon trailers, 18FT $1,499. 20FT $1,549 22-24FT $2,199 While they last Other models avail. Call for bargains 352-527-3555 DURACRAFT 15' 6hp Yamaha, Low Hours, Wesco Trlr, 2 swvl fishing seats, $1895 352-634-3679/628-5419 FISHER PONTOON 20' w/trailer '05. Low hrs, Mercury 60 hp Bigfoot eng. Fishing seats. LIke Newl $9,000 obo (352)428-7348 GRADY WHITE 22' Cuddy, 200hp Evnrd, SS prop, New Bimlni, Alum. Trir, New tires $8.000 (352) 447-1244 HOUSEBOAT, 30' CLASSIC '65 Rebuilt top to bottom. $16,500. Sacrificel352-726-9647 HURRICANE DECK BOATS SWEETWATER PONTOONS CRYSTAL RIVER MARINE (352) 795-2597 MULLETT BOAT 15' Saltwater Products License W/ Restricted Species. New/Used Motor, New Cables, 2 cast nets. Boat & Biz $3500obo or trade 813-417-2895 Blgfoot 50hp Mercury 4Strk, W/Trlr Exc Cond. $10K (352) 220-6315 PRINCE CRAFT 17' '88 offshore center console alum. V Hull 55hp Yamaha w/ new T&T$4,300 352- 465-9106 PROLINE '79, 17' w/2000 Merc. 4 stroke motor & trir. $4,800 (352) 795-2631 SEA FOX '03 21.5' Bay Boat 140hp Suzuki 4Stroke, Alum. TRLR, Many xtras! $13,995 352-274-3164 Sea Pro '01, 18 ft., CC, 90 merc., salt water, GPS, Sonar, 741b trolling mtr. gal tri all the extras, $9,500. 352 341-4023 SEARAY '03, 185 Bowrider w/trlr. 18', 35 hrs., Gar. kept. 220 hp. Many opts. $15,500 (352) 270-3176 SEARAY '87, Express, 34ff, recent canvas & upholstery twin new 454 Merc. cruisers, $18,000. (352) 637-3290 SPORTSCRAFT 252 27', '02, Cabin, Loaded, new trir, Turn key. Call for all extras Must Selll 1st $30,000 obo (352) 795-4410 THUNDERBIRD '74 16', tri-hull bowrider 11 5Johnson, solid boat. Cox trlr. $1800. Inverness 352-344-8839 TRIUMPH '07 17'CC, 75HP Yam. 4 strk, Bimini, Lowrance GPS, am/fm CD, VHS, Mint. $18K 352-634-0684 TRIUMPH 17' '02 Bass boat, 50HP Color GPS/fishfinder Bim. top. New elec. mtr. Exc. $8750 (352)341-1297 WELLCRAFT 19' '87 open bow, 140HP I/O, '87 Tandem trlr. Low hrs. $2,850/obo or Poss. trade. (352) 726-6864 WELLCRAFT 1987, 250 Sportsman, 25', Gas eng., 30" draft, 350 hp I/O, alum. trir. $9,000(352) 344-9651 Wanted: Boats in Need of Repair, also motors and trailers, Cash Paid (352) 212-6497 into. ALLEGRO '00, 32ft, 454 Chevy, 35k mi., 5.5 Onan gen, AC/Ht Pump, leveling jacks, back up camera, non smoker, excel. cond; $28,000 obo (352) 344-4579 (352) 476-4184 Coachman '97, Catalina, 34ft. class A, Diesel Pusher, 4 spd. trans., leveling jacks, 7.0 KW Onan Gas Gen. $26K (352) 302-1419 COMO RV & TRUCK -* HWY 19-S- HOMOSASSA *BUY* *SELL* TRADE* *CONSIGN* HWY. 19-S HOMOSASSA 628-1411 DAMON 32', 1992 454 Chevy eng, 27K, 2 ACs, queen bed.Non Smoking, No pets, Lots of extras & Exc. Condl ml Great Cond. 2 A/Cs, qun bed, good tires 454 eng. $18k Homosassa (906) 630-2684 cell FLEETWOOD '94 Bounder, 34FT, Ford, 460, Banks Induction syst., good tires, gen. $14,900 obo 726-1755 FOUR WINDS 31' '04, Slide out, levellers, backup cam, V-10 Ford No smk/Pets. Loaded! $40K (352) 422-7794 GEORGIE BOY '04, Pursuit, Class A, 30ft. Excel. cond. 8k ml., 2 slide outs, 2 TV's, back up camera, all the bells and whistles and much more, must see this coach, Asking $56900. obo (352) 746-7626 GULF STREAM '04 Ford BT Cruiser, 28' Tow pkg. 13K mi 1 slide, walk arnd qn. bd. very clean $38,500 (352) 344-5634 SOUTHWIND '81, 30' Class A, 40K mi., sleeps 4-6 people. Fully equipped. $4,900. 352-220-6077/270-3649 WINNEBAGO '96 Itasca Suncrulser, 34', 1 slide. Exc. Cond. 17K Miles $25,500 (352) 465-3203 After 5 CLEARVUE '07 33ft park model, 1 slide-out, barely used,MUSTSELLI $16.5kobo352-613-2477 COACHMAN 36' '93 5th WhI w/tip outs 26' Fl. Rm. Sips 8 On Lk Rousseau/by Inglis. Exc. $16,500 (352) 447-6119 COMO RV & TRUCK AT J & J AUTO HWY.19 & 44W Across from McDonalds BIG SALE CALL KERRY 422-1282 L -n ma m E I BUY RV'S Travel Trailers, 5th wheels, MH, Call Glenn (352) 302-0778 KEYSTONE '01, Cougar, 27.8ft, 5th wheel, super slide, ducted air, 6 awnings $12,350. (352) 637-2735 LAYTON '93,35 ft., w/10 x 25 vinyl rm. enclosure, new rfover, Best Waterfront Lot on Lake Rousseau Must See 352-227-7985 352-563-2132 LAYTON NARY 24 ft., well kept, sit down bath w/ shower, fully loaded w/ hitch com- plete $4,500. 634-4439 MALLARD '87,33' Self-Contained, Carrier AC, rear BR remod., CLEAN. $2,500 (813) 935-3320 PROWLER '98,5th Wheel, 31'.,2 slides, front liv. rm. Super clean No smoker/pets. Located In Homosassa. Can deliver $10,700. (423) 782-6813 T RV DONATIONS 1 Tax Deductible for Appraised Value Maritime Ministries 1 (352) 795-9621 T SCAMP 16' '06, like new, Sell due to health. Most op- tions +more, $11,995 352-464-0371/228-0688 4 Steel Rims, 6 lug, 17" x 7.5, new w/ Nissan air sensors. $150. (352) 489-7475 (352) 464-0433 CAMARO, 1996, V-6, auto. AC, PS, PD, PL t-tops, new tires. Hit In right rear side. Runs & drives. Gd. Frame. $800. 352-726-6864 '85, 302 Ford Engine & Transmission, runs good, can hear it run. $500. obo (352) 726-1755 Catch-all Exteme Full set floor liners, Black, fits Toyota Sequoia. $125/obo (352) 726-5698 I TOP DOLLAR For Junk Cars $ (352)201-1052 $ *FREE REMOVAL OF* ATV's, bikes, cars, jet skis mowers, golf carts. We sell ATV parts 628-2084 WE PAY CASH FOR JUNK CARS Top $$ paid $$ (352)5 2A3-437 2000 VOLKSWAGEN Beetle, Turbo, low miles, 33mpg Hwy. $9,500 (352) 344-4344 AUTOMOBILE* DONATIONS Tax Deductible Maritime Ministries 43 year old Non-reporting 501 -C-3Charity. (352) 795-9621 Tax Deductible * CADILLAC '92, Devillle, 74,200 ml. black, w/gray leather Int. nice car. cold AC, $1595. (352) 382-4750 CADILLAC '95 Seville SLS, 85K, White/saddle. Great Cond.I Below book. $3,750 (352) 220-1634 CADILLAC '97 Sedan Deville, signature series, 25mpg, north star, beautiful dependable 90k mi. $4,200. (352) 795-7876 CADILLAC CTS 2004, 3.6L, Luxury pkg. 35,700 mi. Fact. warranty. $20,900 (352)341-6991 '00, Carmaro, great shape, V6, dark green $4,000. obo (352) 422-1470 CHEVY '06, Impala LT, white, Immaculate, 18k ml., (352) 746-7823 CHEVY '94 Camaro V-6. Auto, Looks & Runs Greatl Cold AC. $2,500" (352) 503-6020 CHEVY Corvette '00 Convtbl, 33k mil. Pewter, 6spd all options, Boria Exhst $24,900 (352) 270-9008 CHEVY MALIBU, '04 Maxx LX, 1 owner, mmac., 40K $9900/obo (352) 382-1617 CHRYSLER '90 Lebaron Red/Wht. Conv. Beautiful Cond. Runs GreatI 95K $2,000 firm. (352) 795-1015 CHRYSLER '96, LHS, leather, moon roof, 90k ml. Looks/Runs good, best offer (352) 746-2237 COMO RV & TRUCK HWY 19-S-* HOMOSASSA BUY* *SELL* TRADE* *CONSIGN* HWY. 19-S HOMOSASSA 628-1411 COUGAR '94 Cold AC, low mi. $1000/obo (352) 302-5449 DODGE 2002 Stratus, exc. cond., cold air, new ti- res, $4,000 (352) 344-1521 Dodge Intrepid '98 4Dr, V6, 27mpg, 90k ml. Auto, Dependable, pwr eve- rything, cold a/c $2500 727-207-1619 Homosassa DODGE Neon '05 Auto. A/C, AM/FM/CD pwr all exc. cond. 49k ml. $8,900 (352) 382-3917 FORD '01, Taurus SE, 166k mi., AM/FM/CD, auto, 6 cyl. P/W cold AC, $2,250/ obo 352-560-3579 FORD '01. Mustang Convertible, 30mpg, V6, excel cond. $9,000. (352) 400-1110 FORD '93 Taurus GL Station Wagon, Loadedl $2,900 OBO (352) 563-1181 (813) 244-3945 FORD '94 Taurus, $1,500. obo (352) 503-3838 HONDA Accorde EX, '90, Clean/ cold air/ cruise/ sunroof 182K ml. $1500/obo 352-726-2823, after 6 LINCOLN '93 Cartier T.C., 4 dr. CleanI Must Sell Moving $1.200 CASH (352) 563-5215 L.Mess. '87, 560SL, 126K, White, Both tops, I REDUCED! $9,999 352-586-6805/ 382-1204 --- --j- CLASS MERCEDES '83, 380SL, 93k mi., maroon, 2 tops, new canvas top & tires $8,500. (352) 746-5229 MERCEDES BENZ 1984 300D Turbo Diesel, very good cond. See & test drive to appreciate $2,700. (352) 613-6559 . MERCEDES ? COUPE n 96 S600, 84K New Paint, V-12 20" Chrome Wheels Must Sell $16 500obo Must See Like New (352) 795-5129 (8-5) MERCURY '87, Marquis, 2 DR, V8, auto, runs good, good tires, $1,350. obo 352-726-1755 MERCURY '93 Tracer, 1.8,5 spd., 4dr. AC, Brand new tires. $900 (352) 726-0599 OLDSMOBILE '96 Cutlass Ciera SL 4dr loaded, 78K, AC, V6, cass. great mpg. clean $2850. (352) 382-7764 TOYOTA CAMRY LE '94, Exc. Cond. Grgd. Mntc. Rcds.,MUST SACRIFICE $2,800 (352) 422-5685 TRANSPORTATION SPECIAL SELL YOUR CAR TODAY $$$$$$$$$$$$$$$$$ ONE CALL ONE PRICE 2 WEEKS ONLY $99.99 I $$$$$$$$$$$$$$$$$$ I appear in the *Citrus County Chronicle *Beverly Hills Visitor *Riverland News *Riverland Shopper South Marion Citizen *West Marion Messenger *Sumter County Times CALL TODAY (352) 563-5966 -- --- El Your Donation of A Vehicle Supports Single, Homeless Mothers & Is Tax Deductible Donate your vehicle TO THE PATH (Rescue Mission for Men Women & Children) at (352) 527-6500 AUTO/SWAP/CAR CORRAL SHOW Sumter Co. Fairgrounds Sumter Swap Meets Dec 2, 1-800-438-8559 Cadillac Brougham '72 runs good needs TLC $4500 352-249-8010 CHEVY Camaro Z28 '82 Com- plely restored, Invested $16k ask $6000obo 352-586-0368 CORVETTE '67 STINGRAY, 327, 300HP, exc. shape, matching numbers car. Low mile- age. 352-302-0743 DODGE 1965 Dart 440 6pack, 500 HP, auto trans. Tubbed rear, way too much to list, $13,500. Must see! Will trade (603) 860-6660 GMC '65 P-Up, 70% Restored w/new parts. $4,000 (352) 341-1539 MERCEDES 1984 380SL, 69K orig. mi. 2 tops w/stand, garage kept. $9,900 (352) 302-5698 PLYMOUTH Reliant K-car '88 93k mi Runs/Looks Good, Exc Cond $2000 352-422-1267/465-1959 PORSHE '73, 914 Targa. RAREI Collector's Item! Good Cond. $4,850 obo (352) 302-0065 Volkswagon Super Beetle Cony. '78 Runs/look good! $5500. (352) 212-4477 ALUM. TRUCK BED 8 X 9 w/Gooseneck H.U. Off 2005, F-350, $2,000 obo 352-212-3655 C OMO RV & TRUCK AT J & J AUTO SHWY.19&44W Across from I McDonalds I SBIG SALE CALL KERRY . I 422-1282 DODGE Dakota '96 V6 $1875obo (352) 637-6663 DODGE Ram 3500 '00 Dually, Cummins Turbo Dies. 5Spd, Leather 170k mi $10,500 (352) 527-9303 FORD '01, Lariat F150, MUST SELL, 4DR, 4 x 4, excel cond. $9,500. (386) 867-0514 FORD '94, F 150 XLT, V8, auto, w/ tool box, runs good $2,500. 352-726-6864 FORD Ranger XLT '01 4whl Dr. Stp Side, pwr all, 60k mi MANY EXTRAS! $ 10k firm (352) 489-4177 MAZDA 1995, B2300, 5spd $2,250 Runs great, teal,(352) 422-7056 NISSAN Titan '05 Crew upgrad' Chrome PKG Tow PKG, Dual Exhaust Exc Cond. $20,995 (352) 344-4453 SEMI TRACTOR TRLR Freightliner '98 Dbl Bunk walk In Sleeper, 470 Detroit, good cond. $14k (352) 382-2302 TOYOTA '06 Tacoma 4 Cyl, Auto, 41k, Exc. Cond,7yr. 100kWrty $10,900 (352) 697-1200 CHEVY 92' S-10 Blazer 4.3 V-6, 4 Dr, A/C 150K mi, Runs good.$1,250 Firm 352-628-4716 COMO RV & TRUCK AT J & J AUTO HWY.19 & 44W Across from McDonalds BIG SALE CALL KERRY I 422-1282 I DODGE DURANGO 1999, 4x4, 80K mi., loaded, dual air & exhaust, exc, cond. $7,400 (352) 344-0505 FORD EDDIE BAUER '06 Like new. UNDER 17K miles, white/gold, loaded, $26,000. (352)212-2439 HONDA CRV-LX '99 Excellet Cond. Wht. 99k mi wner $7900 (352) 795-8692 HYUNDAI '04 Sante Fe, LX, loaded Leather, Sunroof, 3.5L, 103K. Bk. Val. $10,400/ $6,999 (352) 601-4108 JEEP '00, Grand Cherokee, Laredo, 4 x 4, 4.7 V8, towing pkg., 79k ml $8,750. (352) 527-6424 JEEP Grnd Cher Laredo '98 Wht/blk int, 4dr, 2WD, auto, 6cyl, ext, window tint, tow pkg. run brds, 184K ml, 4X8 trlr. incl. $4200 (352) 465-8689 LAND ROVER Discovery '03, 4WD, 38K, Loaded! 2 Sunroofs, leather, htd. seats. $21K 352-860-0413/302-9525 SUBARU '06 Forrestor, Great MPG. 21K, Loaded! CD, all pwr. AWD. < Blue Bk. $17,500 (352) 795-2053 FORD '00, Winstar, SEL, top of the line, 58k, perfect, Every Option 7,900. (352) 527-1694 COMO RV & TRUCK I AT I J & J AUTO HWY.19&44W I Across from I McDonalds I S BIG SALE CALL KERRY I 422-1282 I FORD '89 F-150, 4 X 4, 9" Uft, 62K, 38.5 Groundhogs, 15 X 14 Chrome Wheels. $4,000 (352) 628-5378 GMC 1996, 144k miles. Runs great, good shape. $3,000. (352) 302-2240 GMC '93 Jimmy, 4 X 4, Runs Good! $1,800 CHEVY '93, Conversion, Van, new tires, TV, VCR, full sz. bed, law mi., $3,000. (352) 341-0511 CHRYSLER Town & Country LXI '01 75k ml sliver/tan leather pwr everything, CD, frnt/slde air bags, like new tires, looks/drives great $8700 352-476-6314 COMO RV & TRUCK HWY 19-S-* HOMOSASSA BUY* *SELL* TRADE* *CONSIGN* HWY. 19-S HOMOSASSA 628-1411 DODGE '00 Grand Caravan SE 101k mi. 3.3L v6 Runs great! $3900.352-476-2901 DODGE '05, Grand Caravan, 51k ml. CD, DVD, power locks/win. drk, blue $15,500. (352) 637-0108 DODGE 2000, Conversion Van, Si' .0 r.i $9,600 352-637-4123 FORD 02, E250 Van, V8, Auto, 69K, Warr,. thru 75K, $7,900. (352) 697-1200 ml. New Braun lift. $4,500 352-726-4109 MERCURY '98, Villager, Excel. cond. inside & out, 20mpg, $2,900. obo Inverness . MR CITRUS COUNTY REALTY \ -- 1 . ALAN NUSSO 3.9% Listings INVESTORS RESIDENTIAL SALES COMMERCIAL SALES (352) 422-6956 ANUSSO.COM 2000 Sportsman 500 Polaris, $2,900. Perfect for the Hunter (352) 302-2300 DUNEBUGGY Hammer-head Twister Uke new 250ss, 2 Seater great for Adults/teens $2600 352-489-1210 SUZUKI Ozark 250, good cond. transferable warranty $2,300. (352) 613-5017 YAMAHA BANSHEE, '05. Mint cond. Asking $4,000 (352) 220-8990 3uuu ID Motorcycles Carrier Lift $1,200. obo Can be seen at . 8877 W. dunnellon Rd or Call (518) 569-1456 *FREE REMOVAL OF. ATV's, bikes, cars, Jet skis mowers, golf carts. We sell ATV parts 628-2084 HARLEY 1200 Sporster Custom '99, BIk, 15K, Drag pipes, back rest, great shape $4,800 (352)613-2023 HARLEY DAVIDSON '00, Super Glide Sport 1450 2/5spd. trans. Blk/ blk 20K mi, $10,500/obo (352) 476-6512 HARLEY DAVIDSON '01 FXDWG2 Vance & Hines detach, wndshld. New tires, 11,500ml. $13,900. (352) 220-2126 HARLEY DAVIDSON '01 Ultra, Classic, Only 10,000 miles. All the goodlesll Must go, only $12,500. Lucky U Cycles (352) 330-0047 Harley Davidson '04, Supergllde, twin cam 88, lots of chrome 5,200 ml., adult ridden $13,800. (352) 212-9457 HARLEY DAVIDSON '07 Dyna Bobber Old School Bike, Financing available, Must go $12,500 Lucky U Cycles (352) 330-0047 HARLEY DAVIDSON '08 Ultra Classic Electra Glide. 105th Annvry. 242/7000. Over $2,000 of extras $21,000 firm. (352) 422-4317 HARLEY DAVIDSON 1992 Heritage Soffttal New tires/battery, extremely well kept. $8500. (352) 302-9159 HARLEY DAVIDSON '97 1200 Sportster, Lots of extras, Fin. available. $4900 Lucky U Cycles (352) 330-0047 HONDA <.c cc. r,,l': .' :n A lu.; Inan: i l. 5 I (352) 527-2279 HONDA '06, Sllverwing ABS, 5k mi., $6,500. (352) 726-7801 HONDA '87 Rebel. Unmolested. Everything works. Exc. shape. $1,350 352-637-2873/422-5922 KAWASAKI '00 Vulcun 1500 Good Credit Bad Credit Over 40 Bikes In Stockl $4995 Lucky U Cycles (352) 330-0047 KAWASAKI 1000 Concours, 1999, 11,500 ml. $4,500 (352) 341-1142 KAWASAKI '95, KLX 650 Dual Sport, Street Legal. Kick Start. Good Cond. $1,700 (352) 726-6224 KAWASAKI KDX 200 '95 Clean Exc Cond. Must see to Believe $1,150 (352) 563-5117 KAWASKI KFX 400 2006, Low hrs. Ext. warr InciL w/some serve. left. Hardly used. $4,000. (352) 465-8147 MILWAUKEE Custom Hardtall '02 110Hp 6spd 17kmI $8000 352-586-0368 MOTORCYCLE LIFT For Motor Home, Blue Ox Sport Lift ID, ex. conn, 10001b. cap. Tow car behind It. $1500 Call cell (860) 483-4000 POLARIS Predator 90, 2006 Low hrs. Ext. warr Incl. some serv. left. Hardly used. $2,000. (352) 465-8147 Keef S a lv a tio n A rm y 3 5 2 -6 2 1 -5 5 3 2 ... . . . Special Olympics of Florida 1-888-470-9988 V niP l E "'"""PA; YAMAHA '03, V Star, 1100CC, 14k mi., windshield, saddlebags, glovebag, $5,500 obo (352) 563-0979 YAMAHA '06 VStar 1100, Good Credit Bad Credit, On sale $6995 Lucky U Cycles (352) 330-0047 828-1130 FCRN Town of Yankeetown PUBLIC NOTICE INVITATION TO BID SRF WATER TREATMENT PLANT TOWN OF YANKEETOWN, FLORIDA Sealed BIDS will be re- ceived by the Town of Yankeetown, Florida at the office of the Town Clerk until 12:00 p.m. (Noon) local time on December21, 2007. at which time and place they will be publicly opened and read aloud. The work consists of fur- nishing all labor, materials and equipment to con- struct an expansion and Improvements to the exist- ing water treatment facil- ity. The Bidding Documents may be examined at the following locations: Town of Yankeetown, 6241 Har- mony Lane, Yankeetown, Florida 34498, (during the hours of 9:00 a.m. to 12:00 noon, Monday through Friday), (352) 447-2511 and Mittauer & Associ- ates, Inc., Consulting Engi- neers, 580-1 Wells Road, Orange Park. Florida 32073, (904) 278-0030. Copies of the Bidding Documents may be ob- tained at the offices of Mittauer & Associates, Inc. upon payment of a non-refundable charge of $200.00 for each set. Only complete sets of Bidding Documents will be distrib- uted. The Owner reserves the right to waive formalities and to reject any or all bids. Equal Employment Opportunity. Published one (1) time in the Citrus County Chroni- cle on November 30, 2007. 827-1207 FCRN Unit B33- Vicky Warren PUBLIC NOTICE Pursuant to FLA Statute 83.806, notice Is given that: Acorn Self Storage, lo- cated at 3710 E. Gulf to Lake Hwy., Inverness, FL 34453. phone 352-341-1622, will sell for cash to the highest bid- der. on December 21, 2007 at 11:00 A.M. the en- tire contents of Unit B33 In order to pay past due rental, advertising and other charges owed by the tenant: VICKY WARREN P.O. Box 2851 Inverness, FL 34451-2851 The items of personal property consisting of household goods, etc. Dated this 27th day of No- vember, 2007 Acorn Self Storage 3710 E. Gulf to Lake Hwy. Inverness, FL 34453 Published two (2) times In Citrus County Chronicle, Nov. 30 & Dec. 7,2007. 824-1130 FCRN (85 Alfa Romeo) Smltty's Auto Sale PUBLIC NOTICE NOTICE OF SALE Notice Is hereby given that the undersigned Intends to sell the vehicle described below under Florida Statutes 713.78. The undersigned will sell at public sale by com- petitive bidding on Tuesday, December 11, 2007 at 9:00 am on the premises where said vehicle has been stored and which are located at Smitty's Auto, Inc., 4631 W. Cardinal St., Homosassa, Citrus County. Florida, the following: Year Make: Model: VIN #: 1985 Ala Romeo Spider ZARBA5411F1023284 on November 30,2007. 825-1130 FCRN (Ord, 09-07) Town of Inglls PUBLIC NOTICE The Town Commlssion at Their Regular Meeting to be held on Tuesday. December 11th, 2007 at 7:00 p.m. at the Inglls Town Commission Room will consider the following Ordinance on second reading: ORDINANCE 09-07 AN ORDINANCE OF THE TOWN OF INGLIS, FLORIDA INCREASING THE RESIDENTIAL AND COMMERCIAL RATES FOR WATER; PROVIDING AN EFFECTIVE DATE. This Ordinance Is on file at the Inglis Town Hall, 135 Hwy. 40 West, Ingils, November 30, 2007. 826-1130 FCRN (pot bellied pig) Citrus County Animal Services PUBLIC NOTICE Board of County Commissioners Department of Public Safety Animal Services Division 4030 S. Airport Rd. Inverness, FL 34450 (352) 726-7660 Fax: (352) 726-4120 TIY (352) 527-5312 November 26, 2007 To Whom It May Concern: You are hereby notified that the following described livestock, a black and white female Pot bellied pig Is now Impounded with Citrus County Animal Services, 4030 S. Airport Road, Inverness, FL 34450. The above de- scribed pig was found on E. Tremond St. In Inverness. The pig will, unless redeemed within 3 days from date hereof, be offered for sale at public auction to the highest and best bidder for cash. Citrus County Animal Services Published one (1) time In the Citrus County Chronicle, on November 30, 2007. 830-1130 FCRN City of Inverness PUBLIC NOTICE CITY OF INVERNESS REQUEST FOR PROPOSALS PROFESSIONAL LEGAL SERVICES The City of Inverness Is soliciting proposals from quail- fied Florida attorneys to provide legal representation to the City of Inverness. The Scope of Services Is available by request at the City Clerk's Office. The contractual term will be for one year, with 60-day termination no- tice by either party. It Is desirable that the applicant has at least 5 years Florida municipal government legal experience and 5 years Florida litigation experience. Proposals are due by December 21st, 2007. Please submit In a sealed envelope addressed to the City Clerk, 212 W. Main Street, Inverness, FL 34450. Call 352-726-2611, ext. 1004 with questions and/or Request for Proposal forms. Published one (1) time In the Citrus County Chronicle on November 30, 2007. 829-1207 FCRN 2007 CP 982 Estate of Joseph T. Jarreft Notice to Creditors PUBLIC NOTICE IN THE CIRCUIT COURT FOR CITRUS COUNTYFLORIDA PROBATE DIVISION File No.: 2007-CP-982 Division: Probate IN RE: ESTATE OF JOSEPH T. JARRETT A/K/A JOSEPH THOMAS JARRETT Deceased. NOTICE TO CREDITORS The administration of the estate of Joseph T. Jarrett a/k/a Joseph Thomas Jarrett, deceased, whose date of death was October 3, 2007, Is pending In the Circuit Court for Citrus County, Florida, Probate Division, the address of which Is 110 North Apopka Avenue, Inver- n 30, 2007. Personal Representatives: /s/ Gloria Lee Cuyler 1288 North SidikI Point Itverness, Florida 34453 Attorney for Personal Representative: /s/ Thomas E. Slaymaker Esquire Attorney for Gloria Lee Cuyler Florida Bar No. 398535 Slaymaker and Nelson, P.A. 2218 Highway 44 West, Inverness, Florida 34453 Telephone: (352) 726-6129 Fax: (352) 726-0223 Published two (2) times In the Citrus County Chronicle, November 30 and December 7, 2007. 10OD FRIDAY, NOVEMBER 30, 2007 04 MERCURY SABLE 99 FORD ESCORT WAGON Gold leather, anerno, Red 53 000 mles one c inet #P32914 f#9,684 $4,995. 10,995. 05 FORD RANGER XLT Black V6 auto 1 7k miles #P3208 05 MERCURY GRAND MARQUIS 1.2 top silver 25 000 miles #R3302 $14,995. ^ff~~~l Li'1 ' 06 GRAND 06 GRAND MARQUIS LS MARQUIS LS Silver leather L hite. moonroof #R3238 leather #R3271- 1 15.995. 15.995. 07 MERCURY GRAND MARQUIS LS Ice blue 12 000 miles #P3299 417,995. miles #/9164 *17,995. 06 MERCURY GRAND MARQUIS LS Silver 18 000 miles leather interior #R37-13 S15,995. 07 MUSTANG V6 .Auto leather red #P327-1 $17,995. 06 MILAN 4 c)I premier leather 18k miles #R32664 $16,995. 07 GRAND MARQUIS LS Gold 14 000 miles #P3306 $17,995. 06 MILAN PREMIER Gold leather V6 15k miles #X910 '16,995. 07 FORD FREESTYLE LTD. Burgund) 10 00 miles #R329" * 19,995. 06 MERCURY GRAND MARQUIS LS A laroon tan top 13 000 miles #R32874- $16,995. 04 LINCOLN TOWN CAR SIGNATURE Leather blue 31 000 miles #R3290 *17,995. 04 MERCURY MOUNTAINEER G.:,ld mncroo.l 3rd coat .-nl 6 .0 miles #P3226 $20,995. 07 FORD 05 LINCOLN TOWN CAR 07 FORD 08 MERCURY GRAND 04 FORD 05 LINCOLN LS 06 MERCURY 2005 LINCOLN 2006 LINCOLN FREESTAR PRESIDENTIAL EDITION FREESTYLE LTD. MARQUIS LS F150 XLT 20 000 miles 18 sport MOUNTAINEER TOWN CAR ZEPHER Leather gold 14J miles Pearl Lhile 16 000 A larcon leather Gold 7 000 m,les Red 261 miles i.oQr #R3273 Silter leather 20 000 One c.iner 13000 loon root 20 000 nav ss #R3268 miles #P3301 10 00O miles #P3303 #R3305 OP3205 miles #R3254 miles f<91" miles #P329-1 20 995. 2$0 995. 920 995. 20 995. 21,995. 21 995. 22 995. $23 995. 24 995. 07 LINCOLN 06 LINCOLN TOWN CAR 07 TOWN CAR 07 LINCOLN TOWN 07 LINCOLN TOWN CAR SIG. DESIGNER LIMITED CAR LIMITED TOWN CAR LTD. 06 TOWN CAR 7 000 miles Edhe PearlhJle nar jsterr, Gold Pearl ith,te moonrool 14 000 miles silver 06 LINCOLN NAVIGATOR 4X4 Lt green orlI 18 000 mie leather #/909 #R3286 i1 00 miles #P.33' moonroof #P3296 9 000 miles #R3281 moon roof #P328' Moon roof gold 76 000 miles #R3263 $26,995. 299995. $28p995. 929,995. 929995. 929995. $34,995. - -m-mmm -m-----mmm M Mm m I-. PROPERVEHICLE I FACTORY AUTHORIZED COOLING SYST =Ii'UELAVR~m MAINTENANCE IS KEY TO XrTiOUMFuEI A/C SYSTEM I SERVICE PACKAGE EFFICIENCY! I SERVICE m ii, TO A , L m I , - S $51 =" 'rHEC395 K9 TI:... 7., : -.I I :l wr,,; 3 6.l,,9:,r., $3 9 95 F..TT^ ,d fill I.. "y *iy .','r..,r :f T L. ri',l ,;,]9,T I $ 3 9 9 5 * Ti-.' -. m ,r" :,',, .I. .:,k. .. . . ... ..,. . . .. ,. ..:. .. . . EM | MOTORCRAFT'PREMIUM WEAR INDICATOR I WHEEL BALANCE, I WIPER BLADES I TIRE ROTATION AND r E I BRAKE INSPECTION , I ' 04R 1. 3 .11. WITH WEAR INDICA TOR THAT SIGNALS WHEN TO REPLACE hi, 1 ., 3' 1, 1, I II-, . .,| , 3 ,i,,- WilIl "I I ~ ..-. S MOTORCRAFT BRAKES, INSTALLED! - Engineered for . your vehicle. $89 . -I 1- A .- l.l.... ,:,: 1I : *I0 *' ^l3 ;;e4mv LINCOLN MERCURY TX=URS: Mon.-Fri. 8-6, Sat. 9-5 Sun. Closed "7 ID *S AWS 'I SERVICE PARTS: 1-800-524-0373 L I N C 0 L N Mon.-Fri. 8-5:30 MERCURY Carl! L 2121 NW Hwy 19, CRYSTAL RIVER MV5242. *Discount may include MFG Incentive which may not e available with MFG special financing or leasing which also may apply. Dealer retains all f2ctory rebates & incentives. See store for details. Vehicle quantities are approximated,& may vary. Vehicles subject to prior sale. All prices plus tax, tag and delivery fte with approved credit. Not responsible for typographical and printing errors. Pictures are for illustration purposes a n ly. See Dea I*r for Details. CITRUS COUNTY (FL) CHRONICLE 07 FOD IVE HVMUNDRED Gra1 loaded .:'rlu 1,51 rmiles Ol i c 4 $1995 $2495 I I i a . W-1:10 lw I- L .: .. 0 4, -1 t T. f,' . '. .,.; .: li.. 6 1., 3A ..I: I : ....6 1" ;1. 1 or. . -rd. 19. q LVI-AvP',rd, ul(?,rpruuCnrvirv (VR) qLl("ivnr'jcr-, -FIDA, - I 3, 07 lowd ANN RPUVl]mON *0 ^WN:4 06- MO NTt NEW SILVERADO ALL NEW 3500 DU LLY: 2008 MALB OZ=oR6OF NW~aM UPfTO NO-)WINH Eim NEW AVEO LS NEW COBALT L8 'e'^ II Ao6R O; F>o R6o HWYHHWY-) MG PMMPa annE #28029 MSRP '12,695 Starting at #NA1 359866 MSRP $16,670 ! Starting at ,*NA232678 MSRPn 23,119 Starting at #27468 MSRP '20,123 Starting at ,995*t 9 B^B^^7 AS MSRP '13,790 LNEWHH OW ASStarting at -W & ::H.l ^-i__\-0%FO-~-0- >I--^^~J- fi AS LOWAS 47 MP 71 #28021L AS SAS MSRP 15,995 AS S LOW AS Starting at LOWAS EW EQUINOXLS:NEW IMPAA OhroRi <0FOR6a S4 5 AS '#27527X7 SOWAS JL2 3 MSRP $21,940 A| 3P9 AS LOW AS 2 9 #27oo9 LOW AS OWA l l MISRP =35,759 ) I - NEW SILVERADO 1300:11^ NO AVLNCEL 0%,.8,.,,^ FoR^ 60 %F^0 *Prices/payments include all factory rebates, incentives, bonus and owner loyalty cash, pOpen 24 hours a day at O)- | Free CARFAX SVehicle History I ** 2002 SATURN S-SERIES 2005 CHEVY IMPALA 1999 CHEVY SILVERADO 2005 FORD FOCUS 2003 CHEVY MONTE CARLO 2004 CHRYSLER SEBRING 2002 GMC ENVOY 27311B 9932P 27298A J70213G 3899A J70437F 28049A $6,998t $8,998t $10,998t $11,998t $12,998t $14,488t $14,987t Vsa6 - 2005 DODGE GRAND CARAVAN 2003 GMC SIERRA 2500HD 2005 CHEVY TRAILBLAZER 2007 DODGE CALIBER J70409A 28015A 3877A 3632A $14,988t $14,988t $15,488t $15,488t 2002 CHEVY CAMARO Z28 B70192B $15,900t 2004 DODGE RAM 1500 D70319A $15,988t 2003 CHRYSLER TOWN AND COUNTRY 3925P $15,998t 2007 JEEP LIBERTY 2005 CHEVROLET IMPALA 2002 JEEP WRANGLER 2004 CHEVY AVALANCHE 2006 FORD F-150 3870L 28012A J70481A 28006A B80095A D16,488t $1 6,488t $16,998t $17,988t $18,450t 2003 TOYOTA SEQUOIA 2006 JEEP GRAND CHEROKEE B50040A N7091 A $18,995t $1 9,488t -.. 11 ,~ ftIIIIII 2007 CHEVY SILVERAD01500 27291 A *21.988t 2005 FORD MUSTANG 3882P $22.498t 2001 CHEVY SILVERADO B70395G $24,998t 2004 CHEVY TAHOE 27348A $25.998t 1035 S. SUNCOAST BLVD., HOMOSASSA 1 -866-434-3065 1 -877-MY-CRYSTAL CRYSTALAUTOS.COM 2006 FORD F350 2004 CHEVY CORVETTE 2005 CHEVY CORVETTE 27206A B70395A J70374B $33,900t $34,900t $41,998t CRYSTAL C H E V R O L E T 105 S. Suncoast Blvd. Homosassa, FL (866) 434-3065 CRYSTALAUTOS.COM I I FRjr)AY, NovEMBER 30, 2007 ii-b OuiTRs ; Cn1NT" (FL ) 'fCiROMfnC F k e-----Mwaom Ir- I WHIMS 1.4. Y ormi"Ll1tvd. i - - - - - - - - I ttl- LUILIIIff ,C, -M.vj o= ^y -S^ -f 12D FRIDAY, NOVEMBER 3 CITRUS COUNTY (FL) CHRONICLE 0, 2007 Iz ie NIl TI* "A -- . EVIENTO A - LIFETIME .... ........i JEW CHRYSLER DODr R 1152O0 PT RB UtSER DDE RAMI 1150.1 F~~ ~ ffr..j. . . . . AAA, ;Stating at Starting at #NA80021 Starting at 0) GIE. .' 2 8,E RIl D)O GJ CALEIBER" ^*^-*""^"*""^J, NiEW! JEEP GRAIND IRR~O 11 #J70317 MPRP Starting at It N'-W/ 2Qj1 DOD~E tA3~OJCc -, L U B9 A NEW DODGE CHJARGEJR #880051 Starting at N-LE-1W 2OMA, D)QDQE~ QiRWA NjIDi C CAR A-VIAJIJ N-VIEWJ 21004 CR*Y'S L,5IBRR 0 Starting at Start at919 488' Starting at 1 ^ ^f^ ^ j^^ . Not available on SRT, Diesel, Sprinter, Ram Chassis or Fleet vehicles. Restrictions apply, see dealer for copy of limited warranty and compliance details. ** On select makes and models W.A.C. CRYSTAL PRE-OWNED Open 24 hours a day at Fre CARFAX Vehicle History *5 I~ -~ (-5,- 2003 CHRYSLER PT CRUISER D80073A $9,9881 2003 CHRYSLER SEBRING 3907P 1 4,588t 2006 JEEP WRANGLER D70300A $1 7,988t 2001 BUICK LESABRE 3733A $11,995t 2007 CHRYSLER PT CRUISER 3721P 1 5,588t 2005 DODGE DURANGO 3827P $1 7,995t 2004 CHRYSLER PT CRUISER D80027A $12,9881 2005 CHEVY MALIBU 3842A $1 3,888t 2006 CHRYSLER PT CRUISER 3861 L $13,9881 2005 DODGE CARAVAN 2005 DODGE RAM 1500 2005 CHRYSLER PT CRUISER 3966P D70374A D70259A $16,888t $1 6,888t $1 6,988t 2002 DODGE RAM 1500 D70145A s14,488t 2006 DODGE CARAVAN D80058A $17,888t 2003 CHEVY TRAILBLAZER D70324A $14,488t 2005 DODGE RAM 1500 3566A $1 7,888t 2006 DODGE DURANGO 2004 CHRYSLER PACIFICA 2004 TOYOTA AVALON 2007 CHRYSLER SEBRING 2005 CHRYSLER TOWN AND COUNTRY 3901 P 3964P 3969P 547252 D80060A 1 8,888 $1 8,888t $18,888t $18,998t $18,998t 2007 DODGE DAKOTA 3930P 1 9.588t 2005 DODGE RAM 1500 2006 CHEVY EQUINOX 3979P 3898P $20.888t $21.988t 2005 GMC SIERRA 1500 3767P $22.988t 2005 GMC SIERRA 1500 3895P $22.998t 2007 DODGE DAKOTA J70168A $23.495t 2005 CHRYSLER 300 3906P s26,888t 1005 S. SUNCOAST BLVD., HOMOSASSA 2077 HIGHWAY 44 WEST, INVERNESS 1-877-MY-CRYSTAL CRYSTALAUTOS.COM C34 RYSLR ~ Jeep CRYSTAL AUTOMOTIVE VISIT US 24/7 @ CRYSTALAUTOS.COM It C I (4OF! #NAB80079 Starting at rW B .. - #J70244X Starting at trifc. -* J^ ^ -^--^-t- _lt ^ It y y .If- -It-' J.' ff ---r- * Ll I I 1% 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/01082
CC-MAIN-2017-34
en
refinedweb
Summary Groups features based on feature attributes and optional spatial or temporal constraints. Learn more about how Grouping Analysis works Illustration Usage This tool produces an output feature class with the fields used in the analysis plus a new integer field named SS_GROUP. Default rendering is based on the SS_GROUP field and shows you which group each feature falls into. If you indicate that you want three groups, for example, each record will contain a 1, 2, or 3 for the SS_GROUP field. When No spatial constraint is selected for the Spatial Constraints parameter, the output feature class will also contain a new binary field called SS_SEED. The SS_SEED field indicates which features were used as starting points to grow groups. The number of nonzero values in the SS_SEED field will match the value you entered for the Number of Groups parameter. This tool will optionally create a PDF report file when you specify a path for the Output Report File parameter. This report contains a variety of tables and graphs to help you understand the characteristics of the groups identified. The path to the PDF report will be included with the messages summarizing the tool execution parameters. Clicking on that path will pop open the report file. You may access the messages by hovering over the progress bar, clicking on the pop-out button, or expanding the messages section in the Geoprocessing pane. You may also access the messages for a previous run of Grouping Analysis via the Geoprocessing. The Unique ID Field provides a way for you to link records in the Output Feature Class back to data in the original input feature class. Consequently, the Unique ID Field values must be unique for every feature and typically should be a permanent field that remains with the feature class. If you don't have a Unique ID Field in your dataset, you can easily create one by adding a new integer field to your feature class table and calculating the field values to be equal to the FID/OID field. You cannot use the FID/OID field directly for the Unique ID Field parameter. The Analysis Fields should be numeric and should contain a variety of values. Fields with no variation (that is, the same value for every record) will be dropped from the analysis but will be included in the Output Feature Class. Categorical fields may be used with the Grouping Analysis tool if they are represented as dummy variables (a value of one for all features in a category and zeros for all other features). The Grouping Analysis tool will construct groups with or without space or time constraints. For some applications you may not want to impose contiguity or other proximity requirements on the groups created. In those cases, you will set the Spatial Constraints parameter to No spatial constraint. For some analyses, you will want groups to be spatially contiguous. The contiguity options are enabled for polygon feature classes and indicate features can only be part of the same group if they share an edge (Contiguity edges only) or if they share either an edge or a vertex (Contiguity edges corners) with another member of the group. The Delaunay triangulation and K nearest neighbors options are appropriate for point or polygon features when you want to ensure all group members are proximal. These options indicate that a feature will only be included in a group if at least one other feature is a natural neighbor (Delaunay triangulation) or a K nearest neighbor. K is the number of neighbors to consider and is specified using the Number of Neighbors parameter. In order to create groups with both space and time constraints, use the Generate Spatial Weights Matrix tool to first create a spatial weights matrix file (.swm) defining the space-time relationships among your features. Next run Grouping Analysis, setting the Spatial Constraints parameter to Get spatial weights from file and the Spatial Weights Matrix File parameter to the SWM file you created. In order to create three-dimensional groups that take into consideration the z-values of your features, use the Generate Spatial Weights Matrix tool with the Use Z values parameter checked on to first create a spatial weights matrix file (.swm) defining the 3D relationships among your features. Next, run Grouping Analysis, setting the Spatial Constraints parameter to Get spatial weights from file and the Spatial Weights Matrix File parameter to the SWM file you created. Additional Spatial Constraints, such as fixed distance, may be imposed by using the Generate Spatial Weights Matrix tool to first create an SWM file and then providing the path to that file for the Spatial Weights Matrix File parameter. Defining a spatial constraint ensures compact, contiguous, or proximal groups. Including spatial variables in your list of Analysis Fields can also encourage these group attributes. Examples of spatial variables would be distance to freeway on-ramps, accessibility to job openings, proximity to shopping opportunities, measures of connectivity, and even coordinates (X, Y). Including variables representing time, day of the week, or temporal distance can encourage temporal compactness among group members. When there is a distinct spatial pattern to your features (an example would be three separate, spatially distinct clusters), it can complicate the spatially constrained grouping algorithm. Consequently, the grouping algorithm first determines if there are any disconnected groups. If the number of disconnected groups is larger than the Number of Groups specified, the tool cannot solve and will fail with an appropriate error message. If the number of disconnected groups is exactly the same as the Number of Groups specified, the spatial configuration of the features alone determines group results, as shown in (A) below. If the Number of Groups specified is larger than the number of disconnected groups, grouping begins with the disconnected groups already determined. For example, if there are three disconnected groups and the Number of Groups specified is 4, one of the three groups will be divided to create a fourth group, as shown in (B) below. In some cases, the Grouping Analysis tool will not be able to meet the spatial constraints imposed, and some features will not be included with any group (the SS_GROUP value will be -9999 with hollow rendering). This happens if there are features with no neighbors. To avoid this, use K nearest neighbors, which ensures all features have neighbors. Increasing the Number of Neighbors parameter will help resolve issues with disconnected groups. While there is a tendency to want to include as many Analysis Fields as possible, for this tool, it works best to start with a single variable and build. Results are much easier to interpret with fewer analysis fields. It is also easier to determine which variables are the best discriminators when there are fewer fields. When you select No spatial constraint for the Spatial Constraints parameter, you have three options for the Initialization Method: Find seed locations, Get seeds from field, and Use random seeds. Seeds are the features used to grow individual groups. If, for example, you enter a 3 for the Number of Groups parameter, the analysis will begin with three seed features. The default option, Find seed locations, randomly selects the first seed and makes sure that the subsequent seeds selected represent features that are far away from each other in data space. Selecting initial seeds that capture different areas of data space improves performance. Sometimes you know that specific features reflect distinct characteristics that you want represented by different groups. In that case, create a seed field to identify those distinctive features. The seed field you create should have zeros for all but the initial seed features; the initial seed features should have a value of 1. You will then select Get seeds from field for the Initialization Method parameter. If you are interested in doing some kind of sensitivity analysis to see which features are always found in the same group, you might select the Use random seeds option for the Initialization Method parameter. For this option, all of the seed features are randomly selected. Any values of 1 in the Initialization Field will be interpreted as a seed. If there are more seed features than Number of Groups, the seed features will be randomly selected from those identified by the Initialization Field. If there are fewer seed features than specified by Number of Groups, the additional seed features will be selected so they are far away (in data space) from those identified by the Initialization Field. Sometimes you know the Number of Groups most appropriate for your data. In the case that you don't, however, you may have to try different numbers of groups, noting which values provide the best group differentiation. When you check the Evaluate Optimal Number of Groups parameter, a pseudo F-statistic will be computed for grouping solutions with 2 through 15 groups. If no other criteria guide your choice for Number of Groups, use a number associated with one of the largest pseudo F-statistic values. The largest F-statistic values indicate solutions that perform best at maximizing both within-group similarities and between-group differences. When you specify an optional Output Report File, that PDF report will include a graph showing the F-statistic values for solutions with 2 through 15 groups. Regardless of the Number of Groups you specify, the tool will stop if division into additional groups becomes arbitrary. Suppose, for example, that your data consists of three spatially clustered polygons and a single analysis field. If all the features in a cluster have the same analysis field value, it becomes arbitrary how any one of the individual clusters is divided after three groups have been created. If you specify more than three groups in this situation, the tool will still only create three groups. As long as at least one of the analysis fields in a group has some variation of values, division into additional groups can continue. Groups will not be divided further if there is no variation in the analysis field values. When you include a spatial or space-time constraint in your analysis, the pseudo F-Statistics are comparable (as long as the Input Features and Analysis Fields don't change). Consequently, you can use the F-Statistic values to determine not only optimal Number of Groups but also to help you make choices about the most effective Spatial Constraints option, Distance Method, and Number of Neighbors. The K-Means algorithm used to partition features into groups when No spatial constraint is selected for the Spatial Constraints parameter and Find seed locations or Use random seeds is selected for the Initialization Method incorporates heuristics and may return a different result each time you run the tool (even using the same data and the same tool parameters). This is because there is a random component to finding the initial seed features used to grow the groups. When a spatial constraint is imposed, there is no random component to the algorithm, so a single pseudo F-Statistic can be computed for groups 2 through 15, and the highest F-Statistic values can be used to determine the optimal Number of Groups for your analysis. Because the No spatial constraint option is a heuristic solution, however, determining the optimal number of groups is more involved. The F-Statistic may be different each time the tool is run, due to different initial seed features. When a distinct pattern exists in your data, however, solutions from one run to the next will be more consistent. Consequently, to help determine the optimal number of groups when the No spatial constraint option is selected, the tool solves the grouping analysis 10 times for 2, 3, 4, and up to 15 groups. Information about the distribution of these 10 solutions is then reported (min, max, mean, and median) to help you determine an optimal number of groups for your analysis. The Grouping Analysis tool returns three derived output values for potential use in custom models and scripts. These are the pseudo F-Statistic for the Number of Groups (Output_FStat), the largest pseudo F-Statistic for groups 2 through 15 (Max_FStat), and the number of groups associated with the largest pseudo F-Statistic value (Max_FStat_Group). When you do not elect to Evaluate Optimal Number of Groups, all of the derived output variables are set to None. The group number assigned to a set of features may change from one run to the next. For example, suppose you partition features into two groups based on an income variable. The first time you run the analysis you might see the high income features labeled as group 2 and the low income features labeled as group 1; the second time you run the same analysis, the high income features might be labeled as group 1. You might also see that some of the middle income features switch group membership from one run to another when No spatial constraint is specified. While you can select to create a very large number of different groups, in most scenarios you will likely be partitioning features into just a few groups. Because the graphs and maps become difficult to interpret with lots of groups, no report is created when you enter a value larger than 15 for the Number of Groups parameter or select more than 15 Analysis Fields. You can increase this limitation on the maximum number of groups, however. On machines configured with the ArcGIS language packages for Arabic and other right-to-left languages, you might notice missing text or formatting problems in the PDF Output Report File. These problems are addressed in this article. For more information about the Output Report File, see Learn more about how Grouping Analysis works. Syntax GroupingAnalysis_stats (Input_Features, Unique_ID_Field, Output_Feature_Class, Number_of_Groups, Analysis_Fields, Spatial_Constraints, {Distance_Method}, {Number_of_Neighbors}, {Weights_Matrix_File}, {Initialization_Method}, {Initialization_Field}, {Output_Report_File}, {Evaluate_Optimal_Number_of_Groups}) Code sample GroupingAnalysis example 1 (Python window) The following Python window script demonstrates how to use the GroupingAnalysis tool. import arcpy import arcpy.stats as SS arcpy.env.workspace = r"C:\GA" SS.GroupingAnalysis("Dist_Vandalism.shp", "TARGET_FID", "outGSF.shp", "4", "Join_Count;TOTPOP_CY;VACANT_CY;UNEMP_CY", "NO_SPATIAL_CONSRAINT", "EUCLIDEAN", "", "", "FIND_SEED_LOCATIONS", "", "outGSF.pdf", "DO_NOT_EVALUATE") GroupingAnalysis example 2 (stand-alone script) The following stand-alone Python script demonstrates how to use the GroupingAnalysis tool. # Grouping Analysis of Vandalism data in a metropolitan area # using the Grouping Analysis Tool # Import system modules import arcpy, os import arcpy.stats as SS # Set geoprocessor object property to overwrite existing output, by default arcpy.gp.overwriteOutput = True try: # Set the current workspace (to avoid having to specify the full path to # the feature classes each time) arcpy.env.workspace = r"C:\GA" # Join the 911 Call Point feature class to the Block Group Polygon feature class # Process: Spatial Join fieldMappings = arcpy.FieldMappings() fieldMappings.addTable("ReportingDistricts.shp") fieldMappings.addTable("Vandalism2006.shp") sj = arcpy.SpatialJoin_analysis("ReportingDistricts.shp", "Vandalism2006.shp", "Dist_Vand.shp", "JOIN_ONE_TO_ONE", "KEEP_ALL", fieldMappings, "COMPLETELY_CONTAINS", "", "") # Use Grouping Analysis tool to create groups based on different variables or analysis fields # Process: Group Similar Features ga = SS.GroupingAnalysis("Dist_Vand.shp", "TARGET_FID", "outGSF.shp", "4", "Join_Count;TOTPOP_CY;VACANT_CY;UNEMP_CY", "NO_SPATIAL_CONSRAINT", "EUCLIDEAN", "", "", "FIND_SEED_LOCATIONS", "", "outGSF.pdf", "DO_NOT_EVALUATE") # Use Summary Statistic tool to get the Mean of variables used to group # Process: Summary Statistics SumStat = arcpy.Statistics_analysis("outGSF.shp", "outSS", "Join_Count MEAN; \ VACANT_CY MEAN;TOTPOP_CY MEAN;UNEMP_CY MEAN", "GSF_GROUP") except: # If an error occurred when running the tool, print out the error message. print(arcpy.GetMessages()) Environments Licensing information - ArcGIS Desktop Basic: Yes - ArcGIS Desktop Standard: Yes - ArcGIS Desktop Advanced: Yes
http://pro.arcgis.com/en/pro-app/tool-reference/spatial-statistics/grouping-analysis.htm
CC-MAIN-2017-34
en
refinedweb
Log message: Update to 3.5.0 Upstream changes: gtools 3.5.0 - 2015-04-28 ------------------------- New Functions: - New roman2int() functon to convert roman numerals to integers without the range restriction of utils::as.roman(). - New asc() and chr() functions to convert between ASCII codes and characters. (Based on the 'Data Debrief' blog entry for 2011-03-09 at … -in-r.html). - New unByteCode() and unByteCodeAssign() functions to convert a byte-code functon to an interpeted code function. - New assignEdgewise() function for making assignments into locked environments. (Used by unByteCodeAssign().) Enhacements: - mixedsort() and mixedorder() now have arguments 'decreasing', 'na.last', and 'blank.last' arguments to control sort ordering. - mixedsort() and mixedirdeR() now support Roman numerals via the arguments 'numeric.type', and 'roman.case'. (Request by David Winsemius, suggested code changes by Henrik Bengtsson.) - speed up mixedorder() (and hence mixedsort()) by moving suppressWarnings() outside of lapply loops. (Suggestion by Henrik Bengtsson.) - The 'q' argument to quantcut() now accept an integer indicating the number of equally spaced quantile groups to create. (Suggestion and patch submitted by Ryan C. Thompson.) Bug fixes: - Removed stray browser() call in smartbind(). - ddirichlet(x, alpha) was incorrectly returning NA when for any i, x[i]=0 and alpha[i]=1. (Bug report by John Nolan.) Other changes: - Correct typographical errors in package description. gtools 3.4.2 - 2015-04-06 ------------------------- New features: - New function loadedPackages() to display name, version, and path of loaded packages (package namespaces). - New function: na.replace() to replace missing values within a vector with a specified value.` Bug fixes: - Modify keywords() to work properly in R 3.4.X and later. gtools 3.4.1 - 2014-05-27 ------------------------- Bug fixes: - smartbind() now converts all non-atomic type columns (except factor) to type character instead of generating an opaque error message. Other changes: - the argument to ASCIIfy() is now named 'x' instead of 'string'. - minor formatting changes to ASCIIfy() man page. gtools 3.4.0 - 2014-04-14 ------------------------- New features: - New ASCIIfy() function to converts character vectors to ASCII representation by escaping them as \x00 or \u0000 codes. Contributed by Arni Magnusson. gtools 3.3.1 - 2014-03-01 ------------------------- Bug fixes: - 'mixedorder' (and hence 'mixedsort') not properly handling single-character strings between numbers, so that '1a2' was being handled as a single string rather than being properly handled as c('1', 'a', '2'). gtools 3.3.0 - 2014-02-11 ------------------------- New features: - Add the getDependencies() function to return a list of dependencies for the specified package(s). Includes arguments to control whether these dependencies should be constructed using information from locally installed packages ('installed', default is TRUE), avilable CRAN packages ('available', default is TRUE) and whether to include base ('base', default=FALSE) and recommended ('recommended', default is FALSE) packages. Bug fixes: - binsearch() was returning the wrong endpoint & value when the found value was at the upper endpoint. gtools 3.2.1 - 2014-01-13 ------------------------- Bug fixes: - Resolve circular dependency with gdata gtools 3.2.0 - 2014-01-11 ------------------------- New features: - The keywords() function now accepts a function or function name as an argument and will return the list of keywords associated with the named function. - New function stars.pval() which will generate p-value significance symbols ('***', '**', etc.) Bug fixes: - R/mixedsort.R: mixedorder() was failing to correctly handle numbers including decimals due to a faulty regular expression. Other changes: - capture() and sprint() are now defunct. gtools 3.1.1 - 2013-11-06 ------------------------- Bug fixes: - Fix problem with mixedorder/mixedsort when there is zero or one elements in the argument vector. gtools 3.1.0 - 2013-09-22 ------------------------- Major changes: - The function 'addLast()' (deprecated since gtools 3.0.0) is no longer available, and has been marked defunct. Bug fixes: - Modified 'mixedorder()' to use Use 'suppressWarnings() instead of 'options(warn=-1)'. This will avoid egregious warning messages when called from within a nested environment, such as when run from within 'knitr' gtools 3.0.0 - 2013-07-06 ------------------------- Major changes: - The function 'addLast()' has been deprecated because it directly manipulates the global environment, which is expressly prohibited by the CRAN policies. - A new function, 'lastAdd()' has been created to replace 'addLast()'. The name has been changed because the two functions require different syntax. 'addLast()' was used like this: byeWorld <- function() cat("\nGoodbye World!\n") addLast(byeWorld) The new 'lastAdd()' function is used like this: byeWorld <- function() cat("\nGoodbye World!\n") .Last <- lastAdd(byeWorld) Bug fixes: - Update checkRVersion() to work with R version 3.0.0 and later. Other changes: - Remove cross-reference to (obsolete?) moc package - The function 'assert()' (deprecated since gtools 2.5.0) is no longer available and has been marked defunct. gtools 2.7.1 - 2013-03-17 ------------------------- Bug fixes: - smartbind() was not properly handling factor columns when the first data frame did not include the relevant column. gtools 2.7.0 - 2012-06-19 ------------------------- New features: - smartbind() has a new 'sep' argument to allow specification of the character(s) used to separate components of constructed column names - smartbind() has a new 'verbose' argument to provide details on how coluumns are being processed Bug fixes: - smartbind() has been enhanced to improve handling of factor and ordered factor columns. gtools v2.6.2, add LICENSE and regularize package files. Log message: Update to the latest version of the module along with R update Log message: Update R-gtools to 2.5.0 gtools 2.5.0 ------------ New features: - Add checkRVersion() function to determin if a newer version of R is available. - Deprecated assert() in favor of base::stopifnot Bug fixes: - Fix bug in binsearch() identified by 2.6.0 R CMD CHECK Other changes: - Improve text explanation of how defmacro() and strmacro() differ from function(). - Update definitions of odd() and even() to use modulus operator instead of division. gtools 2.4.0 ------------ - Add binsearch() function, previously in the genetics() package. gtools 2.3.1 ------------ - Add ask() function to prompt the user and collect a single response. gtools 2.3.0 ------------ - Update email address for Greg - Add new 'smartbind' function, which combines data frames efficiently, even if they have different column names. Log message: Remove empty PLISTs from pkgsrc since revision 1.33 of plist/plist.mk can handle packages having no PLIST files. Log message: There is some debugging information in gtools.so. Log message: Initial import of R-gtools 2.2.3 Various R programming tools
http://pkgsrc.se/math/R-gtools
CC-MAIN-2018-05
en
refinedweb
This paper proposes allowing unqualified name lookup to find (scoped or unscoped) enumerators when the type of the condition of the enclosing switch statement is an enumeration. Example: enum class Foo { Bar, Baz }; namespace N { enum Alehouse { Pub, Bar, Tavern } } int f(Foo foo, N::Alehouse h) { switch (foo) { case Bar: // ok: finds Foo::Bar return 1; } switch (h) { case Bar: // ok: finds N::Alehouse::Bar return 2; } return -1; } This proposal aims to reduce unnecessary verbosity. Switch statements and enumerations are very frequently used together. A case label's constant expression must be convertible to the (adjusted) type of the switch statement's condition; when the condition is an enumeration, each case label's constant expression must be convertible to that enumeration. When an enumerator belonging to that enumeration appears in a case label, it therefore seems unnecessarily pedantic to require the programmer to explicitly qualify the enumerator name when the enumerator is not presently visible in the enclosing scope. enum class Color { Black, Blue, Green, Cyan, Red, Magenta, Yellow, White }; int color_code(Color color) { // Under current rules, every enumerator here must // be prefixed with the enumeration name even though // no other values are possible without explicit // conversions. switch (color) { case Color::Black: return 0x000000; case Color::Blue: return 0x0000FF; case Color::Green: return 0x00FF00; case Color::Cyan: return 0x00FFFF; case Color::Red: return 0xFF0000; case Color::Magenta: return 0xFF00FF; case Color::Yellow: return 0xFFFF00; case Color::White: return 0xFFFFFF; } } This proposal extends the visibility of enumerators to cover case labels when the condition of the associated switch statement is of the type of the enumeration. Some pathological examples of existing code could change in meaning. In order for this to happen, an existing case label would need to reference a named constant in an enclosing namespace (outside of the function definition) that has the same name as an enumerator and a value distinct from that enumerator. This should be extremely rare, and may actually be indicative of a bug in existing code. This proposal extends the potential scope of enumerators to cover case labels in switch statements where the codition of the switch statement has the same type as the enumeration. This carries with it new potential for name collisions when the name of an enumerator already carries different meaning in the scope of the case label. This paper takes the position that an enumerator name appearing in a case label is more likely to refer to the enumerator than to another entity, but gives deference to function-local entities that can't be referenced any other way. An enumerator name is therefore allowed to hide entities at class and namespace scope, but is itself hidden by entities at function and block scope. Example: enum class Color { Black, Blue, Green, Cyan, Red, Magenta, Yellow, White }; constexpr int Yellow = 42; int color_code(Color color) { int Black = 27; switch (color) { case Black: // error: function-local Black, not Color::Black return 0x000000; case Yellow: // ok: Color::Yellow return 0xFFFF00; // ... } return -1; } All modifications are presented relative to N4567. Add the following paragraph to §3.3.1 [basic.scope.declarative]: Insert the following paragraph after §3.3.10 [basic.scope.hiding] paragraph 4: Insert the following paragraph after §6.4.2 [stmt.switch] paragraph 2:
http://www.open-std.org/jtc1/sc22/wg21/docs/papers/2016/p0284r0.html
CC-MAIN-2018-05
en
refinedweb
I had gourmet-0.14.3 (I love the app, BTW) running on a previous debian (sid) install. After a hardware failure, I had to reinstall, and went with etch 4.0r6. I have a backup of my old $HOME/.gourmet, but have not restored it yet to keep it from being a source of errors. I know absolutely nothing about sqlalchemy (if it is even the source of the error) so it may be something simple, but a cursory google search hasn't enlightened me. I have the required packages as listed on the linux install page. Starting gourmet gives me the following without so much as the splash screen: Traceback (most recent call last): File "/usr/bin/gourmet", line 34, in ? import gourmet.GourmetRecipeManager File "/usr/share/gourmet/gourmet/GourmetRecipeManager.py", line 6, in ? import recipeManager File "/usr/share/gourmet/gourmet/recipeManager.py", line 17, in ? from backends.db import * File "/usr/share/gourmet/gourmet/backends/db.py", line 21, in ? from sqlalchemy import Integer, Binary, String, Float, Boolean, Numeric, Table, Column, ForeignKey, Text ImportError: cannot import name Text Any suggestions? Thanks.
https://sourceforge.net/p/grecipe-manager/discussion/371768/thread/81bbd9a7/
CC-MAIN-2018-05
en
refinedweb
1.0.0.BUILD-SNAPSHOT Copies of this document may be made for your own use and for distribution to others, provided that you do not charge any fee for such copies and further provided that each copy contains this Copyright Notice, whether distributed in print or electronically. - Spring Cloud Spinnaker Documentation - Getting started - Debugging Your Installation - Appendices Spring Cloud Spinnaker Documentation This section provides a brief overview of Spring Cloud Spinnaker reference documentation. Think of it as map for the rest of the document. You can read this reference guide in a linear fashion, or you can skip sections if something doesn’t interest you. About the documentation The Spring Cloud Spinnaker reference guide is available as html and pdf documents. The latest copy is available at docs.spring.io/spring-cloud-spinnaker/docs/current/reference. Copies of this document may be made for your own use and for distribution to others, provided that you do not charge any fee for such copies and further provided that each copy contains this Copyright Notice, whether distributed in print or electronically. Getting started Interested in deploying applications to the cloud with complex rollouts, sophisticated notifications (Slack, Email, etc.)? Then this document is for you. It will coach you on using this application to install Spinnaker. Introducing Spring Cloud Spinnaker Spinnaker is a multi-cloud continuous deployment platform released by Netflix with contributions from Pivotal, Google, Microsoft and others. Spring Cloud Spinnaker is an installation tool meant to gather all the necessary information and use it to deploy Spinnaker’s microservices into a certified Cloud Foundry installation. It installs the follow Spinnaker components: Before installing Spinnaker Before you actually install Spinnaker, you must decide where it will run, i.e. pick an organization and space. You also need the following services created as well: An instance of Redis in the same space. Installing Spinnaker Composed of Boot-based microservices, Spinnaker is highly customizable. Instead of tuning ever single setting, Spring Cloud Spinnaker lets you pick several options from a web page, and will in turn apply the needed property settings for you. To get the bits, visit cloud.spring.io/spring-cloud-spinnaker. Included are download directions to run it locally, to upload it somewhere in your CF, or to run a hosted solution from Pivotal Web Services. Settings After installing Spring Cloud Spinnaker, whether locally or in PCF somewhere, you will be faced with a collection of settings. This may look like a lot, but compared to ALL the options Spinnaker comes with, this is a vast simplification. The settings are split into two parts: Target and Settings. Target describes information needed to "cf push" all the Spinnaker modules. Settings is information used to apply the right property settings after installation so that Spinnaker can do its own deployments. The following settings are needed to install Spinnaker modules. The following information is used by Spinnaker after installation to do its job. With your settings filled in, click on the Status tab. Deploying On the Status tab, you have the ability to check each module, or deal with them all. Click on Deploy All. Sit back and sip on a cup of coffee. This will take some time. Once completed, you can click Stop All or Start All to stop/start the whole set. You can click Link All and the names of each module will have a hyperlink added, taking you to App Manager. Next Steps After getting Spinnaker up and running, you should be able to access deck, the UI for Spinnaker, by visiting deck.<your domain> Debugging Your Installation Having trouble with your Spinnaker install? This section is meant to help you unravel things before you open a ticket. Logs, logs, and more logs When you are attempting to install Spinnaker, there are logs everywhere. The key is to find the right ones. Spring Cloud Spinnaker can log information about the deployment process, but once completed, it doesn’t gather any more information Each Spinnaker module will print out its own logs. Assuming you installed Spinnaker with a namespace of "test", you can gather information like this… $ cf logs clouddriver-test In another shell $ cf restart clouddriver-test If you watch the "cf logs" command, you should see your copy of clouddriver start up. If there’s a major issue, it should render an error, especially it it’s missing settings. 2016-09-06T11:32:31.91-0500 [API/0] OUT Updated app with guid 39bc3f7b-ee7f-45f2-bac9-053069092c7a ({"state"=>"STARTED"}) 2016-09-06T11:32:32.22-0500 [APP/0] OUT Exit status 143 2016-09-06T11:32:32.25-0500 [CELL/0] OUT Creating container 2016-09-06T11:32:32.25-0500 [CELL/0] OUT Destroying container 2016-09-06T11:32:32.71-0500 [CELL/0] OUT Successfully destroyed container 2016-09-06T11:32:33.02-0500 [CELL/0] OUT Successfully created container 2016-09-06T11:32:39.29-0500 [CELL/0] OUT Starting health monitoring of container :: Spring Boot :: (v1.2.8.RELEASE) 2016-09-06T11:32:44.85-0500 [APP/0] OUT 2016-09-06 16:32:44.851 INFO 18 --- [ main] pertySourceApplicationContextInitializer : Adding 'cloud' PropertySource to ApplicationContext ... ... 2016-09-06T11:33:06.12-0500 [APP/0] OUT 2016-09-06 16:33:06.126 INFO 18 --- [ main] s.d.spring.web.caching.CachingAspect : Caching aspect applied for cache modelProperties with key com.netflix.spinnaker.clouddriver.model.Network(true) 2016-09-06T11:33:06.12-0500 [APP/0] OUT 2016-09-06 16:33:06.126 INFO 18 --- [ main] s.d.spring.web.OperationsKeyGenerator : Cache key generated: .d.spring.web.caching.CachingAspect : Caching aspect applied for cache operations with key .w.ClassOrApiAnnotationResourceGrouping : Group for method list was vpc-controller 2016-09-06T11:33:06.12-0500 [APP/0] OUT 2016-09-06 16:33:06.127 INFO 18 --- [ main] s.w.ClassOrApiAnnotationResourceGrouping : Group for method list was vpc-controller 2016-09-06T11:33:06.12-0500 [APP/0] OUT 2016-09-06 16:33:06.127 INFO 18 --- [ main] .d.s.w.r.o.CachingOperationNameGenerator : Generating unique operation named: listUsingGET_10 2016-09-06T11:33:06.28-0500 [APP/0] OUT 2016-09-06 16:33:06.282 INFO 18 --- [ main] s.b.c.e.t.TomcatEmbeddedServletContainer : Tomcat started on port(s): 8080 (http) 2016-09-06T11:33:06.28-0500 [APP/0] OUT 2016-09-06 16:33:06.286 INFO 18 --- [ main] com.netflix.spinnaker.clouddriver.Main : Started Main in 24.791 seconds (JVM running for 26.911) 2016-09-06T11:33:06.57-0500 [CELL/0] OUT Container became healthy In this console output, you can see that clouddriver is running with Spring Boot 1.2.8.RELEASE. The "Started Main in 24.791 seconds" is the indicator that the app is finally up. "Container became healthy" is the indicator that the platform can see the app as being up. Environment settings To apply various settings, Spring Cloud Spinnaker "cf pushes" the module and then applies various environment variables settings in Cloud Foundry. Pay note: it’s a LOT of settings. If you see a deployment either empty of environment variables or only containing SPRING_APPLICATION_JSON, then something has gone terribly wrong with the deployment. Each of the services has a URL to reach the other relevant microservices. In this case, you can how it builds up the URL for clouddriver to speak to echo. In this specific example: service.echo.baseUrl = ${services.default.protocol}://${services.echo.host}${namespace}.${deck.domain} services.default.protocol = https services.echo.host = echo namespace = -spring deck.domain = cfapps.io This allows the deployer to flexibly adjust each piece as needed. Manually deploying Spinnaker You may be tempted to simple grab the fat JARs for clouddriver, deck, etc. and push them yourself. Unfortunately, that’s not an option (yet). Each module needs its own property file. clouddriver has clouddriver.yml, igor has igor.yml, etc. But they aren’t included in the JARs pulled from bintray. Netflix wraps each module in a Debian package and has those files in a different location. Spring Cloud Spinnaker grabs those JARs and dynamically inserts such files right before pushing to your Cloud Foundry instance.
https://docs.spring.io/spring-cloud-spinnaker/docs/1.0.0.BUILD-SNAPSHOT/reference/htmlsingle/
CC-MAIN-2018-05
en
refinedweb
URL: <> Summary: problems with hyperg_U(a,b,x) for x<0 Project: GNU Scientific Library Submitted by: bjg Submitted on: Wed 21 Jul 2010 09:17:45 PM BST Category: Runtime error Severity: 3 - Normal Operating System: Status: None Assigned to: None Open/Closed: Open Release: 1.14 Discussion Lock: Any _______________________________________________________ Details: Reply-To: address@hidden From: Raymond Rogers <address@hidden> To: address@hidden Subject: Re: [Bug-gsl] hyperg_U(a,b,x) Questions about x<0 and values Date: Thu, 08 Jul 2010 11:49:15 -0500 Brian Gough <address@hidden> Subject: Re: [Bug-gsl] hyperg_U(a,b,x) Questions about x<0 and values of a To: address@hidden Cc: address@hidden Message-ID: <address@hidden> Content-Type: text/plain; charset=US-ASCII At Wed, 07 Jul 2010 10:14:34 -0500, Raymond Rogers wrote: > > > > 1) I was unable to find the valid domain of the argument a when x<0. > > Experimenting yields what seem to be erratic results. Apparently > > correct answers occur when {x<0&a<0& a integer}. References would be > > sufficient. Unfortunately {x<0,a<0} is exactly the wrong range for my > > problem; but the recursion relations can be used to stretch to a>0. If > > I can find a range of correct operation for the domain of "a" of width >1. > | Brian Gough | Thanks for the email. There are some comments about the domain for | the hyperg_U_negx function in specfunc/hyperg_U.c -- do they help? They explain some things, but I believe the section if (b_int && b >= 2 && !(a_int && a <= (b - 2))){} else {} is implemented incorrectly; and probably the preceding section as well. Some restructuring of the code would make things clea\ rer; but things like that should probably done in a different forum: email, blog, etc... I think the switches might be wrong. In any case it seems that b=1 has a hole. Is there a source for this code? Note: the new NIST Mathematical handbook might have better algorithms. I am certainly no expert on implementing mathematical \ functions (except for finding ways to make them fail). Ray Reply-To: address@hidden From: Raymond Rogers <address@hidden> To: address@hidden Subject: [Bug-gsl] Re: hyperg_U(a, b, x) Questions about x<0 and values of a, Date: Sun, 11 Jul 2010 14:43:43 -0500 hyperg_U basically fails with b=1, a non-integer; because gsl_sf_poch_e(1+a-b,-a,&r1); is throwing a domain error when given gamma(0)/gamma(a). Checking on and using b=1 after a-integer is checked is illustrated below in Octave. I also put in recursion to evaluate b>=2. I checked the b=1 expression against Maple; for a few values x<0,a<0,b=1 and x<0,a<0,b>=2 integer. -------------- Unfortunately the routine in Octave to call hyperg_U is only set up for real returns, which was okay for versions <1.14 . Sad to say I am the one who implemented the hyperg_U interface, and will probably have to go back :-( . Integrating these functions into Octave was not pleasant; but perhaps somebody made it easier. I did translate the active parts of hyperg_U into octave though; so it can be used in that way. Ray # # # Test function to evaluate b=1 for gsl 1.14 hyperg_U x<0 # function anss=hyperg_U_negx_1(a,b,x) int_a=(floor(a)==a); int_b=(floor(b)==b); #neg, int, a is already taken care of so use it if (int_a && a<=0) anss=hyperg_U(a,b,x); elseif (int_b && (b==1)) #from the new NIST DLMF 13.2.41 anss=gamma(1-a)*exp(x)*(hyperg_U(1-a,1,-x)/gamma(a)-hyperg_1F1(1-a,1,-x)*exp((1-a)*pi*I)); elseif (b>=2) #DLMF 13.3.10 anss=((b-1-a)*hyperg_U_negx_1(a,b-1,x) + hyperg_U_negx_1(a-1,b-1,x))/x; else anss=hyperg_U(a,b,x); endif # endfunction _______________________________________________________ Reply to this item at: <> _______________________________________________ Message sent via/by Savannah
http://lists.gnu.org/archive/html/bug-gsl/2010-07/msg00018.html
CC-MAIN-2018-05
en
refinedweb
One of the deployment validation and testing tools which was also present in earlier AD FS releases is the /IdpInitiatedSignon.htm page. This page is available by default in the AD FS 2012 R2 and earlier versions. Though it should be noted this page is disabled by default in AD FS 2016. From the system you wish to test from, navigate to the AD FS namespace's idpinitiatedsignonpage. This will be in the format of: https://<AD FS name>.tailspintoys.ca/adfs/ls/idpinitiatedsignon.htm In this case the AD FS namespace is adfs.tailspintoys.ca so the test URL is: Alternatively a lot of deployments use the Secure Token Service (STS) as the namespace. An example would be: IdpInitiatedSignon Page On Windows 2012 R2 The IdpInitiatedSignonPage is enabled by default on Windows 2012 R2 AD FS. The Tailspintoys example is shown below. Testing IdpInitiatedSignon Page On Windows 2016 The IdpInitiatedSignon page is disabled by default on AD FS 2016. If you attempt to navigate to the URL, the below error will be displayed: The displayed error was: An error occurred The resource you are trying to access is not available. Contact your administrator for more information. Enabling IdpInitiatedSignon Page On Windows 2016 The idpInitiatedSignon page is controlled via the EnableIdpInitiatedSignonPage property on the AD FS farm. In the below example we will check the current status of the EnableIdpInitiatedSignonPage property, noting that it is set to $False. Get-AdfsProperties | Select-Object EnableIdpInitiatedSignonpage To enable the EnableIdpInitiatedSignonPage, it is simply a matter of setting EnableIdpInitiatedSignonPage to $True Set-AdfsProperties –EnableIdpInitiatedSignonPage $True Verifying IdpInitiatedSignon Page Functions On Windows 2016 Now that we have set EnableIdpInitiatedSignonPage to $True, we can verify that the page works. Note that in the below example, the AD FS namespace has been added to he local intranet zone in IE so that we can benefit from a slipstreamed logon experience. Since the the AD FS namespace is present within the local intranet IE security zone, by default this will provide the credentials to the AD FS endpoint. As you can see in the highlighted red box – we are now signed in. Cheers, Rhoderick The problem I have is that I’m on 2012r2, and upgrading to 2016. I don’t like that I have to replace the entire farm in one change mgmt (12 servers for us) to enable this feature on our WAPs. Seems a lot of risk to assume for a high visibility resource as opposed to a more graceful, phase in/phase out of nodes. The big hangup, is one of our apps requires IDP as their website does not support a redirect back to ADFS for logon. Hi Rhoderick, thank you so much for the post. You are always very helpful. Keep it up, God Bless you Thanks Farooq! Owyeah!! thnk you so much for this tip man. I`ll post it in my blog with your permition.
https://blogs.technet.microsoft.com/rmilne/2017/06/20/how-to-enable-idpinitiatedsignon-page-in-ad-fs-2016/
CC-MAIN-2018-05
en
refinedweb
An Explorer is a Tool to visit a Topological Data Structure form the TopoDS package. More... #include <TopExp_Explorer.hxx> An Explorer is a Tool to visit a Topological Data Structure form the TopoDS package. An Explorer is built with : The Explorer visits all the structure to find shapes of the requested type which are not contained in the type to avoid. Example to find all the Faces in the Shape S : TopExp_Explorer Ex; for (Ex.Init(S,TopAbs_FACE); Ex.More(); Ex.Next()) { ProcessFace(Ex.Current()); } // an other way TopExp_Explorer Ex(S,TopAbs_FACE); while (Ex.More()) { ProcessFace(Ex.Current()); Ex.Next(); } To find all the vertices which are not in an edge : for (Ex.Init(S,TopAbs_VERTEX,TopAbs_EDGE); ...) To find all the faces in a SHELL, then all the faces not in a SHELL : TopExp_Explorer Ex1, Ex2; for (Ex1.Init(S,TopAbs_SHELL),...) { // visit all shells for (Ex2.Init(Ex1.Current(),TopAbs_FACE),...) { // visit all the faces of the current shell } } for (Ex1.Init(S,TopAbs_FACE,TopAbs_SHELL),...) { // visit all faces not in a shell } If the type to avoid is the same or is less complex than the type to find it has no effect. For example searching edges not in a vertex does not make a difference. Creates an empty explorer, becomes usefull after Init. Creates an Explorer on the Shape <S>. <ToFind> is the type of shapes to search. TopAbs_VERTEX, TopAbs_EDGE, ... <ToAvoid> is the type of shape to skip in the exploration. If <ToAvoid> is equal or less complex than <ToFind> or if <ToAVoid> is SHAPE it has no effect on the exploration. Returns the current shape in the exploration. Exceptions Standard_NoSuchObject if this explorer has no more shapes to explore. Returns the current depth of the exploration. 0 is the shape to explore itself. Resets this explorer on the shape S. It is initialized to search the shape S, for shapes of type ToFind, that are not part of a shape ToAvoid. If the shape ToAvoid is equal to TopAbs_SHAPE, or if it is the same as, or less complex than, the shape ToFind it has no effect on the search. Returns True if there are more shapes in the exploration. Moves to the next Shape in the exploration. Exceptions Standard_NoMoreObject if there are no more shapes to explore. Reinitialize the exploration with the original arguments.
https://www.opencascade.com/doc/occt-7.2.0/refman/html/class_top_exp___explorer.html
CC-MAIN-2018-05
en
refinedweb
I'm trying to write a for loop but one of the values won't update. R I'm just trying to write a simple for loops so I can see how much the person would owe after each consecutive year. It ends up printing the statement with only the n value ever changed. The A stays the same as the first time. for (n in 1:15){ A <- 5000 * (1+ .115/100) ^n sprintf("%.2f owed after %.f years", A, n) } I have no clue what to do to fix it. Thanks 1 answer See also questions close to this topic -? - Using a bayesian network with sparklyr My Question: What is the best (easiest) way to implement a bayesian network in Apache Spark with R? Usually I am using Sparklyr (R interface for Apache Spark). I am able to impelment machine learning algorithms in a Spark cluster via the machine learning functions within sparklyr. However I would like to build a bayesian network which is not supported by sparklyr. What is the best way to implement a bayesian network in Apache Spark with R? - Speed up python list search (Nested for loops) I'm currently working on moving some excel worksheets over to python automation, and have come across a speed issue. I have a list of lists containing around 10.000 lists each with 20 or so columns. I also have a list of account numbers (100.000 numbers) I wish to iterate over my list of lists and then pick out values from the list, if the account number in the lists matches one in the account list. By running this code, i am able to get my desired result, however it is painfully slow. calc = 0 for row in listOfLists: if row[1] in Accounts: calc += row[8] Any ideas on how to optimize for speed? - Calculate checksum in Java I'm trying to calculate the crc based on below condition: Calculate checksum using 1021(hex) polynomial and initial value FFFF(hex). The resulting is in 2 byte hexadecimal value. Here's my code: public class CRCCalculator { int crc = 0xFFFF; int polynomial = 0x1021; public static void main(String[] args) throws UnsupportedEncodingException { int crc = 0xFFFF; // initial value int polynomial = 0x1021; // 0001 0000 0010 0001 (0, 5, 12) String str = "000201010212153125000344000203441000000000000065204597253033445403" + "1005802HK5913Test Merchant6002HK6260012020171027154249002240052020" + "171027154249002241070800000003"; byte[] bytes = str.getBytes(); for (byte b : bytes) { for (int i = 0; i < 8; i++) { boolean bit = ((b >> (7 - i) & 1) == 1); boolean c15 = ((crc >> 15 & 1) == 1); crc <<= 1; if (c15 ^ bit) { crc ^= polynomial; } } } crc &= 0xffff; System.out.println("CRC16-CCITT = " + Integer.toHexString(crc).toUpperCase()); } } The actual output should be 0D5F, but I get AD9D. - Get item value in a loop with failed tasks in Ansible There is a one interesting thing I try to perform with Ansible but something goes wrong. Example: - A text file contains IP addresses of some hosts. - I need to read each line in the file and check whether SSH port is open for every IP address. - If I get a timeout while checking host port then I should know what IP address seems to have a problem and pass this item into the variable to perform additional checks. File content: 1.1.1.1 1.1.1.2 1.1.1.2 Ansible playbook: - hosts: localhost connection: local gather_facts: no tasks: - name: Get list of IP adresses shell: cat /home/file register: ip_addrs - name: Check SSH port wait_for: host: "{{ item }}" port: 22 timeout: 5 with_items: "{{ ip_addrs.stdout_lines }}" ignore_errors: true My playbook ends with results: ok - 1.1.1.1 ok - 1.1.1.2 timeout - 1.1.1.3 The result of the loop includes results of every task in one reply. My question: How can I extract the value of the item in a loop which caused my task to fail? Something like register: resultfor task in a loop and some command for the item when: result|failed. - unable to get the list of weblogic deployments printed using WLST I'm trying to get the list of services deployed on my Weblogic. Below is the simple for loop i'm using, but i'm facing syntax issue. connect(sys.argv[2],sys.argv[3],sys.argv[5]) deploymentList=cmo.getAppDeployments() for deployment in deploymentList: try: deploymentname = deployment.getName() print deploymentname except java.lang.Exception, ex:print 'Exception on Changing the...' this deployment name will again be used to stop that Application. - how to get from previous for loop value(hard to title) Hey guys I am newbie in Python , hope for some help here :) My question is how to make for loop like this : for x in range(5): print x + value which i got in previous loop Maybe I am not super clear here so I will try to explain for loop is going to print for me numbers 0,1,2,3,4 , right? So what i want is every time it will print a value for example "3" it will plus previous one which in this case "2". Anybody can help me to explain how to do that ? I am newbie in coding , so please be easy on me :D Thank you! - iterating over an array with for loop JS I have an array of objects (contacts) and I need to write one function that should check if firstName (first parameter of the function) is an actual contact's firstName and the given property (prop is the second parameter of the function) is a property of that contact. If both are true, then return the "value" of that property. If firstName does not correspond to any contacts then return "No such contact" If prop does not correspond to any valid properties then return "No such property" I know what I need to do, the sudo I wrote it but to write it in actual JavaScript I am having a blockage. Below what I wrote so far:(firstName, prop) { var value; for (i = 0; i < 2; i++) { if (contacts[i].firstName === true && contacts[i].prop === true) { value = contacts[i].prop; return value; } } }
http://codegur.com/48215574/im-trying-to-write-a-for-loop-but-one-of-the-values-wont-update-r
CC-MAIN-2018-05
en
refinedweb
Free for PREMIUM members Submit Want to protect your cyber security and still get fast solutions? Ask a secure question today.Go Premium Want to avoid the missteps to gaining all the benefits of the cloud? Learn more about the different assessment options from our Cloud Advisory team. SelectionListener listener = new SelectionListener(table); table.getSelectionModel().addListSelectionListener(listener); table.getColumnModel().getSelectionModel() .addListSelectionListener(listener); public class SelectionListener implements ListSelectionListener { JTable table; // It is necessary to keep the table since it is not possible // to determine the table from the event's source SelectionListener(JTable table) { this.table = table; } public void valueChanged(ListSelectionEvent e) { // If cell selection is enabled, both row and column change events are fired if (e.getSource() == table.getSelectionModel() && table.getRowSelectionAllowed()) { // Column selection changed int first = e.getFirstIndex(); int last = e.getLastIndex(); } else if (e.getSource() == table.getColumnModel().getSelectionModel() && table.getColumnSelectionAllowed() ){ // Row selection changed int first = e.getFirstIndex(); int last = e.getLastIndex(); } if (e.getValueIsAdjusting()) { // The mouse button has not yet been released } } } Select all Open in new window jTable1.addMouseListener(new java.awt.event.MouseAdapter() { @Override public void mouseClicked(java.awt.event.MouseEvent evt) { int row = jTable1.rowAtPoint(evt.getPoint()); int col = jTable1.columnAtPoint(evt.getPoint()); if (row >= 0 && col >= 0) { ...... } } }); jTable1.setSelectionMode(javax.swing.ListSelectionModel.SINGLE_SELECTION); jTable1.addMouseListener(new java.awt.event.MouseAdapter() { @Override public void mouseClicked(java.awt.event.MouseEvent evt) { ... int row = jTable1.getSelectedRow(); int col = jTable1.getSelectedColumn()); if (evt.getClickCount() > 1) { // double-click etc... ... Get more info about an IP address or domain name, such as organization, abuse contacts and geolocation. One of a set of tools we are providing to everyone as a way of saying thank you for being a part of the community. ListSelectionListener is about list list.getSelectedIndex() will return the index of selected item in the list - that would be analog of the column Want to avoid the missteps to gaining all the benefits of the cloud? Learn more about the different assessment options from our Cloud Advisory team. Yes, I was wrong initially - of course you can use for JTable, like in this code from above link: Open in new window check this - it shows simpler way to detemrnin which cell was clicked: than wit ListSelectionListemerr Open in new window Open in new window I'd use this one - it is the simplest - it determines the point of clicking from the MouseEvent and then using Jtable methods rowAtPoint(Point) and columnAtPoint(Point) very starightforwardly detemine the colmun and row number of the point which was clicked. Open in new window I would rather declare on top fo the class implements MouseListenere then I'd say in constructo jTbale1.addMouseListener(t and then in public void mouseClicled(MouseEvent e){ if(e.getSource().equals(jT int row = jTable1.rowAtPoint(e.getPo int col = jTable1.columnAtPoint(e.ge if (row >= 0 && col >= 0) { ...... } But most folks use anonymouis classes. the above line of code is not working. It says the argument is not applicable. just paste these: public void mousePressed(MouseEvent me){} public void mouseEntered(MouseEvent me){} public void mouseExited(MouseEvent me){} public void mouseReleased(MouseEvent me){} and in this ione put real code: public void mouseClicked() { ///stuuff }
https://www.experts-exchange.com/questions/27301144/Java-Swing-JPanel.html
CC-MAIN-2018-05
en
refinedweb
public class ProjectBuilder extends Object Creates dummy instances of Project which you can use in testing custom task and plugin implementations. To create a project instance: ProjectBuilderinstance by calling builder(). build()to create the Projectinstance. You can reuse a builder to create multiple Project instances. The ProjectBuilder implementation bundled with Gradle 3.0 and 3.1 suffers from a binary compatibility issue exposed by applying plugins compiled with Gradle 2.7 and earlier. Applying those pre-compiled plugins in a ProjectBuilder context will result in a ClassNotFoundException. clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait public ProjectBuilder() public static ProjectBuilder builder() public ProjectBuilder withProjectDir(File dir) dir- The project directory @Incubating public ProjectBuilder withGradleUserHomeDir(File dir) public ProjectBuilder withName(String name) name- project name public ProjectBuilder withParent(Project parent) parent- parent project public Project build()
https://docs.gradle.org/current/javadoc/org/gradle/testfixtures/ProjectBuilder.html
CC-MAIN-2018-05
en
refinedweb
D Programming - Unions A union is a special data type available in D that enables you to store different data types in the same memory location. You can define a union with many members, but only one member can contain a value at any given time. Unions provide an efficient way of using the same memory location for multiple purposes. Defining a Union in D To define a union, you must use the union statement in very similar way as you did while defining structure. The union statement defines a new data type, with more than one member for your program. The format of the union statement is as follows − − union Data { int i; float f; char str[20]; } data; A variable of Data type can store an integer, a floating-point number, or a string of characters. This means a single variable the above example, Data type will occupy 20 bytes of memory space because this is the maximum space which can be occupied by character string. The following example displays total memory size occupied by the above union − import std.stdio; union Data { int i; float f; char str[20]; }; int main( ) { Data data; writeln( "Memory size occupied by data : ", data.sizeof); return 0; } When the above code is compiled and executed, it produces the following result − Memory size occupied by data : 20 Accessing Union Members To access any member of a union, we use the member access operator (.). The member access operator is coded as a period between the union variable name and the union member that we wish to access. You would use union keyword to define variables of union type. Example The following example explains usage of union − import std.stdio; union Data { int i; float f; char str[13]; }; void main( ) { Data data; data.i = 10; data.f = 220.5; data.str = "D Programming".dup; writeln( "size of : ", data.sizeof); writeln( "data.i : ", data.i); writeln( "data.f : ", data.f); writeln( "data.str : ", data.str); } When the above code is compiled and executed, it produces the following result − size of : 16 data.i : 1917853764 data.f : 4.12236e+30 data.str : D Programming Here, you can see that values of i and f members of union got corrupted because final value assigned to the variable has occupied the memory location and this is the reason that the value of str member is getting printed very well. Now let us look into the same example once again where we will use one variable at a time which is the main purpose of having union − Modified Example import std.stdio; union Data { int i; float f; char str[13]; }; void main( ) { Data data; writeln( "size of : ", data.sizeof); data.i = 10; writeln( "data.i : ", data.i); data.f = 220.5; writeln( "data.f : ", data.f); data.str = "D Programming".dup; writeln( "data.str : ", data.str); } When the above code is compiled and executed, it produces the following result − size of : 16 data.i : 10 data.f : 220.5 data.str : D Programming Here, all the members are getting printed very well because one member is being used at a time.
https://www.tutorialspoint.com/d_programming/d_programming_unions.htm
CC-MAIN-2018-05
en
refinedweb
>> was reading thru the book "Pro ASP.NET MVC Framework" (APress) and observed something the author was doing with a Dictionary object that was foreign to me. He added a new Key/Value Pair without using the Add() method. He then overwrote that same Key/Value pair without having to check if that key already existed. For example: Dictionary<string, int> nameAgeDict = new Dictionary<string, int>(); nameAgeDict["Joe"] = 34; // no error. will just auto-add key/value nameAgeDict["Joe"] = 41; // no error. key/value just get overwritten nameAgeDict.Add("Joe", 30); // ERROR! key already exists There are many cases where I don't need to check if my Dictionary already has a key or not and I just want to add the respective key/value pair (overwriting the existing key/value pair, if necessary.) Prior to this discovery, I would always have to check to see if the key already existed before adding it. Solution:2 In addition to duncansmart's reply, also extension methods can be used on Framework 2.0. Just add an ExtensionAttribute class under System.Runtime.CompilerServices namespace and you can use extension methods (only with C# 3.0 of course). namespace System.Runtime.CompilerServices { public class ExtensionAttribute : Attribute { } } Solution:3 Not sure if this one has been mentioned or not (11 pages!!) But the OptionalField attribute for classes is amazing when you are versioning classes/objects that are going to be serialized. Solution:4 Regarding foreach: It does not use 'duck typing', as duck typing IMO refers to a runtime check. It uses structural type checking (as opposed to nominal) at compile time to check for the required method in the type. Solution:5 You type "prop" and then press [TAB] twice, it generates useful code for your properties and can speed your typing. I know this works in VS 2005 (I use it) but I don´t know in previous versions. Solution:6 @Brad Barker I think if you have to use nullable types, it's better to use Nullable<.T> rather than the question mark notation. It makes it eye-achingly obvious that magic is occurring. Not sure why anyone would ever want to use Nullable<.bool> though. :-) Krzysztof Cwalina (one of the authors of Framwork Design Guidlines) has a good post here: And Mike Hadlow has a nice post on Nullability Voodoo Solution:7 In reading the book on development of the .NET framework. A good piece of advice is not to use bool to turn stuff on or off, but rather use ENums. With ENums you give yourself some expandability without having to rewrite any code to add a new feature to a function. Solution:8 new modifier Usage of the "new" modifier in C# is not exactly hidden but it's not often seen. The new modifier comes in handy when you need to "hide" base class members and not always override them. This means when you cast the derived class as the base class then the "hidden" method becomes visible and is called instead of the same method in the derived class. It is easier to see in code: public class BaseFoo { virtual public void DoSomething() { Console.WriteLine("Foo"); } } public class DerivedFoo : BaseFoo { public new void DoSomething() { Console.WriteLine("Bar"); } } public class DerivedBar : BaseFoo { public override void DoSomething() { Console.WriteLine("FooBar"); } } class Program { static void Main(string[] args) { BaseFoo derivedBarAsBaseFoo = new DerivedBar(); BaseFoo derivedFooAsBaseFoo = new DerivedFoo(); DerivedFoo derivedFoo = new DerivedFoo(); derivedFooAsBaseFoo.DoSomething(); //Prints "Foo" when you might expect "Bar" derivedBarAsBaseFoo.DoSomething(); //Prints "FooBar" derivedFoo.DoSomething(); //Prints "Bar" } } [Ed: Do I get extra points for puns? Sorry, couldn't be helped.] Solution:9 Literals can be used as variables of that type. eg. Console.WriteLine(5.ToString()); Console.WriteLine(5M.GetType()); // Returns "System.Decimal" Console.WriteLine("This is a string!!!".Replace("!!", "!")); Just a bit of trivia... There's quite a few things people haven't mentioned, but they have mostly to do with unsafe constructs. Here's one that can be used by "regular" code though: The checked/unchecked keywords: public static int UncheckedAddition(int a, int b) { unchecked { return a + b; } } public static int CheckedAddition(int a, int b) { checked { return a + b; } // or "return checked(a + b)"; } public static void Main() { Console.WriteLine("Unchecked: " + UncheckedAddition(Int32.MaxValue, + 1)); // "Wraps around" Console.WriteLine("Checked: " + CheckedAddition(Int32.MaxValue, + 1)); // Throws an Overflow exception Console.ReadLine(); } Solution:10 Instead of using int.TryParse() or Convert.ToInt32(), I like having a static integer parsing function that returns null when it can't parse. Then I can use ?? and the ternary operator together to more clearly ensure my declaration and initialization are all done on one line in a easy-to-understand way. public static class Parser { public static int? ParseInt(string s) { int result; bool parsed = int.TryParse(s, out result); if (parsed) return result; else return null; } // ... } This is also good to avoid duplicating the left side of an assignment, but even better to avoid duplicating long calls on the right side of an assignment, such as a database calls in the following example. Instead of ugly if-then trees (which I run into often): int x = 0; YourDatabaseResultSet data = new YourDatabaseResultSet(); if (cond1) if (int.TryParse(x_input, x)){ data = YourDatabaseAccessMethod("my_proc_name", 2, x); } else{ x = -1; // do something to report "Can't Parse" } } else { x = y; data = YourDatabaseAccessMethod("my_proc_name", new SqlParameter("@param1", 2), new SqlParameter("@param2", x)); } You can do: int x = cond1 ? (Parser.ParseInt(x_input) ?? -1) : y; if (x >= 0) data = YourDatabaseAccessMethod("my_proc_name", new SqlParameter("@param1", 2), new SqlParameter("@param2", x)); Much cleaner and easier to understand Solution:11 Mixins are a nice feature. Basically, mixins let you have concrete code for an interface instead of a class. Then, just implement the interface in a bunch of classes, and you automatically get mixin functionality. For example, to mix in deep copying into several classes, define an interface internal interface IPrototype<T> { } Add functionality for this interface internal static class Prototype { public static T DeepCopy<T>(this IPrototype<T> target) { T copy; using (var stream = new MemoryStream()) { var formatter = new BinaryFormatter(); formatter.Serialize(stream, (T)target); stream.Seek(0, SeekOrigin.Begin); copy = (T) formatter.Deserialize(stream); stream.Close(); } return copy; } } Then implement interface in any type to get a mixin. Solution:12 (I just used this one) Set a field null and return it without an intermediate variable: try { return _field; } finally { _field = null; } Solution:13 This isn't a C# specific feature but it is an addon that I find very useful. It is called the Resource Refactoring Tool. It allows you to right click on a literal string and extract it into a resource file. It will search the code and find any other literal strings that match and replace it with the same resource from the Resx file. Solution:14 I call this AutoDebug because you can drop right into debug where and when you need based on a bool value which could also be stored as a project user setting as well. Example: //Place at top of your code public UseAutoDebug = true; //Place anywhere in your code including catch areas in try/catch blocks Debug.Assert(!this.UseAutoDebug); Simply place the above in try/catch blocks or other areas of your code and set UseAutoDebug to true or false and drop into debug anytime you wish for testing. You can leave this code in place and toggle this feature on and off when testing, You can also save it as a Project Setting, and manually change it after deployment to get additional bug information from users when/if needed as well. You can see a functional and working example of using this technique in this Visual Studio C# Project Template here, where it is used heavily: Solution:15 Method groups aren't well known. Given: Func<Func<int,int>,int,int> myFunc1 = (i, j) => i(j); Func<int, int> myFunc2 = i => i + 2; You can do this: var x = myFunc1(myFunc2, 1); instead of this: var x = myFunc1(z => myFunc2(z), 1); Solution:16 Math.Max and Min to check boundaries: I 've seen this in a lot of code: if (x < lowerBoundary) { x = lowerBoundary; } I find this smaller, cleaner and more readable: x = Math.Max(x, lowerBoundary); Or you can also use a ternary operator: x = ( x < lowerBoundary) ? lowerBoundary : x; Solution:17 I am so so late to this question, but I wanted to add a few that I don't think have been covered. These aren't C#-specific, but I think they're worthy of mention for any C# developer. AmbientValueAttribute This is similar to DefaultValueAttribute, but instead of providing the value that a property defaults to, it provides the value that a property uses to decide whether to request its value from somewhere else. For example, for many controls in WinForms, their ForeColor and BackColor properties have an AmbientValue of Color.Empty so that they know to get their colors from their parent control. IsolatedStorageSettings This is a Silverlight one. The framework handily includes this sealed class for providing settings persistence at both the per-application and per-site level. Flag interaction with extension methods Using extension methods, flag enumeration use can be a lot more readable. public static bool Contains( this MyEnumType enumValue, MyEnumType flagValue) { return ((enumValue & flagValue) == flagValue); } public static bool ContainsAny( this MyEnumType enumValue, MyEnumType flagValue) { return ((enumValue & flagValue) > 0); } This makes checks for flag values nice and easy to read and write. Of course, it would be nicer if we could use generics and enforce T to be an enum, but that isn't allowed. Perhaps dynamic will make this easier. Solution:18 I find it incredible what type of trouble the compiler goes through to sugar code the use of Outer Variables: string output = "helo world!"; Action action = () => Console.WriteLine(output); output = "hello!"; action(); This actually prints hello!. Why? Because the compiler creates a nested class for the delegate, with public fields for all outer variables and inserts setting-code before every single call to the delegate :) Here is above code 'reflectored': Action action; <>c__DisplayClass1 CS$<>8__locals2; CS$<>8__locals2 = new <>c__DisplayClass1(); CS$<>8__locals2.output = "helo world!"; action = new Action(CS$<>8__locals2.<Main>b__0); CS$<>8__locals2.output = "hello!"; action(); Pretty cool I think. Solution:19 I couldn't figure out what use some of the functions in the Convert class had (such as Convert.ToDouble(int), Convert.ToInt(double)) until I combined them with Array.ConvertAll: int[] someArrayYouHaveAsInt; double[] copyOfArrayAsDouble = Array.ConvertAll<int, double>( someArrayYouHaveAsInt, new Converter<int,double>(Convert.ToDouble)); Which avoids the resource allocation issues that arise from defining an inline delegate/closure (and slightly more readable): int[] someArrayYouHaveAsInt; double[] copyOfArrayAsDouble = Array.ConvertAll<int, double>( someArrayYouHaveAsInt, new Converter<int,double>( delegate(int i) { return (double)i; } )); Solution:20 Having just learned the meaning of invariance, covariance and contravariance, I discovered the in and out generic modifiers that will be included in .NET 4.0. They seem obscure enough that most programmers would not know about them. There's an article at Visual Studio Magazine which discusses these keywords and how they will be used. Solution:21 I especially like the nullable DateTime. So if you have some cases where a Date is given and other cases where no Date is given I think this is best to use and IMHO easier to understand as using DateTime.MinValue or anything else... DateTime? myDate = null; if (myDate.HasValue) { //doSomething } else { //soSomethingElse } Solution:22 The data type can be defined for an enumeration: enum EnumName : [byte, char, int16, int32, int64, uint16, uint32, uint64] { A = 1, B = 2 } Solution:23 Thought about @dp AnonCast and decided to try it out a bit. Here's what I come up with that might be useful to some: // using the concepts of dp's AnonCast static Func<T> TypeCurry<T>(Func<object> f, T type) { return () => (T)f(); } And here's how it might be used: static void Main(string[] args) { var getRandomObjectX = TypeCurry(GetRandomObject, new { Name = default(string), Badges = default(int) }); do { var obj = getRandomObjectX(); Console.WriteLine("Name : {0} Badges : {1}", obj.Name, obj.Badges); } while (Console.ReadKey().Key != ConsoleKey.Escape); } static Random r = new Random(); static object GetRandomObject() { return new { Name = Guid.NewGuid().ToString().Substring(0, 4), Badges = r.Next(0, 100) }; } Solution:24 Open generics are another handy feature especially when using Inversion of Control: container.RegisterType(typeof(IRepository<>), typeof(NHibernateRepository<>)); Solution:25 Pointers in C#. They can be used to do in-place string manipulation. This is an unsafe feature so the unsafe keyword is used to mark the region of unsafe code. Also note how the fixed keyword is used to indicate that the memory pointed to is pinned and cannot be moved by the GC. This is essential a pointers point to memory addresses and the GC can move the memory to different address otherwise resulting in an invalid pointer. string str = "some string"; Console.WriteLine(str); unsafe { fixed(char *s = str) { char *c = s; while(*c != '\0') { *c = Char.ToUpper(*c++); } } } Console.WriteLine(str); I wouldn't ever do it but just for the sake of this question to demonstrate this feature. Solution:26 In no particular order: Lists<> Mutex The new property definitions shortcut in Framework 3.5. Solution:27 The Yield keyword is often overlooked when it has a lot of power. I blogged about it awhile ago and discussed benefits (differed processing) and happens under the hood of yield to help give a stronger understanding. Solution:28 I find the use of the conditional break function in Visual Studio very useful. I like the way it allows me to set the value to something that, for example can only be met in rare occasions and from there I can examine the code further. Solution:29 Having read through all 9 pages of this I felt I had to point out a little unknown feature... This was held true for .NET 1.1, using compression/decompression on gzipped files, one had to either: - Download ICSharpCode.ZipLib - Or, reference the Java library into your project and use the Java's in-built library to take advantage of the GZip's compression/decompression methods. It is underused, that I did not know about, (still use ICSharpCode.ZipLib still, even with .NET 2/3.5) was that it was incorporated into the standard BCL version 2 upwards, in the System.IO.Compression namespace... see the MSDN page "GZipStream Class". Solution:30 Accessing local variables from anonymous methods allows you to wrap just about any code with new control flow logic, without having to factor out that code into another method. Local variables declared outside the method are available inside the method such as the endOfLineChar local variable in the example here: Note:If u also have question or solution just comment us below or mail us on toontricks1994@gmail.com EmoticonEmoticon
http://www.toontricks.com/2018/05/tutorial-hidden-features-of-c-closed.html
CC-MAIN-2018-51
en
refinedweb
An application I’m working on uses the icalendar library () to generate an ICS file of upcoming events that can be linked to another calendar program (I’ve tried Outlook and Google Calendar). One problem I was having was that I was unable to generate time zone aware times. Mine were all naive – also called ‘floating’ times – that would appear the same regardless of the calendar program’s timezone. What I was trying to do was to create a new time zone in the ICS file, and then append the TZID parameter to each date/time value. It was not happening. So, I dug into the source code for icalendar. This library is well documented with tests, and I soon found a solution – include a tzinfo value when supplying the date/time and icalendar will convert it to UTC and append a ‘Z’ to the end of the time to indicate this. icalendar supplies a class called LocalTimezone that can be used for this purpose. I tried it, and it worked! Here’s a simplified version of my code: from icalendar import Calendar, Event from datetime import datetime from icalendar import LocalTimezone cal = Calendar() cal.add('version', '2.0') cal.add('prodid', '-//test file//example.com//') cal.add('X-WR-CALNAME','Test Calendar ' ) lt = LocalTimezone() # we append the local timezone to each time so that icalendar will convert # to UTC in the output for ent in queryset: event = Event() event.add('summary', ent.event_name) event.add('dtstart', datetime.combine(ent.event_date,ent.start_time).replace(tzinfo=lt)) event.add('dtend', datetime.combine(ent.stop_date,ent.stop_time).replace(tzinfo=lt)) event.add('dtstamp', ent.updated_on.replace(tzinfo=lt)) event['uid'] = ent.pk # should probably use a better guid than just the PK event.add('priority', 5) cal.add_component(event) return cal And this is a sample event from the output: BEGIN:VEVENT DTEND: 20100714T184500Z DTSTAMP:20100714T185936Z DTSTART:20100719T174500Z PRIORITY:5 SUMMARY:Gateway Production UID:66 END:VEVENT Note that my 1:45pm event in the US Eastern time zone (EDT) shows as 1745 in UTC.
https://dashdrum.com/blog/2010/07/
CC-MAIN-2018-51
en
refinedweb
It's not the same without you Join the community to find out what other Atlassian users are discussing, debating and creating. Hi, I am trying to configure a behaviour that will display the results of a JQL search in a Custom field of similar issue. The basic idea is I need to display the field values previous issues similar to the current issue (where the custom field is available) Hi Praveen, I would probably not use a behaviour for this. The reason being is that every time you do anything to the issue (Create, Transition, Edit, etc) the behaviour will run the JQL function repeatedly. You could try putting the code in an initializer function behaviour, but there is currently an open bug about not being able to set formField values in intializers, so I don't know if that would work. Instead, I'd set up a Script Listener that is applied to the specific project you want to set values for. You can set the Script Listener to fire on "Issue Created" so that the field gets set whenever a new issue in that project is created. Below is a script that runs a specific JQL query. Once it gets the results from that query, it loops through the issues from the result. In my script, I match an issue that has a key of "JRA-2". If I find that specific key, I get the custom field value from that issue. After I get the custom field value from that issue, I update the custom field value for the current issue. Below is the script:LoggedInUser() // The search query def query = jqlQueryParser.parseQuery("project = JRA") // Results from query def results = searchProvider.search(query, user, PagerFilter.getUnlimitedFilter()) // Get the custom field that you want to update def customFieldManager = ComponentAccessor.getCustomFieldManager() def customField = customFieldManager.getCustomFieldObjectByName("TextFieldA") def valueFromPreviousIssue // Loop through the search results. If the key of one of those issues matches, grab the value from its custom field results.getIssues().each { documentIssue -> def oldIssue = issueManager.getIssueObject(documentIssue.id) if (oldIssue.key == "JRA-2") { def oldCustomField = customFieldManager.getCustomFieldObjectByName("TextFieldA") valueFromPreviousIssue = oldIssue.getCustomFieldValue(oldCustomField) } } customField.updateValue(null, issue, new ModifiedValue(issue.getCustomFieldValue(customField), valueFromPreviousIssue), new DefaultIssueChangeHolder()) Note that you will obviously need to change the JQL query to match what you want to search for. You'll also need to change the part in the loop, since you don't want to match for "JRA-2". You might get static type checking errors when you use this code, but you can ignore this. I've tested the script and can see that it works..
https://community.atlassian.com/t5/Adaptavist-questions/Display-the-results-of-a-JQL-search-in-a-custom-field/qaq-p/614326
CC-MAIN-2018-51
en
refinedweb
The RelatedFieldWidgetWrapper (found in django.contrib.admin.widgets) is used in the Admin pages to include the capability on a Foreign Key control to add a new related record. (In English: puts the little green plus sign to the right of the control.) In a new application of the FilteredSelectMultiple widget I discussed recently, I needed to add this functionality. This wrapper is a little complicated, but it didn’t take too much Google searching to find an example.  A Google Code file from something called Crimson Online helped me understand the concept. The wrapper takes three required parameters plus one optional: - The widget to be wrapped. In my case the FilteredSelectMultiple widget - A relation that defines the two models involved - A reference to the admin site - The Boolean can_add_related (optional) For the first parameter, I used the widget with its parameters: FilteredSelectMultiple(('entities'),False,) The relation confused me at first, but the example made it easy.  The model linked to the form, in this case Item, provides it. Item._meta.get_field('entities').rel The third parameter, the admin site object, is used along with the relation to determine if the user has permission to add this related model.  The example used django.contrib.admin.site, which I found doesn’t work.  Instead, I captured the admin_site value from the ModelAdmin class in my admin.py and set it as a variable for the form.  Then I referenced that variable in the \__init__ method of the form to include it in the widget.  This means that the widget has to be assigned within the __init__ method of the form. self.admin_site The fourth parameter can be used to override the permission check performed by the widget.  However, when a user without the permission to add clicks that little green plus sign, an ugly 500 error is returned. Here is the code used: in admin.py: class ItemAdmin(admin.ModelAdmin): form = ItemAdminForm def __init__(self, model, admin_site): super(ItemAdmin,self).__init__(model,admin_site) self.form.admin_site = admin_site # capture the admin_site admin.site.register(Item, ItemAdmin) in forms.py from django.contrib.admin.widgets import FilteredSelectMultiple, RelatedFieldWidgetWrapper class ItemAdminForm(forms.ModelForm): entities = forms.ModelMultipleChoiceField(queryset=None,label=('Select Entities'),) def __init__(self, *args, **kwargs): super(ItemAdminForm,self).__init__(*args, **kwargs) # set the widget with wrapper self.fields['entities'].widget = RelatedFieldWidgetWrapper( FilteredSelectMultiple(('entities'),False,), Item._meta.get_field('entities').rel, self.admin_site) self.fields['entities'].queryset = Entity.objects.all() class Media: ## media for the FilteredSelectMultiple widget css = { 'all':('/media/css/widgets.css',), } # jsi18n is required by the widget js = ('/admin/jsi18n/',) class Meta: model = Item UPDATE: I’ve published a follow up post that covers using this wrapper outside of the admin application. See More RelatedFieldWidgetWrapper – My Very Own Popup. Â
https://dashdrum.com/blog/2012/07/
CC-MAIN-2018-51
en
refinedweb
Rational Application Developer for WebSphere Software, Version 9.5x, 9.6x and 9.7x new features and enhancements Product Documentation Abstract This document provides an overview of new features and enhancements in IBM Rational Application Developer for WebSphere Software, Versions 9.5x, 9.6x, and 9.7x. Content Table of contents: Eclipse platform and currency updates - Support for Eclipse 4.6.1 Neon. - Currency: Eclipse Tools for Bluemix 1.0.8. - Updated Cloud Foundry: bug fixes and the integration of the new CF plugins from Eclipse WebSphere Application Server updates - Tooling support for WebSphere Application Server traditional V9 that includes updated server tools, tools for developing and deploying Java 8 and JEE 7 applications, and support for remote profiling and code coverage for WebSphere Application Server traditional V9,. Command Line Interface (CLI) integration - A new framework for integrating your favorite Command Line Interface tools into the IDE user experience. For the IBM perspective on why this matters, see Why CLI. For details on how to use this new capability, see the Integrating Command-Line tools in Rational Application Developer blog post. - New and updated, integrated Cordova CLI to Version 6.3.1. See the official announcement from Apache Cordova--Tools Release. JavaScript improvements and extensions - Code coverage New capabilities for enhancing and exporting JUnit-level code coverage results, including source, to IBM Application Delivery Intelligence. IBM SDK for Node.js security fixes The following IBM SDK for Node.js is supported beginning with version 9.5.0.2 iFix001: • IBM SDK for Node.js v1.1.1.1 The following Eclipse IDE is supported beginning with version 9.5.0.2: • Eclipse 4.4.2.1 IBM SDK for Java Technology Edition updates Beginning with version 9.5.0.2, IBM SDK for Java Technology Edition is updated to the following versions: • IBM SDK for Java Technology Edition for Windows, Version 8.0.2.10 • IBM SDK for Java Technology Edition for Linux, Version 8.0.2.10 The following Oracle JDK for OS X is supported beginning with version 9.5.0.2: • Oracle JDK for Mac OS X 1.8.0_u71 IBM product integration support The following product integration is supported beginning with v9.5.0.2: - IBM Node.JS SDK 1.1.0.20 - has been updated to address a security vulnerability. - IBM Eclipse Tools for Cloud Foundry 1.0.0.M3.1 - IBM Eclipse Tools for Bluemix 1.6.0.1 Note: The Eclipse Tools for Bluemix and the Eclipse Tools Cloud Foundry are Mandatory updates. If not installed (by using this fixpack) then a specific security protocol will not be supported anymore by the Bluemix runtime. Bluemix will switch their security protocols by May 23, 2016. Additional supported operating system versions For a full list of operating systems supported in Rational Application Developer v95, see: Additional supported operating system versions For a full list of operating systems supported in Rational Application Developer v95, see: The following Eclipse IDE is supported beginning with version 9.5: • Eclipse 4.4.2 Eclipse platform updates The following additional Eclipse 4.4.2 patches and fixes are included in this release: • Eclipse platform: Bugzilla fix: 445538 • Eclipse Business Intelligence and Reporting Tools (BIRT): Bugzilla fix 464068 • Eclipse Java Development Tools (JDT): Bugzilla fix 457871 • Eclipse Graphical Modeling Framework (GMF): Bugzilla fixes 444898, 428176, 464801 • Eclipse Rich Client Platform (RCP): Bugzilla fixes 458728, 383569, 387821, 420956, 457198, 456729, 411704, 424638, 393601, 459641, 413329, 348331, 460503, 430981, 445538, 334391, 448873, 380233, 457384 • Eclipse 4 Rich Client Platform (RCP): Bugzilla fixes 383569, 420956, 457198, 418561 IBM SDK for Java Technology Edition updates Beginning with version 9.5, IBM SDK for Java Technology Edition is updated to the following versions: • IBM SDK for Java Technology Edition for Windows, Version Version 8.0.1.10 • IBM SDK for Java Technology Edition for Linux, Version 8.0.1.10 The following JDK for OS X is supported beginning with version 9.5: • Oracle JDK for Mac OS X 1.8.0_u51 Updates to supported web browsers In v95, the following additional web browser versions are supported: • Google Chrome v39 • Mozilla Firefox v31 ESR (Extended Support Release) • Internet Explorer v11 • Apple Safari v7, v8 Additional supported operating system versions For a full list of operating systems supported in Rational Application Developer v95, see: IBM Software Update Notifier IBM® Software Update Notifier provides a system tray icon that alerts you when there are new updates available for your installed IBM offerings. The tool also notifies you when there are updates to the materials that are published in the IBM Support Portal. Bluemix Tools: Remote debug applications A remote application debug capability has been introduced for J2EE applications and WebSphere Application Server Liberty Profile servers that are published from the tools. After an application has been deployed to Bluemix, you can right click on the application in the Servers view and select Enable Application Debug. The application is restarted in debug mode so that you can debug the selected application directly from Eclipse: Bluemix Tools: Incremental publish In the past, a single line of code change required the entire application to be redeployed. With the introduction of incremental publish support, the tools can now publish only the changed files to Bluemix and the changes take effect immediately without a redeploy of the entire application. After an application has been deployed to Bluemix, right click the application from the Servers view, and select Enable Development Mode. When the application is running in Development Mode, you can publish your application incrementally to the Bluemix server just as if you are doing local development. You just need to push the Publish button: Bluemix Tools: Run on Server for JavaScript files After a JavaScript application has been deployed to Bluemix, you can now choose a different entry point JavaScript file by right clicking the file and click Run As > Run on Server. The application is removed from the server and re-installed with the selected file as the entry point JavaScript file. In addition, the browser is automatically launched to run the entry point JavaScript file after the application has started: Bluemix Tools: Remove unused routes When an application is published to Bluemix, a route is automatically created for you. A new Remove button has been added under the Routes section on the Applications and Services page on the server editor to allow you to find and delete unused routes: Bluemix Tools: JavaScript Debug Support for Node.js Applications Rational Application Developer 9.5 adds support to debug remote JavaScript applications that have been published from the Tools. After a JavaScript application has been deployed to Bluemix, you can right click the application in the Servers view and select Launch JavaScript Debugger. The application is restarted in debug mode and the Node Inspector is launched so that you can debug the application. Bluemix Tools: Java 8 WebSphere Application Server Liberty Profile for Java support The WebSphere Application Server Liberty Profile for Java runtime in Bluemix now supports deploying and running projects that are compiled using Java 8. To specify the runtime Java version, create an environment variable during deployment with the name JBP_CONFIG_IBMJDK and set the value to “[version: 1.7.+]” or “[version: 1.8.+]”. The Java version is validated to ensure compatibility with the Java version used for project compilation: Bluemix Tools: Incremental publish support of web fragment projects Incremental publish support for Java EE applications has been expanded to support web fragment projects. Bluemix Tools: Trust self-signed certificates support You can specify that self-signed certificates be trusted when adding user-defined Cloud URLs: JavaServer Faces Tools: Support for resource library contracts Facelets allows to create templates using XHTML and CSS that can be used to deliver a consistent look-and-feel across an entire application. JavaServer Faces Tools 2.2 defines Resource Library Contracts that allows facelet templates to be applied to an entire application in a reusable and interchangeable manner. The tooling for Resource Library Contractas included in Rational Application Developer 9.5 enables developers to create and edit customization contracts using a simple editor, without having to manually write the contracts definitions and creating the required folder structure. To add new contracts, use the Faces Config editor and it automatically generates the contract definition and the folder structure inside the project: JavaServer Faces Tools: Support for Faces Flow Rational Application Developer 9.5 adds support to to work with Faces Flow. Faces Flow provides an encapsulation of related facelets with a defined entry and exit points. The flow concept is defined as a state graph formed by a set of nodes. This feature can be used by developers to create wizard-like structures. The new tooling provides a way to easily define flows using an editor, and it automatically creates the basic flow structure and optionally the initial node and the configuration file. To create flows, use the new Faces Flow Definition wizard: You can then use the generated configuration file to define the flow: JavaServer Faces Tools: Portlet support IBM Rational Application Developer 9.5 allows portlet developers to create JavaServer Faces Tools 2.2 portlet projects for IBM WebSphere WebSphere Application Server Liberty Profile runtime. This includes the changes required for auto-code generation for various portlet artifacts like portlet.xml, faces-config.xml, and the facelet among other things: In order to consume this feature, you must install the IBM WebSphere WebSphere Application Server Liberty Profile runtime feature, and configure it with JavaServer Faces Tools 2.2 compatible portlet bridge. JavaServer Faces Tools: File upload for portlets This Enhancement for JSF2.2 portlet bridge adds the support for the file upload component as specified in JSF2.2 specification. JavaServer Faces Tools: Generating the portlet facelet code The JavaServer Faces Tools 2.2 portlet facelets (xhtmls) has different name spacings for various supported JSF2.2 features. So for portal tools this enhancement handles the generation of different source code than the JSF 2.0 facelets: JavaServer Faces Tools: Protected Views IBM Rational Application Developer 9.5 includes a simple editor to protect facelet pages against Cross-Site Request Forgery attacks (CSRF) in non-postback requests (like GET). By adding URL patterns, several pages can be protected at the same time: <p class="ibm-ind-link"><a class="ibm-anchor-down-em-link" href="#whatsnew_95_jsf_stateless">JavaServer Faces Tools Stateless Views</a></p> JavaServer Faces Tools Stateless Views The JavaServer Faces 2.2 specification provides a way to run facelet pages in a stateless mode. In JSF applications context, stateless means that the JSF StateManager does not store any data related to the view. IBM Rational Application Developer 9.5 provides two ways to declare a view as stateless: 1. From the Properties view: 2. Using the editor's content assist: JavaServer Faces Tools: File upload component Before JavaServer Faces Tools 2.2, if you wanted to have a component to upload files to a server you were required to use a third-party component library or implement your own custom component, but now the file upload component is part of the JSF specification and is available in the Palette view to be dragged and dropped as any other component. JavaServer Faces Tools: HTML 5 Support The JavaServer Faces 2.2 specification defines a way to mix JSF code with plain HTML5 by adding a couple of new namespaces: The new namespaces are automatically added to JavaServer Faces Tools projects and enables users to: • Use HTML attributes in JSF components (Pass-through attributes). • Use JSF attributes in HTML tags (Pass-through elements). Using the new namespaces, you are also able to write fully-compliant JSF pages using only HTML. Pass-through attributes: HTML5 introduced a series of new attributes for existing elements, and with JavaServer Faces Tools 2.2 you can mix those attributes with JSF components by using the content assist in the source editor or using the Properties view. Properties view: Content assist: Pass-through elements: Besides the ability to inject HTML5 attributes in JSF components, you can also inject JSF attributes in HTML tags using the content assist in the source editor or using the Properties view. Properties view: Content assist: J2EE tools: Update wizard The Java EE Specification Update wizard now supports migrating an EAR, application client module, connector module, EJB module and web module to the Java EE7 specification. The old "Upgrade JPA 1.0 to JPA 2.0" check box has been replaced with a "Upgrade JPA specification level" checkbox that brings the JPA specification level up to the level that matches the target Java EE level that is being migrated to and sets the JPA platform accordingly. Bluemix Tools: Map and unmap projects In the past, when an application was deployed outside of the bluemix tools, you had to remove the application from the server before you could publish that same application from the Tools. The new map and unmap project feature allows you to map or unmap a project to an existing application that is deployed outside of the Tools without redeploying the application to Bluemix. To map a project, right click on an existing application in the Servers view and select Map to Project: Bluemix Tools: Service creation wizard improvements The service creation wizard has been redesigned to: • Support the creation of multiple services and multiple instances of the same service in a single wizard flow. • Show service icons so you can easily find services. • Select free service plans by default. The free plans are denoted as "free": Bluemix Tools: Dedicated Bluemix support The Tools now support connecting to a dedicated Bluemix server. You can click on the Manage Cloud button in the Bluemix server creation wizard and add the dedicated Bluemix URL to connect to a dedicated Bluemix: Bluemix Tools: Password update You can update the password for an existing Bluemix server instance by right clicking the server in the Servers view and selecting Update Password (previously you needed to recreate the server if the password had been changed or no master password had been set on the Eclipse secure storage). Bluemix Tools:Other improvements A number of performance and usability improvements have been introduced in this release: • The Tools are now more responsive during publish operations. Only changed applications are refreshed instead of refreshing all applications on the server. • The progress indication has been improved for long-running operations. Portlet support on WebSphere Application Server Liberty Profile You can create and maintain resources for portlet applications on WebSphere Application Server Liberty Profile by using the Java™ Specification Request (JSR 168 and JSR 286) portlet API in portlet projects, which can be added to a new or existing enterprise application project. Using the tooling you can: • Create an empty portlet project for WebSphere Application Server Liberty Profile. • Create portlet html and jsps for the portlet projects targeted on WebSphere Application Server Liberty Profile. • Directly publish portlet projects on WebSphere Application Server Liberty Profile. Script-based Portlet tools The Script-based portlet is an option to provide an easy way for web developers primarily working with HTML, css, and javascript to shift to portlet development. This portlet option creates required html, css and js files under a portlet project structure and the developers are able use their existing HTML, js, css skills to create the user interface, styling info as well as the scripts without touching any of the portlet code. The Script-based portlet option also allows one-click enablement for Dojo and jQuery in the portlet creation wizard to allow drag-and-drop support for Dojo and jQuery widgets on portlet htmls from the palette. Rational Agent Controller v9.5 The Rational Agent Controller v9.5 is now available on these platforms running on Java 8: • Windows 32 and 64 bit • Linux 32 and 64 bit • AIX 32 and 64 bit • Linux for z 31 and 64 bit • zOS 31 and 64 bit • Solaris SPARC 64 bit • Solaris x86 64 bit • Ubuntu 14.04 LE Power Linux 64 bit • RHEL 7.1 LE Power Linux 64 bit (New for v95) • SUSE 12 LE Power Linux 64 bit (New for v95) Rational Agent Controller is required to run on the target machine for remote profiling and code coverage, and is supported running on Java 6, 7 and 8 JVMs. Code Quality Tools: Profiling Support for remote WebSphere Application Server Liberty Profile In addition to the current support of profiling in local and remote WebSphere Application Server, and a local WebSphere Application Server Liberty Profile, we now also support profiling in a remote WebSphere Application Server Liberty profile. Code Quality Tools: Code Coverage support on remote WebSphere Application Server Liberty Profile You can now gather Java code coverage statistic for web applications running on a remote WebSphere Application Server Liberty Profile similar to the way you can perform this action on a local WebSphere Application Server Liberty Profile and on both a local and remote WebSphere Application Servers. Code Quality Tools: Profiling and code coverage support for Java 8 Profiling and code coverage is now supported for projects running in Java 8 JVMs. This includes profiling and code coverage on applications published on WebSphere Application Server Liberty profile running on Java 8. Code Quality Tools: Software Analyzer integration with Rational Team Concert When Rational Application Developer shell shares with a Rational Team Concert client, the Rational Team Concert administrator can select Software Analyzer rules (such as Java code review rules and Java Software Metrics rules) to run as part of a Rational Team Concert build: In order for the Rational Team Concert build to analyze the checked-in code with the selected Software Analyzer rules, the Rational Team Concert build machine needs to have the Code Quality Extension for Continuous Integration offering installed as an extension to Rational Team Concert Build System Toolkit. When Software Analyzer rules are run as part of a build, the Rational Team Concert Build user can now open the resulting Rational Team Concert build result to see the result of static code analysis in the Software Analyzer Result tab and download the HTML/XML report in the Downloads tab: Code quality tools: Code Quality Extensions for Continuous Integration A new offering called Code Quality Extensions for Continuous Integration, is replacing the Rational Application Developer Code Coverage Extension. The Code Quality Extensions for Continuous Integration offering contains both the code coverage feature and software analyzer feature. It can be installed as extension to RTC Build System Toolkit to gather code coverage statistic and static code analysis statistics: Code Quality Tools: Software Analyzer Advisor for Rational Team Concert You can use the Software Analyzer Rational Team Concert Advisor feature to control the code quality by requiring the user to pass certain software analyzer rules before checking code into Rational Team Concert. To use this feature, administrators can set Require Satisfactory Software Analyzer Result as a Rational Team Concert source delivery precondition for the project area and pre-select a certain set of Java code review and Java software metrics rules. Administrators can also specify the severity threshold for the Java code review rules: When this precondition is enabled, users for this project area can deliver code changes to a Rational Team Concert source control stream only when the code passes the pre-defined Software Analyzer rules. Code Quality Tools: Code Coverage Result view A new view called the Code Coverage Result view is now available that shows code coverage results from various types of launches and for different languages. This view now replaces the Coverage Launch History view and contains the same context menu as the Coverage Launch History view contained. Code Quality Tools: Enhanced Code Coverage A new JUnit runner called "JUnit 4 with Enhanced Code Coverage" adds support for showing code coverage results for individual JUnit test cases in a JUnit test suite. A new file report option has been added for viewing code coverage results by file. Hovering your cursor over a file shows the tests for that file. A threshold tab in the file report allows you to filter out files or methods above or below a certain coverage threshold. There is also a new "Merge" action in the context menu when selecting multiple code coverage files in the CC results view that allows you to generate a merged code coverage file report. Code Quality Tools: IBM Rational Application Developer Extension for Rational Team Concert with Jazz Team Server IBM Rational Application Developer Extension for Rational Team Concert with Jazz Team Server is updated to 9.5. Rational Build Utility supports enable code coverage and generate code coverage reports IBM Rational Application Developer for WebSphere Software Build Utility is updated to 9.5 version. Two new Ant tasks are created in Rational Build Utility: • codeCoverage: performs the same operation as enable code coverage from either the Properties page or the Run menu in Rational Application Developer • codeCoverageReport: performs the same operation as code coverage report generation within Rational Application Developer when you click Run > Code Coverage >...Generate Report JavaScript Unit Test Support IBM Rational Application Developer 9.5 contains a new set of tools to create automated unit tests for JavaScript-based applications, such as those used by static or dynamic web applications as well as mobile applications using Cordova. These tools enhance the developer experience to create high quality software along with other quality tools present in Rational Application Developer, such as automated Java unit tests, code coverage, TOA, static and dynamic analysis and others. JavaScript Testing tools are installed by default when selecting AJAX, Dojo, and HTML feature in IBM Installation Manager: With these tools you are able to: • Create new JavaScript unit test projects: These unit test projects can reference other web projects in the workspace to discover JavaScript files and artifacts that can be unit tested. • Add unit testing support to existing web projects. • Use Jasmine framework as your testing runtime. Rational Application Developer now bundles Jasmine as part of the installation, but you can use any Jasmine version: just specify the path to your library and Rational Application Developer includes it in the project. • Create test files based on Jasmine spec structure. These test files can reference any JavaScript file in the workspace. • Use the standard JavaScript Development Tools present in Rational Application Developer to either discover JavaScript functions or create test code from the templates available. • Create test runners and discover the test files as well as your JavaScript files under test that are in the same test project or spanning in different projects across the workspace. Also, this test runner creation wizard adds the required artifacts to quickly run the tests as soon as the test runner is created. • Deploy and run the tests on a server. Whether you are using static or dynamic web projects, you can deploy the unit test application to Web Preview server, WebSphere Application Server Liberty Profile, or WebSphere Application Server full profile, or any other server. • Share your test projects with other developers and version it using a SCM, such as Rational Team Concert or Git. Cloud Foundry: CLI Integration Beginning with IBM Rational Application Developer v9.1.1, Eclipse Tools for Bluemix can be installed via Installation Manager, and now the Cloud Foundry CLI is installed as well. Besides just bundling the Cloud Foundry CLI binaries, IBM Rational Application Developer 9.5 also offers an option to launch the terminal directly from the workspace. This new option is available for all kind projects, including web and Node.js projects. Cordova Tools: Support for other plugins Cordova projects now have the ability to install plugins from either the local file system or from a Git repository. Also, the locations of the plugins, which are configured under the Cordova Plugins preferences page, can be shared with other developers quickly by just exporting the Cordova preferences. For more information about Git CLI client support in Rational Application Developer Cordova tools, see:. Cordova Tools: Validation A validation message is shown in Markers view at the project level when a Cordova CLI location is configured and this location is not stored in the Workspace Preferences or it does not exist in the local file system. Also, this validation message provides a quick fix that can guide you in the migration process to select a new Cordova CLI location and configure it in the project properties. Cordova Tools: Artifacts Rational Application Developer now allows you to specify the artifacts required to sign an archive for proper distribution in the application stores. This artifacts are platform dependent: • iOS[1]: requires a Code Identity and a profile. Both are obtained from Apple web site. • Android[2]: requires a keystore (generated using Keytool from the JDK) as well as the alias, type, password, and store password. These artifacts are specified in the Cordova Platforms preferences page. At project export time, you can choose the mode (release or debug), and whether the export process should sign the archive. If you select Yes, then a ready-to-be-distributed archive is generated. If not, then an unsigned archive is generated and cannot be distributed (application stores and devices might not accept an unsigned application). For more information, see: [1] [2] Cordova Tools: NPMJS With the coming removal of the official Cordova Plugins Repository (or CPR)[1], Rational Application Developer 9.5 introduces changes to adapt to the new plugins repository in NPMJS. Users now can see the list of plugins for Cordova applications listed in NPMJS[2]. If the plugin is not listed there yet (this is done by each plugin developer), you still have the ability to install it using Git or downloading it to the local file system and add it as a local plugin using the Add plugin dialog. For more information, see: [1] [2] Cordova Tools: Version 5.1.1 The Cordova CLI has been upgraded from 4.0.0 to 5.1.1. To see a full list of changes see: Document information More support for: Rational Application Developer for WebSphere Software Component: General Information Software version: 9.5, 9.5.0.1, 9.5.0.2, 9.5.0.3, 9.5.0.4, 9.6, 9.6.1, 9.6.1.1, 9.6.1.2, 9.7 Operating system(s): Linux, OS X, Windows Reference #: 7046332 Modified date: 27 November 2018 Translate this page:
http://www-01.ibm.com/support/docview.wss?uid=swg27046332
CC-MAIN-2018-51
en
refinedweb
statsfl - A simple FPS monitor for Flutter 🔨 Installation dependencies: statsfl: ^1.1.0+2 ⚙ Import import 'package:statsfl/statsfl.dart'; 🕹️ Usage Just wrap your root view in the StatsFl widget: StatsFl(child: MyApp()); There are a few additional options you can play with: return StatsFl( isEnabled: true, //Toggle on/off width: 600, //Set size height: 20, // maxFps: 90, // Support custom FPS target (default is 60) showText: true, // Hide text label sampleTime: .5, //Interval between fps calculations, in seconds. totalTime: 15, //Total length of timeline, in seconds. align: Alignment.topLeft, //Alignment of statsbox child: MyApp()); 🐞 Bugs/Requests If you encounter any problems please open an issue. If you feel the library is missing a feature, please raise a ticket on Github and we'll look into it. Pull request are welcome. 📃 License MIT License
https://pub.dev/documentation/statsfl/latest/
CC-MAIN-2020-45
en
refinedweb
Components Button Button is used to trigger actions based on a user's interaction. import { Button } from '@sproutsocial/racine' Properties Recipes Large button Used sparingly in forms with “large” . Full width button The width of a button can be changed using system props. Button with an icon and text When an icon and text are used in a button, a margin should be applied to the icon. Button as a link In some cases, you may want the styling of a button but the behavior of a link. Passing a value for the href prop will cause the button to render as an anchor element. Disabled button Used when the button can’t yet be acted upon. Button with an icon If a button does not include text, you should specify an aria-label attribute describing the button. Alternatively, you can use a text label within the button and hide it visually. Selected button Use the active prop to render a button in its “selected” state. Placeholder button with an Icon Pair the placeholder button with the circle+-filled icon to create a subtle action button. Loader button Please use .
https://seeds.sproutsocial.com/components/button/
CC-MAIN-2020-45
en
refinedweb
Statsd route monitoring middleware for connect/express Available items The developer of this repository has not created any items for sale yet. Need a bug fixed? Help with integration? A different license? Create a request here: (This project is deprecated and not maintained.) StatsD route monitoring middleware for Connect/Express. This middleware can be used either globally or on a per-route basis (preferred) and sends status codes and response times to StatsD. npm install express-statsd An example of an express server with express-statsd: var express = require('express'); var expressStatsd = require('express-statsd'); var app = express(); app.use(expressStatsd()); app.get('/', function (req, res) { res.send('Hello World!'); }); app.listen(3000); By default, the middleware will send status_codeand response_timestats for all requests. For example, using the created server above and a request to, the following stats will be sent: status_code.200:1|c response_time:100|ms However, it's highly recommended that you set req.statsdKeywhich will be used to namespace the stats. Be aware that stats will only be logged once a response has been sent; this means that req.statsdKeycan be set even after the express-statsd middleware was added to the chain. Here's an example of a server set up with a more specific key: var express = require('express'); var expressStatsd = require('express-statsd'); var app = express(); function statsd (path) { return function (req, res, next) { var method = req.method || 'unknown_method'; req.statsdKey = ['http', method.toLowerCase(), path].join('.'); next(); }; } app.use(expressStatsd()); app.get('/', statsd('home'), function (req, res) { res.send('Hello World!'); }); app.listen(3000); A GET request to /on this server would produce the following stats: http.get.home.status_code.200:1|c http.get.home.response_time:100|ms This module also works with any httpserver var http = require('http'); var expressStatsd = require('express-statsd'); var monitorRequest = expressStatsd(); http.createServer(function (req, res) { monitorRequest(req, res); // do whatever you want, framework, library, router res.end('hello world'); }).listen(3000); expressStatsd(options); Object- Container for settings Object- The statsd client. Defaults to lynx with host set to 127.0.0.1and port set to 8125. String- The key on the reqobject at which to grab the key for the statsd logs. Defaults to req.statsdKey.
https://xscode.com/uber-archive/express-statsd
CC-MAIN-2020-45
en
refinedweb
How to use two ENV units with PaHUB (UIFlow) I am new to UIFlow and need your guidance. I managed to get temperature, humidity, and pressure for a single ENV unit directly connected to my M5Stack Fire (Port A) using the UIFlow. Next, I have a PaHub and two ENV units. I connect the first and the second ENV unit to the port 0 and port 1 of the PaHub. I checked and tried to understand the Pa.HUB UIFlow example provided by the github (Pa.HUB.m5f). But still I could not understand how to proceed from the example to my goal, that is reading the two ENV units sequently. Please help! - lukasmaximus M5Stack last edited by Glad the video helped ;) @grafolabs I think this is the video It is clear in explaining the PaHUB with UIFlow Hi Guys I have some further question, what about M5Stick C + ENV HAT + PbHUB connect together? @jollawat There is no problem. The pins used for the Hat (ENV HAT) and the ones used for the grove port (PbHUB) are different. @liemph I tried connect and program by UIFlow it but there are some error after run on screen said “please remove ENV hat” when we add PbHUB into list. @jollawat I did not get it. Please post also your configuration (the connection between Stick-C, Hat and Unit) and your code. @jollawat I do not have any ENV Hat, but I have a PIR Hat, and I tried to reconstruct your problem. I connected my PIR Hat and my PbHub (to Port A) of my Stick C. Then I connected my Light Unit to Port0 of my PbHub. Then I programmed using UiFlow to show the measurement results of both the PIR Hat and Light Unit. It worked well. Please see below, the code snapshot and list. from m5stack import * from m5ui import * from uiflow import * import hat import unit import hat setScreenColor(0x111111) pbhub0 = unit.get(unit.PBHUB, unit.PORTA) hat_pir0 = hat.get(hat.PIR) label0 = M5TextBox(13, 8, "PIR Hat", lcd.FONT_Default,0xFFFFFF, rotate=0) label1 = M5TextBox(12, 63, "PbHUB", lcd.FONT_Default,0xFFFFFF, rotate=0) label2 = M5TextBox(34, 34, "0", lcd.FONT_Default,0xFFFFFF, rotate=0) label3 = M5TextBox(0, 83, "+Light Unit", lcd.FONT_Default,0xFFFFFF, rotate=0) label4 = M5TextBox(26, 109, "0", lcd.FONT_Default,0xFFFFFF, rotate=0) while True: label2.setText(str(hat_pir0.state)) label4.setText(str(pbhub0.analogRead(0))) wait(1) wait_ms(2)
https://forum.m5stack.com/topic/1794/how-to-use-two-env-units-with-pahub-uiflow/1
CC-MAIN-2020-45
en
refinedweb
By Kyle Klassen Product Manager – Cloud Native Application Security at Trend Micro Containers provide many great benefits to organizations – they’re lightweight, flexible, add consistency across different environments and scale easily. One of the characteristics of containers is that they run in dedicated namespaces with isolated resource requirements. General purpose OS’s deployed to run containers might be viewed as overkill since many of their features and interfaces aren’t needed. A key tenant in the cybersecurity doctrine is to harden platforms by exposing only the fewest number of interfaces and applying the tightest configurations required to run only the required operations. Developers deploying containers to restricted platforms or “serverless” containers to the likes of AWS Fargate for example, should think about security differently – by looking upward, looking left and also looking all-around your cloud domain for opportunities to properly security your cloud native applications. Oh, and don’t forget to look outside. Let me explain… Looking Upward As infrastructure, OS, container orchestration and runtimes become the domain of the cloud provider, the user’s primary responsibility becomes securing the containers and applications themselves. This is where Trend Micro Cloud One™, a security services platform for cloud builders, can help Dev and Ops teams better implement build pipeline and runtime security requirements. Cloud One – Application Security embeds a security library within the application itself to provide defense against web application attacks and to detect malicious activity. One of the greatest benefits of this technology is that once an application is secured in this manner, it can be deployed anywhere and the protection comes along for the ride. Users can be confident their applications are secure whether deployed in a container on traditional hosts, into EKS on AWS Bottlerocket, serverless on AWS Fargate, or even as an AWS Lambda function! Looking Left It’s great that cloud providers are taking security seriously and providing increasingly secure environments within which to deploy your containers. But you need to make sure your containers themselves are not introducing security risks. This can be accomplished with container image scanning to identify security issues before these images ever make it to the production environment. Enter Deep Security Smart Check – Container Image Scanning part of the Cloud One offering. Scans must be able to detect more than just vulnerabilities. Developer reliance on code re-use, public images, and 3rd party contributions mean that malware injection into private images is a real concern. Sensitive objects like secrets, keys and certificates must be found and removed and assurance against regulatory requirements like PCI, HIPAA or NIST should be a requirement before a container image is allowed to run. Looking All-Around Imagine taking the effort to ensure your applications, containers and functions are built securely, comply with strict security regulations and are deployed into container optimized cloud environments only to find out that you’ve still become a victim of an attack! How could this be? Well, one common oversight is recognizing the importance of disciplined configuration and management of the cloud resources themselves – you can’t assume they’re secure just because they’re working. But, making sure your cloud services are secure can be a daunting task – likely comprised of dozens of cloud services, each with as many configuration options – these environments are complex. Cloud One – Conformity is your cloud security companion and gives you assurance that any hidden security issues with your cloud configurations are detected and prioritized. Disabled security options, weak keys, open permissions, encryption options, high-risk exposures and many, many more best practice security rules make it easy to conform to security best practices and get the most from your cloud provider services. Look Outside All done? Not quite. You also need to think about how the business workflows of your cloud applications ingest files (or malware?). Cloud storage like S3 Buckets are often used to accept files from external customers and partners. Blindly accepting uploads and pulling them into your workflows is an open door for attack. Cloud One – File Storage Security incorporates Trend Micro’s best-in-class malware detection technology to identify and remove files infected with malware. As a cloud native application itself, the service deploys easily with deployment templates and runs as a ‘set and forget’ service – automatically scanning new files of any type, any size and automatically removing malware so you can be confident that all of your downstream workflows are protected. It’s still about Shared Responsibility Cloud providers will continue to offer security features for deploying cloud native applications – and you should embrace all of this capability. However, you can’t assume your cloud environment is optimally secure without validating your configurations. And once you have a secure environment, you need to secure all of the components within your control – your functions, applications, containers and workflows. With this practical approach, Trend Micro Cloud One™ perfectly complements your cloud services with Network Security, Workload Security, Application Security, Container Security, File Storage Security and Conformity for cloud posture management, so you can be confident that you’ve got security covered no matter which way you look. To learn more visit Trendmicro.com/CloudOne and join our webinar on cloud native application threats
https://f1tym1.com/2020/04/13/what-do-serverless-compute-platforms-mean-for-security/
CC-MAIN-2020-45
en
refinedweb