text
stringlengths
454
608k
url
stringlengths
17
896
dump
stringclasses
91 values
source
stringclasses
1 value
word_count
int64
101
114k
flesch_reading_ease
float64
50
104
Bugzilla – Bug 107 AsmParser Misses Symbol Redefinition Error Last modified: 2003-11-11 22:44:25 You need to before you can comment on or make changes to this bug. Test Case: void %test() { %X = add int 0, 1 %X = add int 1, 2 ret void } This assembles fine (no errors/warnings) because the second add gets renamed. However, it should be a symbol redefinition error. Analysis: I tracked down the setValueName function in llvmAsmParser.y which is called by the Inst production to name the value (instruction). setValueName calls Instruction::setName if there is no existing name. This function requires that the Instruction have a Function grandparent so it can insert the name in the Function's symbol table. However, at this stage of its incarnation, the Instruction object never has a parent or a grandparent. The instruction's getParent() always returns null. So, no named instructions are ever getting into the symbol table from the Inst production. That being the case, I'm not sure how llvm-as ever worked! I believe the problem is one of timing. The setValueName function is being called in the Inst production before the instruction is assigned its parent. The call to InsertValue that immediately follows setValueName requires the value (instruction) to be named by calling Value->hasName(). If it doesn't have a name then InsertValue returns immediately with -1 and it never gets inserted. Again, how could llvm-as ever work if this was the case? This two findings seem a little odd to me so I'm probably missing something. Can someone more knowledgeable comment on my analysis? Oh, I see what's going on. You've got it exactly right, you've just missed one step. In LLVM, when instructions are added to Basic blocks (or bb's to functions, or fn's to modules...), the symbol table for the function is automatically updated to contain the name for the instruction if the bb is in a function. If not, when the BB gets added to a function, the BB itself and all its instructions get added to the symbol table. Because we don't want all of the LLVM transformations to have to worry about colliding variable names, the symbol table class autorenames stuff for its clients. What's happening here is that the instruction gets created with the requested name, but is never inserted into the symbol table until this production runs: BasicBlockList : BasicBlockList BasicBlock { ($$ = $1)->getBasicBlockList().push_back($2); } | FunctionHeader BasicBlock { // Do not allow functions with 0 basic blocks ($$ = $1)->getBasicBlockList().push_back($2); }; This is when a newly formed basic block gets added to a function. At this point, we should be checking for redefinitions, and while we're at it, should not allow basic blocks with colliding names either. This probably needs to be extended to support detection of collisions of all of the major LLVM objects: Instruction, BasicBlock, Function, Global Variable Although I think that some of them are already handled (functions and gvars). -Chris Okay, let me spin on this a while. I understand conceptually where the fix needs to go but need to track down the "right" place to put it in. I need to figure out how to cleanly separate collision detection from reporting the duplicate symbo name in AsmParser. Thanks for your help and for wisely assignign this problem to me. I'm learning tons about LLVM just from working this bug. Kewl :) Created an attachment (id=17) [details] A patch to llvmAsmParser.y to ensure no locally scoped symbol redefinitions. This patch adds a "local_symtab" member to the AsmParser's CurFun object (PerFunctionInfo). It is a SymbolTable to keep track of the local symbols in the function. Any redefinition of a symbol in a type plane added to the function will cause a redefinition error. FWIW: There might be other ways to solve this problem. PLEASE NOTE: The patch must be added *AFTER* the patch for bug 109 (namespace) because it was derived from llvmAsmParser.y after the namespace change. Looks good, but please follow the "golden rule" in the coding standards doc: Since this is a small modification to a preexisting file, please follow the style in use in the file. In particular, this means: * "local_symtab" should be "LocalSymtab" or something * the 'if ( inFunctionScope() ) ' should be 'if (inFunctionScope()) '. (likewise with existing) Otherwise, it looks good! -Chris Created an attachment (id=18) [details] This patch follows the coding standards better. Looks great. I'll apply it sometime tonight. Thanks! -Chris Patch applied, and testcase added: Thanks! -Chris
http://llvm.org/bugs/show_bug.cgi%3Fid=107
crawl-002
refinedweb
758
64.71
Maintain global, singletin list of registered MeshOps. More... #include <MeshOpSet.hpp> Maintain global, singletin list of registered MeshOps. This class implements the list of registered MeshOps. It uses the singleton pattern to provide a single global list while avoiding issues with order of initialization of static objects. This class is intended only for internal use in MKCore. Access to this data maintained by this class should be done through static methods in the MKCore class. Definition at line 22 of file MeshOpSet.hpp. Type of iterator to use with /c OpList. Definition at line 42 of file MeshOpSet.hpp. Type of list returned by reference from member methods. Definition at line 39 of file MeshOpSet.hpp. Private constructor for singleton pattern. Definition at line 8 of file MeshOpSet.cpp. Get index of MeshOpProxy. Get index of MeshOpProxy. Throws exception if not found. Definition at line 59 of file MeshOpSet.cpp. Get singleton instance. Definition at line 10 of file MeshOpSet.cpp. Get MeshOpProxy by name. Get MeshOpProxy by name. Throws exception if not found. Definition at line 51 of file MeshOpSet.cpp. Get MeshOpProxy by index. Get MeshOpProxy by index. Throws exception if not found. Definition at line 67 of file MeshOpSet.cpp. Get MeshOpProxy by name. Returns allMeshOps.end() if not found. Definition at line 42 of file MeshOpSet.cpp. Get list of all MeshOps that can be used to generate mesh entities of the specified dimension. Definition at line 49 of file MeshOpSet.hpp. Get list of all mesh ops. Definition at line 56 of file MeshOpSet.hpp. Register a mesh op. Register a new MeshOp. Will fail upon duplicate names unless proxy pointer is also the same (duplicate registration). Definition at line 16 of file MeshOpSet.cpp. List of all registered MeshOps. Definition at line 102 of file MeshOpSet.hpp. Lists of all registered indexed by dimension of generated entities. Definition at line 104 of file MeshOpSet.hpp.
http://www.mcs.anl.gov/~fathom/meshkit-docs/html/classMeshKit_1_1MeshOpSet.html
CC-MAIN-2017-09
refinedweb
321
72.53
17 February 2012 Stuart Sierra In the beginning, there was a guy with an idea. That guy was Rich Hickey, and his idea was to combine the power of Lisp with the reach of a modern managed runtime. He started with Jfli, embedding a JVM in Lispworks' Common Lisp implementation. When that proved inadequate, he took a two-year sabbatical to write the compiler that would eventually become Clojure: a completely new Lisp for the JVM with language-level concurrency support. In late 2007, Rich Hickey presented Clojure at a meeting of the New York Lisp users' group, LispNYC. I was there, and I was so excited by what I saw that I wrote one of the first blog articles about Clojure. Three days later, I was asking questions about Java interop on the Clojure mailing list. Those early days were fun, participating in heady discussions about fundamental language features like nil vs. false and argument order. It felt like the beginning of something genuinely new. The community was tiny, and Rich participated in almost every discussion on the mailing list or IRC. How times have changed. The Clojure mailing list has over five thousand members, and we just wrapped up the second international Clojure conference with nearly four hundred attendees. Google Groups tells me I’ve racked up over a thousand posts on the mailing list, which is shocking to me. There are five books and counting about Clojure. People are building businesses and careers on it. Who would have guessed, in 2007, that we would be here in just four years? (That was a cheap shot. Hi, Stu! :) In the Summer of 2008, Stuart Halloway started blogging about Clojure. With his co-founder Justin Gehtland, Stuart H. had already built a business helping big companies navigate from ponderous Java development to more agile practices and more expressive languages like Ruby. Stuart H. decided that Clojure was the next big thing. He wrote the first book about Clojure (soon to get a 2nd edition). When he and Rich met at the 2008 JVM Language Summit, they started a long conversation that would eventually become a partnership. Around the same mid-2008 time frame, "clojure-contrib" began its life as a Subversion repository where community members could share code. There were twelve committers and no rules, just a bunch of Clojure source files containing code that we found useful. I contributed str-utils, seq-utils, duck-streams, and later test-is. The growth of contrib eventually led to the need for some kind of library loading scheme more expressive than load-file. I wrote a primitive require function that took a file name argument and loaded it from the classpath. Steve Gilardi modified require to take a namespace symbol instead of a file. I suggested use as the shortcut for the common case of require followed by refer. This all happened fairly quickly, without a lot of consideration or planning, culminating in the ns macro. The peculiarities of the ns macro grew directly out of this work, so you can blame us for that. Clojure-contrib also prompted a question that every open-source software project must grapple with: how to handle ownership. We’d already gone through two licenses: the Common Public License and its successor, the Eclipse Public License. Rich proposed a Clojure Contributor Agreement as a means to protect Clojure’s future. The motivation for the CA was to make sure Clojure would always be open-source but never trapped by a particular license. The Clojure CA is a covenant between the contributor and Rich Hickey: the contributor assigns joint ownership of his contributions to Rich. In return, Rich promises that Clojure will always be available under an open-source license approved by the FSF or the OSI. Some open-source projects got stuck with the first license under which contributions were made. Under the CA, if the license ever needs to change again, there would be no obstacles and no need to get permission from every past contributor. Agreements like this have become standard practice for owners of large open-source projects like Eclipse, Apache, and Oracle. In 2010 I left my cozy academic job and went to work for Relevance, where Stuart Halloway and Rich were discussing a strategic partnership that would eventually become Clojure/core. So what is Clojure/core? It’s a business initiative of Relevance (though not an independent business entity) to provide consulting, training, and development-for-hire services around Clojure. Rich Hickey is an advisor to Clojure/core, but not a Relevance employee. Members of Clojure/core, of which I am one, have made a commitment to spend their 20% time supporting the Clojure ecosystem. Although Rich still personally reviews every patch for the language itself, the job of answering questions and organizing contributions from a 5000-member community is too big for one person, so Rich delegated that responsibility to Clojure/core. The first big issue Clojure/core had to confront was the distribution of clojure-contrib. With sixty-plus libraries in one binary release, it was already unwieldy. Since clojure-contrib releases were tied to Clojure language releases, which happened infrequently, development had stalled. There was also vast confusion about what, exactly, clojure-contrib was meant to be. Was it an essential component of the language, a nascent standard library, or a load of crap? (I was inclined to the latter view, especially with regard to my own contributions.) My attempts at modularizing clojure-contrib within a single Git repository failed to improve the situation. Eventually, we settled on the solution of separate Git repositories for each library. This was a huge amount of work: dozens of repositories to create and hundreds of files to move. Many of the contrib libraries were stagnant, their original authors lacking time to continue working on them. Finally, almost a year later, the situation has stabilized: 28 libraries, each with its own Git repository, test suite, continuous integration, and independent release cycle. The overall code quality is higher and development is moving forward again. It was a painful transition for everyone, not least for those of us trying to manage it all and bear the brunt of the inevitable carping. On top of everything else, the whole process overlapped with the release of Clojure 1.3, the first release to break backwards-compatibility in noticeable ways (non-dynamic Vars as a default, long/double as default numeric types). Our technology choices for Clojure and "new contrib" — GitHub, JIRA, Hudson, and Maven — were driven by several concerns: to be first-class participants in the Java ecosystem to preserve the future-proof licensing structure of the CA to give library developers freedom to develop/release on their own schedule to ensure changes are made only after a thorough review process The last point was particularly important for patches to the Clojure language. Clojure is very stable: since its first public release, implementation bugs have been rare and regressions almost nonexistent. Most reported bugs are edge cases in Java interop. But stability has a price: new features come more slowly. The majority of JIRA tickets on Clojure are really feature requests. Rich is extremely conservative about adding features to the language, and he has impressed this view on Clojure/core for the purpose of screening tickets. To take one prominent example, named arguments were discussed as far back as January 2008. Community members developed the defnk macro to facilitate writing functions with named arguments, and lobbied to add it to Clojure. Finally, in March 2010, Rich made a one-line commit adding support for map destructuring from sequential collections. This gave the benefit of keyword-style parameters everywhere destructuring is supported, including function arguments. By waiting, and thinking, we got something better than defnk. If defnk had been accepted earlier, we might have been stuck with an inferior implementation. Conversely, the decision to move some libraries into the language, notably my testing library, was probably premature. (Stuart Halloway accepts blame for that one. :) Some of the decisions I made in that library could use revisiting, but now clojure.test is what we’re stuck with. If there was one mistake that I personally made during the 1.3 migration, it was speaking as if Clojure/core owned Clojure and clojure-contrib. We don’t: Clojure is owned by Rich Hickey, and clojure-contrib is owned jointly by Rich Hickey and contributors. But we are the appointed stewards (and Stuarts!) of the open-source Clojure ecosystem. In that role, we have to make decisions about what we choose to invest time in supporting. Given limited time, and following Rich’s conservative position on new features, that decision is usually "no." It’s a difficult position to be in. Most of Clojure/core’s members come from the free-wheeling, fast-paced open-source world of Ruby on Rails. We really don’t enjoy saying "no" all the time. But a conservative attitude toward new features is exactly the reason Clojure is so stable. Patches don’t get into the language until they have been reviewed by at least three people, one of them Rich Hickey. New libraries don’t get added to clojure-contrib without multiple mailing-list discussions. None of the new contrib libraries has reached the 1.0.0 milestone, and probably won’t for some time. These hurdles are not arbitrary; they are an attempt to guarantee that new additions to Clojure reflect the same consideration and careful design that Rich invested in the original implementation. So what is clojure-contrib today? It’s a curated set of libraries whose ownership and licensing is governed by the Clojure Contributor Agreement. It could also serve as a proving ground for new features in the language, but this does not imply that every contrib library will eventually make it into the language. With the expansion of contrib, we’ve given name to another layer of organization: Clojure/dev. Clojure/dev is the set of all people who have signed the Clojure Contributor Agreement. This entitles them to participate in discussions on the clojure-dev mailing list, submit patches on JIRA, and become committers on contrib libraries. Within Clojure/dev is the smaller set of people who have been tasked with screening Clojure language tickets. Clojure/core overlaps with both groups. At the tail end of this year’s Clojure/conj, Stuart Halloway opened the first face-to-face meeting of Clojure/dev with these words: "This is the Clojure/dev meeting. It’s a meeting of volunteers talking about how they’re going to spend their free time. The only thing we owe each other is honest communication about when we’re planning to do something and when we’re not. There is no obligation for anybody in this room to build anything for anybody else." One consensus that came out of the Clojure/dev meeting was that we need to get better at using our tools, particularly JIRA. We would like to streamline the processes of joining Clojure/dev, screening patches, and creating new contrib libraries. We also need better integration testing between Clojure and applications that use it. Application and library developers can help by running their test suites against pre-release versions of Clojure (alphas, betas, even SNAPSHOTs) and reporting problems early. But Stu’s last point is an important one:. We’re in this for the long haul. Join us, be patient, and let’s see where we can go.
https://clojure.org/news/2012/02/17/clojure-governance
CC-MAIN-2017-39
refinedweb
1,919
55.24
As part of the Project Coin, there were quite a few language enhancements were added to the Language. The last time Java language changed was in the Java 5 release when Generics were added. The changes in introduced in the Java 7 were welcomed by java community around the world. This was seen as a stepping stone to the plethora of changes to be introduced with Java 8 and above. Nonetheless Java 7 has its own set of issues, but this shouldn’t be a concern for someone to download the latest build and give it a shot. also read: In this post I would like to pick a few features added as part of Project Coin and in the coming posts try to cover the remaining features. The enhancements we would be looking at are: - String in Switch statements. - Generic Type Inference (Diamond Operator) - Multi Catch blocks - Binary Integral literals and underscores in numeric literals. Generic Type Inference (Diamond Operator) Pre Java 7, for a map of string versus list of integers we would have a declaration like: Map<Stirng,List<Integer>> myMap = new HashMap<Stirng,List<Integer>>(); we could also write: Map<Stirng,List<Integer>> myMap = new HashMap(); But for the above code the compiler would issue an warning: Note: Java7FeatureDemo.java uses unchecked or unsafe operations. With Java 7, the above declaration is equivalent to: Map<Stirng,List<Integer>> myMap = new HashMap<>(); The compiler now would inference the type based on the declaration on the left. This is in my opinion is a good step towards removing redundancy in the declaration. If you are using a IDE which supports Java 7 language enhancements, in my case I was using IntelliJ, when you use the pre Java 7 type of declaration it suggests: Strings in switch: Prior to Java 7, we didn’t have an option to use Strings in switch. An alternative approach was to use enums in the switch statement: public class PreJava7 { enum GRADE{ A,B,C,D; } public static void main(String[] args){ GRADE choice = GRADE.A; switch (choice){ case A: System.out.println("A chosen"); break; case B: System.out.println("B chosen"); break; case C: System.out.println("C chosen"); break; } } } With Java 7 the same code can be written as: String choice = "A"; switch (choice){ case "A": System.out.println("A chosen"); break; case "B": System.out.println("B chosen"); break; case "C": System.out.println("C chosen"); break; } Multi Catch blocks: If a code block throws multiple exceptions and you want all of the catch blocks to do the same operation, say logging the exception, we would write something like: public class PreJava7 { public static void main(String[] args){ try { exceptionMethod1(); exceptionMethod2(); } catch (IOException e) { e.printStackTrace(); } catch (NoSuchFieldException e) { e.printStackTrace(); } } static void exceptionMethod1() throws IOException{} static void exceptionMethod2() throws NoSuchFieldException{} } Look at the redundancy of code in both the catch blocks. With the introduction of Mutli catch blocks, the same catch block can be used to capture multiple exceptions thereby leading to code reuse. So the modified code would be: try { exceptionMethod1(); exceptionMethod2(); } catch (IOException | NoSuchFieldException e) { e.printStackTrace(); } If you use an IDE which supports Java 7 features, then using multiple catch blocks would generate the suggestion as follows: Binary Integral literals and underscores in numeric literals: Binary literals can be represented by using b or B, just like the way we used x for Hexadecimal literals. int binary1 = 0b011; int binary2 = 0B111; System.out.println(binary1); System.out.println(binary2); Now coming to the underscores in numeric literals: Pre Java 7, we would write something like: int hugeNumber = 1000000000; A trivia now: How fast can you count the number of zeros in hugeNumber? The time taken to count the number increases with the age of a person. Jokes apart, lets see how this is can be changed with Java 7 enhancement: int hugeNumber2 = 1_000_000_000; System.out.println(hugeNumber == hugeNumber2);//Prints True So, how easy is it now to count the number of zeros? These were some of the few enhancements added as part of Project Coin in Java 7 release. There are few more features which were pushed to Java 8 and another feature try-with-resources ( Automatic Resource Management) which is part of Java 7 and I would write about it in my upcoming posts. If you are interested in obtaining a fully functional code, please do it from here. Note: In order to run the examples given above you need to download the JDK 7 from here.
https://javabeat.net/whats-new-in-java-7-features-as-part-of-project-coin/
CC-MAIN-2021-39
refinedweb
753
51.18
-cli is developer friendly and gives the flexibility to use native components. But with this, you have to configure every small bit in the application. Apart from this, if you want to test your application then you have to use the real device or you have to use simulators for both iOS and Android. You might generate a lot of bugs while installing various rpm packages and configuring them. create-react-native-app, you can expo SDK built-in modules. This is a hassle-free environment for developing apps faster. You don’t need any device (not even simulators) to run and test the apps. You only need to develop the code and test using the expo app built for Android and iOS. You just need the QR Code generated by your application when you run using npm start. It is very easy to integrate such modules in native code bases like Java or swift. I would say one thing after reading the whole tutorial you can easily integrate google maps with React Native as well. You’ll also learn how to build a brand new React Native app from scratch. So, without further ado let’s get started. Prerequisites We’re assuming that you have at least basic or intermediate knowledge of JavaScript, React &. Run the command: > npm install -g create-react-native-app - npm: (Node Package Manager, which manage all your package from installing to deleting). - install: Install is used to give a command to NPM to install a package. You can also use -I instead of this. - -g: It denotes or says NPM to install create-react-native-app globally in the system. This means it will available after this command to all of your systems and you can create a react native app in any directory. - create-react-native-app: A tool which is made by react native developers to make starting a new mobile app in React Native hassle-free. It generates all the bolierplate code needed to get started right away with your app development process. So, let’s move on to the next step. It’s now time to dive into the meat of the project. We are going to build an app which integrates google maps. What would be the name of our app? Let’s name it as “location-finder”. Let’s create the location-finder App Run this command in your Terminal: create-react-native-app locationfinder You will see a lot of dependencies installation and it will take some time to install on your system as shown in the picture. When you hit enter in the command line. It will ask you what do you want: a blank template or tabbed template. Hit enter again to choose app blank template. After that, it will ask you for the app name and also showing slug to you. Don’t worry type the name you want. You can go and have a cup of coffee until the install finishes. It usually takes a few minutes. So now finally, your app is created. If you want to run and test the installation then, in command line type: >” 4. “react-native-maps”: “0.22.0” By default, Expo uses react-native-maps by Airbnb. Currently, Expo SDK is using version 0.22.0. Because this is built-in with create-react-native-app and expo. You can see a similar folder structure in the VS Code as shown below: As I said earlier, we are going to use Expo SDK and react-native-maps is one of the built-in features to integrate Google Maps in Expo SDK. You do not need to install and configure react-native-maps for Android and iOS separately:}} /> ); } } Great milestone! Now Google Maps is integrated into your mobile application. There are several methods that you can use to make it more intuitive. Features that you can add in your map like you can ask the user for giving access to their current location. You can track user location as well. You can also add markers and labels on places as you see in Google Maps. You can also customize that map as much as you want. Latitude and longitude are used to tell the position of the object. latitudeDelta and longitudeDelta are used to provide the zoom options in the map. I have tried it on Android and it works fine. You can try on an iPhone device and let me know in the comments section. Feel free to post a screenshot of your app to show off. (Alternatively) Create a Rect Native app with react-native-cli Step 1: Installing react-native-cli and creating App Let’s start making the same app from scratch using react-native-cli. You need to follow the same way to install react-native-cli. In the terminal, run: > npm install -g react-native-cli It takes a little bit of time. After that, run another command to create the app: > react-native init locationfinder This will also take some time while installing. After installation, get into the folder using > cd locationfinder. You can run this app only on Android or iOS simulator using these commands for iOS, react-native run-ios and for android react-native run-android. Step 2: Install react-native-maps package react-native-maps created by Airbnb. It is open source and anybody can use it for accessing Google Maps. To install it in the app: > locationfinder/npm install –save react-native-maps After the installation is complete. You need to link this package with your current app so that you can use methods of the package in your application. So, let’s configure map files for Android and iOS both. Configure React-Native-Maps for Android We are describing the steps in details, but I would suggest you check the official documentation as well. You just need to make little changes in some the files, but the rest of them are handled by react-native-cli automatically. You have to get inside the android folder. There, you have to change in AndroidManifest.xml file. In this file, you have to configure the Google Maps API key. You can find this file inside android/app/src/main/AndroidManifest.xml. . Change in MainApplication.java which you can also find in android folder. Folder tree is shown in the picture. There you have to import react-native-maps package: import com.airbnb.android.react.maps.MapsPackage; One more thing you need to change in this file. Add new MapsPackage() in function as shown below @Override protected List<ReactPackage> getPackages() { return Arrays.<ReactPackage>asList( new MainReactPackage(), new MapsPackage() ); } Finally, everything is done for Android. Now you have to rebuild the app. To do this use the command react-native run-android. Configure React Native Maps for iOS We need to add a Podfile in iOS to implement Cocoapods. To setup the PodFile, you need to go inside the iOS folder, create a file named Podfile and paste the code provided below. There are a few things that you need to change in this PodFile. First of all, uncomment # platform: ios, ‘9.0’ by removing it. Next, you need to change target ‘_YOUR_PROJECT_TARGET_’ do to your app name like — target ‘locationfinder’ do. Then after that, uncomment all the react-native-maps dependencies. Once all of these changes are done, save the file. Then, go to command line and get inside the ios folder using cd ios. In this folder, you have to run one more command pod install. This will install all the necessary files needed. # Uncomment the next line to define a global platform for your project # platform :ios, '9.0' target '_YOUR_PROJECT_TARGET_' do rn_path = '../node_modules/react-native' rn_maps_path = '../node_modules/react-native-maps' #" # react-native-maps dependencies pod 'react-native-maps', path: rn_maps_path # pod 'react-native-google-maps', path: rn_maps_path # Uncomment this line if you want to support GoogleMaps on iOS # pod 'GoogleMaps' # Uncomment this line if you want to support GoogleMaps on iOS # pod 'Google-Maps-iOS-Utils' # Uncomment this line if ?
https://www.instamobile.io/react-native-tutorials/react-native-maps/
CC-MAIN-2021-31
refinedweb
1,345
66.33
StringTemplate is a template engine carefully designed by myself and Tom Burns (CEO jGuru.com) over many years of experience building commercial sites. Here are 3 sample sites: StringTemplate evolved from a simple "document with holes" to a sophisticated template engine with a functional programming flavor. I chose the simple name StringTemplate to reflect my minimalist approach (its jar is about 120k with source, and class files), but to compete with other tools' names, I should have called it the He-man's Velociraptor Toolkit for Positive Text Generation Experience. <wink> Here is the ST documentation and an academic article that might help A Functional Language For Generating Structured Text. StringTemplate is extremely simple to use and assumes no special relationship with a web server or "engine." Further, it does not assume anything about the structure of the template text. The template can be for HTML, XML, Java, SQL, or whatever. For example, here is a trivial example that I actually use for generating SQL import org.antlr.stringtemplate.*; class Simple { public static void main(String[] args) { StringTemplate query = new StringTemplate("SELECT $column$ FROM $table$;"); query.setAttribute("column", "subject"); query.setAttribute("table", "emails"); System.out.println("QUERY: "+query.toString()); } } You compile with the StringTemplate and ANTLR jars, which I have placed in /home/public/cs601 in your CLASSPATH: /home/public/cs601/stringtemplate-3.2.jar /home/public/cs601/antlr-2.7.7.jar javac Simple.java and run like it like any other java program: java Simple The output you'll see is: QUERY: SELECT subject FROM emails; In my experience, the most useful characteristics of StringTemplate proved to be: To illustrate these characteristics, consider the very real problem of having to change the way every link in your system appears. In an early version of StringTemplate, I had no way to factor out the "link" concept into a separate component. I had to change literally thousands of links by hand. With the current version of StringTemplate, I can change a single file. Changing template file link.st in my site, for example, changes the way every link looks on the entire site. Instead of HTML HREF tags, I now use $link(url="...", title="...")$. Such easy maintenance work derives from StringTemplate's dynamic and structured nature, which supports reusing the link component. Here is the kind of thing that I've seen in manuals for template engines that encourage rather than enforce strict separation. These all violate the rules I have outlined and represent model-view entanglements. $if(user=="parrt" && machine=="yoda")$ $price*.90$, $bloodPressure>130$ $a=db.query("select subject from email")$ $model.pageRef(getURL())$ $ClassLoader.loadClass(somethingEvil)$ $names[ID]$ In code, you should avoid passing in any kind of output HTML: st.setAttribute("color", "red"); While StringTemplate has evolved to support a number of advanced features, the most surprising conclusion I can draw from experience is that you need only the four features mentioned below to generate sophisticated dynamic websites while enforcing strict separation of model and view and, equally crucially, avoiding HTML and manual template creation in the controller. The most common thing in a template beside plain text is a simple named attribute reference such as: Your email: $email$ The template will look up the value of email and insert it into the output stream when you ask the template to print itself out. If email has no value, then it evaluates to the empty string and nothing is generated for that attribute expression. If your controller sets an attribute more than once, then that attribute is multi-valued. Imagine the following controller code: StringTemplate t = new StringTemplate("Your email(s): $email; separator=\", \"$;"); t.setAttribute("email", "parrt@antlr.org"); t.setAttribute("email", "parrt@cs.usfca.edu"); where I have specified an optional separator here. All elements are converted to text and generated in order. The output would look like: Your email(s): parrt@antlr.org, parrt@cs.usfca.edu; If a named attribute is an aggregate with properties (ala JavaBeans), you may reference a property using attribute.property. For example: Your name: $person.name$ Your email: $person.email$ where you have set attribute person to be some Java object. StringTemplate ignores the actual object type stored in attribute person and simply invokes getName() and getEmail() via reflection (StringTemplate will also find fields with the same name as the property). If an attribute reference is not resolved by looking in the associated template's attribute table, then StringTemplate searches for it in the StringTemplate enclosing template. In this way, you can set attribute fontTag once in the outermost template, perhaps page, and have all embedded templates find the value. Instead of defining a single template per HTML page, StringTemplate encourages you to break up your pages into structured, nested templates that together combine to become a full page. This is directly analogous to how you should break down an algorithm into subprocedures. For example, if you were writing a program to generate a web page, you could make a single monolithic method: class HomePage { ... public void generate() { out.println("<html>"); out.println("<head>"); out.println("<title>"+getTitle()+"</title>"); out.println("<body>"); // banner out.println("..."); out.println("..."); ... out.println("<hr>"); // body out.println("..."); out.println("..."); ... out.println("</body>"); out.println("</html>"); } public String getTitle() {...} } But, here is a better, structured approach where the banner and body are factored out: class HomePage { ... public void generate() { out.println("<html>"); out.println("<head>"); out.println("<title>"+getTitle()+"</title>"); out.println("<body>"); banner(); // replace prints with method call out.println("<hr>"); body(); // replace prints with method call out.println("</body>"); out.println("</html>"); } public void banner() {...} public void body() {...} public String getTitle() {...} } The StringTemplate approach looks almost the same minus the surrounding Java infrastructure. Here is a generic page.st template file containing the overall page layout: <html> <head> <title>$title$</title> <body> $banner()$ <hr> $body()$ </body> </html> The template files banner.st and body.st are automatically included when a page is rendered. All mutually-referential templates must be in the same StringTemplateGroup, which for websites loads the templates from the same directory. You will create a group object that specifies a root directory containing your templates: StringTemplateGroup templates = new StringTemplateGroup("mygroup", "/home/parrt/templates"); // manually ask for an ST instance StringTemplate t = templates.getInstanceOf("page"); // t loaded from /home/parrt/templates/page.st In this case, if the page template references another template, it will be looked up in page's group and, hence, from the same directory. You may store templates in subdirectories and reference that as $templates/misc/searchbox()$, for example. Here is test rig: import org.antlr.stringtemplate.*; class ST { public static void main(String[] args) { StringTemplateGroup templates = new StringTemplateGroup("mygroup", "."); StringTemplate t = templates.getInstanceOf("test"); // load test.st ... insert t.setAttribute(...) calls here System.out.println(t.toString()); } } This structured approach is better as the overall page template is reusable for every page and provides a single point of change for the entire site's look. For example, to add a search box to every page, just add a reference to $searchbox()$ above the body. Further, this structuring encourages reuse of the various template subcomponents. StringTemplate allows parameters on template includes just like method calls. An unexpected benefit of this appeared when I had to manually build a page of download items. Rather than cut-n-paste the required formatting for each download item, I used a template reference with static parameters. I still get the benefits of reuse and single-point-of-change for even manually entered information! $download_list_item( title="Atlassian JIRA bug tracking and project management", companyLogo="/images/jira_logo_80_35.gif", companySite="", src="/download/index.jsp", url="", date="September 19, 2003", description="Atlassian JIRA is a J2EE-based bug tracking ..." )$ <br><br> $download_list_item( ... ) <br><br> ... Note that I am specifying just the information and none of the formatting, which is hidden in template download_list_item. This is the same benefit you get from using a link.st template so you can say: Please visit $link(url="", title="USF's website")$ for more information. The single most interesting and powerful feature of StringTemplate is the notion of applying a template to a list of attributes. This feature single-handedly alleviates the need for all the traditional programming constructs like loops found in other template engines. You might ask, "How can I build a table without a loop?" Internally StringTemplate employs loops as a primitive operation, but provides the user with a much richer construct: template application. First, let's look at how to format single-valued attributes. Imagine you have a template called bold defined in bold.st as: <b>$it$</b> where it is the name of the default iteration attribute. You may bold any attribute as follows: $name:bold()$ It's like saying $bold(it=name)$, but with a different syntax. You can apply multiple templates in a row too: $name:bold():italics()$ which yields the following if name is "Alexey": <i><b>Alexey</b></i> One of the key subtle points here is that your controller code is not manually creating subtemplates or inserting HTML code. Your controller merely sets attribute values. Now to make a list of names into a bullet list, you need a template like listItem: <li>$it$</li> Then you can say: <ul> $names:listItem()$ </ul> For each element of attribute names, StringTemplate will apply the listItem template to the value. If you set attribute names to Boris and Natasha in your Java code, then the output would be: <ul> <li>Boris</li> <li>Natasha</li> </ul> For simple templates, you may also use "anonymous templates": <ul> $names:{<li>$it$</li>}$ </ul> Or you can set your own template application iteration variable name: <ul> $names:{ n | <li>$n$</li>}$ </ul> There are many situations when you want to conditionally include some text or another template. StringTemplate provides: <html> ... <body> $if(loggedin)$ $top_gutter_logged_in()$ $else$ $top_gutter_logged_out()$ $endif$ ... </body> </html> where attribute loggedin is set by the controller. Crucially, for separation, loggedin is the result of a computation done in the model. You can only test the result in a template. You may only test whether an attribute is present or absent, preserving separation of model and view. The only exception is that if an attribute value is a Boolean object, it will test it for true/false. Technically speaking nested IF blocks represent an AND condition, which I'm pretty sure violates my rules, but in practice you really need this "grey area" feature. The manner in which a template engine handles filling an HTML table with data often provides good insight into its programming and design strategy. It illustrates the interaction of the model and view via the controller. Using StringTemplate, the view may not bypass the controller and go straight to the model. First, imagine we have objects of type User that we will pull from a simulated database: public class User { String name; int age; public User(String name, int age) { this.name = name; this.age = age; } public String getName() { return name; } public int getAge() { return age; } public String toString() { return name+":"+age; } } Our database is just a static list: static User[] users = new User[] { new User("Boris", 39), new User("Natasha", 31), new User("Jorge", 25), new User("Vladimir", 28) }; Here is my simple overall page design template, page.st: <html> <head> <title>$title$</title> </head> <body> <h1>$title$</h1> $body$ </body> </html> The body attribute of page.st will be set to the following template users_list.st: <table border=1> $users:{ u | <tr> <td>$u.name$</td><td>$u.age$</td> </tr> }$ </table> Identifier u is the iterator parameter that will be set to each value of the users list. u.name gets the name property, if it exists, from the it object ala JavaBeans or simple field reference. That is, StringTemplate uses reflection to call the getName() method on the incoming object. By using reflection, I avoid a type dependence between model and view. Pushing factorization further, you could make a row.st component in order to reuse the table row HTML: <tr> <td>$it.name$</td><td>$it.age$</td> </tr> where it is the predefined iterator when no parameter is defined. Then the user list template reduces to the more readable: <table border=1> $users:row()$ </table> So now the server and templates are set up to format data. My page definition is part of the controller that pulls data from the model (the database) and pushes into the view (the template). That is all the page definition should do--interpret the data and set some attributes in the view. The view only formats data and does no interpretation. Here is a generic page object in my server that has loads templates from the templates subdirectory (in other words, when you ask for an instance of the "page" template, it will look for it in file templates/page.st): public abstract class Page { /** My template library */ static StringTemplateGroup templates = new StringTemplateGroup("mygroup", "templates"); static { templates.setRefreshInterval(0); // don't cache templates } public void generate() { StringTemplate pageST = templates.getInstanceOf("page"); StringTemplate bodyST = generateBody(); pageST.setAttribute("body", bodyST); pageST.setAttribute("title", getTitle()); /* Uncomment to view graphically StringTemplateTreeView viz = new StringTemplateTreeView("viz",pageST); viz.setVisible(true); */ String page = pageST.toString(); // render page System.out.println(page); } public abstract StringTemplate generateBody(); public abstract String getTitle(); } A page simply subclasses and overrides getTitle() and generateBody(), which returns a StringTemplate object. public class UserListPage extends Page { /** This "controller" pulls from "model" and pushes to "view" */ public StringTemplate generateBody() { StringTemplate bodyST = templates.getInstanceOf("users_list"); User[] list = users; // normally pull from database // filter list if you want here (not in template) bodyST.setAttribute("users", list); return bodyST; } public String getTitle() { return "User List"; } } Notice that the controller and model have no HTML in them at all and that the template has no code with side-effects or logic that can break the model-view separation. If you wanted to only see users with age < 30, you would filter the list in generateBody() rather than alter your template. The template only displays information once the controller pulls the right data from the model. Graphically the overall outermost template, page, looks like the following: where the blank elements represent whitespace found in the template; they need to be separated for reasons too detailed to go into here. Drilling down into the attributes you can see that the body attribute is set to another template with the users attribute etc... Those graphical debugging windows are pretty handy and are conveniently generated via: StringTemplateTreeView viz = new StringTemplateTreeView("viz",pageST); viz.setVisible(true); Naturally, you could go one step further and make another component for the entire table (putting it in file table.st): <table border=1> $elements:row()$ </table> then the body template would simply be: $table(elements=users)$ Here is the complete source code: and here are the templates: The other important feature is called a StringTemplateGroup. StringTemplateGroup is a self-referential group of StringTemplate objects kind of like a grammar. It is very useful for keeping a group of templates together. For example, jGuru.com's premium and guest sites are completely separate sets of template files organized with a StringTemplateGroup. Changing "skins" is a simple matter of switching groups. Groups know where to load templates by looking under a rootDir you can specify for the group or by simply looking for a resource file in the current class path. So, if you reference template foo() and you have a rootDir, it looks for file rootDir/foo.st. If you want to use a different set of templates, you can simply point the StringTemplateGroup file at a different directory: public abstract class Page { /** My template library */ static StringTemplateGroup templates = new StringTemplateGroup("mygroup", "anotherTemplateDir"); ... } StringTemplateErrorListener is an interface you can implement to specify where StringTemplate reports errors. Setting the listener for a group automatically makes all associated StringTemplate objects use the same listener. For example, static class ErrorBuffer implements StringTemplateErrorListener { StringBuffer errorOutput = new StringBuffer(500); public void error(String msg, Exception e) { if ( e!=null ) { errorOutput.append(msg+e); } else { errorOutput.append(msg); } } public void warning(String msg) { errorOutput.append(msg); } public void debug(String msg) { errorOutput.append(msg); } public String toString() { return errorOutput.toString(); } } ... StringTemplateGroup group = new StringTemplateGroup("mysite"); ErrorBuffer buf = new ErrorBuffer(); group.setErrorListener(buf); Ok, let's tie it all together: StringTemplate and servlets. Let's reuse the page.st, users_list.st, and row.st templates plus construct the dispatch servlet and some page infrastructure. We want to yield a list of users. Make a Page subclass called UserListPage: public class UserListPage extends Page { /** Our simulated database */ static User[] users = new User[] { new User("Boris", 39), new User("Natasha", 31), new User("Jorge", 25), new User("Vladimir", 28) }; public StringTemplate body() { StringTemplate bodyST = templates.getInstanceOf("users_list"); User[] list = users; // normally pull from database // filter list if you want here (not in template) bodyST.setAttribute("users", list); return bodyST; } public String getTitle() { return "List of users"; } } The page infrastructure, class Page, creates the outer page template (site look) and requests the body. It fills in the body of the page template with the result of the body method: public class Page { /** My template library */ static StringTemplateGroup templates = new StringTemplateGroup("mygroup", "templates"); static { templates.setRefreshInterval(0); // don't cache templates } HttpServletRequest request; HttpServletResponse response; PrintWriter out; public void generate() throws IOException { out = response.getWriter(); StringTemplate pageST = templates.getInstanceOf("page"); StringTemplate bodyST = body(); pageST.setAttribute("body", bodyST); pageST.setAttribute("title", getTitle()); String page = pageST.toString(); // render page out.print(page); } public StringTemplate body() { return null; } public String getTitle() { return null; } } We have the same Jetty servlet start up that maps URLs of the form /mail/* to our DispatchServlet: public class DispatchServlet extends HttpServlet { public void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { Page p = null; String uri = request.getRequestURI(); if ( uri.equals("/mail/users") ) { p = new UserListPage(); p.request = request; p.response = response; } if (p==null) { System.err.println("can't find "+uri); } else { p.generate(); } } } Note that I've modified the constructor for Page subclasses so they does not require a constructor. Here is the complete source code: and here are the templates again: Note: Make sure to save these in a templates subdirectory under where you save the Java code. CSS is a very nice and flexible style specification for the various XML or HTML tags found in a web page. For example, I use it to alter the style of my course notes. This is what my notes looked like in March of 2004 compared to today. Literally the only difference is that I have added <link rel=stylesheet to the top of the page. That URL specifies a series of rewrite rules such as: ul, ol { margin-top: 2px; margin-bottom: 2px; padding-top: 0px; padding-bottom: 0px; } that specify how various tags get formatted. Sounds great! Why do I need StringTemplate then?! The first big reason is that you still need to generate a structured document (XML or HTML) from a servlet. You cannot use print statements, right? Secondly, while CSS does support some content positioning, it does not support the wholesale reorganization of the data as StringTemplate does. It allows you to say how something appears relative to another element on the page or at an absolute position, but it is focused on pixels and visual-display-oriented units. StringTemplate allows you to completely reorder data. Imagine a simple template: <html> <body> <h1>$title$</h1> <ul> $names:{n|<li>$n$</li>} </ul> </body> </html> If you wanted the title at the bottom, you can just move it in the template: <html> <body> <ul> $names:{n|<li>$n$</li>} </ul> <h1>$title$</h1> </body> </html> In CSS, you could probably specify the proper x, y coordinates to get the title on the bottom, but it's a long process of trial and error. You'll also find that CSS implementations are very browser-dependent even on the same operating system. CSS is purely for display of a specific page; there is no notion of factoring out common substructures. CSS is XML/HTML-centric and is not suitable for generating any other kind of structure text. From a practical point of view, CSS is like the prolog language. You are listing a series of rules whose emergent behavior is a displayed page. When it's not working, you have to just fiddle with the rules and hope to find the right combination. With StringTemplate, what you see is what you get--it is the HTML page that will be displayed. Recommendation: use CSS only to alter how individual tags are formatted.
https://www.cs.usfca.edu/~parrt/course/601/lectures/stringtemplate.html
CC-MAIN-2020-16
refinedweb
3,431
56.05
I'm looking for very simple encrypt and decrypt functionality for some data. It's not mission critical. I need something to keep honest people honest, but something a little stronger than ROT13 or Base64. I'd prefer something that is already included in the .NET framework 2.0, so I don't have to worry about any external dependencies. I really don't want to have to mess around with public/private keys, etc. I don't know much about encryption, but I do know enough to know that anything I wrote would be less than worthless... In fact, I'd probably screw up the math and make it trivial to crack. Other answers here work fine, but AES is a more secure and up-to-date encryption algorithm. This is a class that I obtained a few years ago to perform AES encryption that I have modified over time to be more friendly for web applications (e,g. I've built Encrypt/Decrypt methods that work with URL-friendly string). It also has the methods that work with byte arrays. NOTE: you should use different values in the Key (32 bytes) and Vector (16 bytes) arrays! You wouldn't want someone to figure out your keys by just assuming that you used this code as-is! All you have to do is change some of the numbers (must be <= 255) in the Key and Vector arrays (I left one invalid value in the Vector array to make sure you do this...). You can use to generate a new set easily. Using it is easy: just instantiate the class and then call (usually) EncryptToString(string StringToEncrypt) and DecryptString(string StringToDecrypt) as methods. It couldn't be any easier (or more secure) once you have this class in place. using System; using System.Data; using System.Security.Cryptography; using System.IO; public class SimpleAES { // Change these keys private byte[] Key = { 123, 217, 19, 11, 24, 26, 85, 45, 114, 184, 27, 162, 37, 112, 222, 209, 241, 24, 175, 144, 173, 53, 196, 29, 24, 26, 17, 218, 131, 236, 53, 209 }; private byte[] Vector = { 146, 64, 191, 111, 23, 3, 113, 119, 231, 121, 2521, 112, 79, 32, 114, 156 }; private ICryptoTransform EncryptorTransform, DecryptorTransform; private System.Text.UTF8Encoding UTFEncoder; public SimpleAES() { //This is our encryption method RijndaelManaged rm = new RijndaelManaged(); //Create an encryptor and a decryptor using our encryption method,(); } /// -------------- Two Utility Methods (not used but may be useful) ----------- /// Generates an encryption key. static public byte[] GenerateEncryptionKey() { //Generate a Key. RijndaelManaged rm = new RijndaelManaged(); rm.GenerateKey(); return rm.Key; } /// Generates a unique encryption vector static public byte[] GenerateEncryptionVector() { //Generate a Vector RijndaelManaged rm = new RijndaelManaged(); rm.GenerateIV(); return rm.IV; } /// ----------- The commonly used methods ------------------------------ /// Encrypt some text and return a string suitable for passing in a URL. public string EncryptToString(string TextValue) { return ByteArrToString(Encrypt(TextValue)); } /// Encrypt some text and return an encrypted byte array. public byte[] Encrypt(string TextValue) { //Translates our text value into a byte array. Byte[] bytes = UTFEncoder.GetBytes(TextValue); //Used to stream the data in and out of the CryptoStream. MemoryStream memoryStream = new MemoryStream(); /* * We will have to write the unencrypted bytes to the stream, * then read the encrypted result back from the stream. */ #region Write the decrypted value to the encryption stream CryptoStream cs = new CryptoStream(memoryStream, EncryptorTransform, CryptoStreamMode.Write); cs.Write(bytes, 0, bytes.Length); cs.FlushFinalBlock(); #endregion #region Read encrypted value back out of the stream memoryStream.Position = 0; byte[] encrypted = new byte[memoryStream.Length]; memoryStream.Read(encrypted, 0, encrypted.Length); #endregion //Clean up. cs.Close(); memoryStream.Close(); return encrypted; } /// The other side: Decryption methods public string DecryptString(string EncryptedString) { return Decrypt(StrToByteArray(EncryptedString)); } /// Decryption when working with byte arrays. public string Decrypt(byte[] EncryptedValue) { #region Write the encrypted value to the decryption stream MemoryStream encryptedStream = new MemoryStream(); CryptoStream decryptStream = new CryptoStream(encryptedStream, DecryptorTransform, CryptoStreamMode.Write); decryptStream.Write(EncryptedValue, 0, EncryptedValue.Length); decryptStream.FlushFinalBlock(); #endregion #region Read the decrypted value from the stream. encryptedStream.Position = 0; Byte[] decryptedBytes = new Byte[encryptedStream.Length]; encryptedStream.Read(decryptedBytes, 0, decryptedBytes.Length); encryptedStream.Close(); #endregion return UTFEncoder.GetString(decryptedBytes); } /// Convert a string to a byte array. NOTE: Normally we'd create a Byte Array from a string using an ASCII encoding (like so). // System.Text.ASCIIEncoding encoding = new System.Text.ASCIIEncoding(); // return encoding.GetBytes(str); // However, this results in character values that cannot be passed in a URL. So, instead, I just // lay out all of the byte values in a long string of numbers (three per - must pad numbers less than 100). public byte[] StrToByteArray(string str) { if (str.Length == 0) throw new Exception("Invalid string value in StrToByteArray"); byte val; byte[] byteArr = new byte[str.Length / 3]; int i = 0; int j = 0; do { val = byte.Parse(str.Substring(i, 3)); byteArr[j++] = val; i += 3; } while (i < str.Length); return byteArr; } // Same comment as above. = ""; for (int i = 0; i <= byteArr.GetUpperBound(0); i++) { val = byteArr[i]; if (val < (byte)10) tempStr += "00" + val.ToString(); else if (val < (byte)100) tempStr += "0" + val.ToString(); else tempStr += val.ToString(); } return tempStr; } }
https://codedump.io/share/m4NpQk3aWxBG/1/simple-two-way-encryption-for-c
CC-MAIN-2016-44
refinedweb
847
51.04
2014-08-22 01:50 PM Hello Mates - I need help with a workflow. I have attached dar file. This workflow works perfectly for us. We are looking for one improvement to this. In the qtree/share name sometimes, for an example: we give either qtree_name as a name which there is no issues in using this. Sometime we give qtree_name_XXXX and we get this number from an excel sheet and after using we increment by 1 in the excel sheet, which is a manual process today. What I want is a text file stored in the wfa server (c:\incr.txt) say with a number to start with 8000. Just above Qtree/Share name in the workflow, I want an option Add Unique id - Yes/No. If yes we need to pull the number 8000 from the txt file, number pops in the Qtree/Share name area and increment that txt file by 1 if no nothing happens. Is this possible ? May be we can do without a text file. I am not sure how. The other thing is we don’t want to scan existing qtrees and then increment. 2014-08-24 10:59 PM you can add a custom function like below which will accept the name ending with numeric (test_800) this function will return next name as (test_801).: def nextName(name) { java.util.regex.Pattern RESOLVE_PATTERN = java.util.regex.Pattern.compile( java.util.regex.Matcher matcher = RESOLVE_PATTERN.matcher(name); if (matcher.matches()) { String prefix = matcher.group(1); String number = matcher.group(2); if (number!=null) { return prefix + String.valueOf((Integer.valueOf(number)+1)); } } throwException('The input must be in the format of: <string prefix><number suffix>'); }
http://community.netapp.com/t5/OnCommand-Storage-Management-Software-Discussions/provisioning-increment-qtree-name-from-a-text-file/td-p/32039
CC-MAIN-2017-47
refinedweb
280
69.79
- 04 Aug, 2008 4 commits - Tomas Winkler authored This patch makes possible for a driver to specify maximal listen interval The possibility for user to configure listen interval is not implemented yet, currently the maximum provided by the driver or 1 is used. Mac80211 uses config handler to set listen interval for to the driver. Signed-off-by: Tomas Winkler <tomas.winkler@intel.com> Signed-off-by: Emmanuel Grumbach <emmanuel.grumbach@intel.com> Signed-off-by: Zhu Yi <yi.zhu@intel.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Emmanuel Grumbach authored This patch adds the dtim_period in ieee80211_bss_conf, this allows the low level driver to know the dtim_period, and to plan power save accordingly. Signed-off-by: Emmanuel Grumbach <emmanuel.grumbach@intel.com> Signed-off-by: Tomas Winkler <tomas.winkler@intel.com> Signed-off-by: Zhu Yi <yi.zhu@intel.com> Acked-by: Johannes Berg <johannes@sipsolutions.net> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Esti Kummer authored This patch corrects power_level in sysfs. Signed-off-by: Esti Kummer <ester.kummer@intel.com> Signed-off-by: Tomas Winkler <tomas.winkler@intel.com> Signed-off-by: Zhu Yi <yi.zhu@intel.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Mohamed Abbas authored This patch adds support for power save for 5000 HW. Signed-off-by: Mohamed Abbas <mohamed.abbas@intel.com> Signed-off-by: Tomas Winkler <tomas.winkler@intel.com> Signed-off-by: Zhu Yi <yi.zhu@intel.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> - 03 Aug, 2008 6 commits - Sven Wegener authored Commit 76e6ebfb ("netns: add namespace parameter to rt_cache_flush") acceses the extra2 parameter of the ip_default_ttl ctl_table, but it is never set to a meaningful value. When e84f84f2 ("netns: place rt_genid into struct net") is applied, we'll oops in rt_cache_invalidate(). Set extra2 to init_net, to avoid that. Reported-by: Marcin Slusarz <marcin.slusarz@gmail.com> Signed-off-by: Sven Wegener <sven.wegener@stealer.net> Tested-by: Marcin Slusarz <marcin.slusarz@gmail.com> Acked-by: Denis V. Lunev <den@openvz.org> Signed-off-by: David S. Miller <davem@davemloft.net> - Lennert Buytenhek authored If a netdevice does not support hardware GSO, allowing the stack to use GSO anyway and then splitting the GSO skb into MSS-sized pieces as it is handed to the netdevice for transmitting is likely still a win as far as throughput and/or CPU usage are concerned, since it reduces the number of trips through the output path. This patch enables the use of GSO on any netdevice that supports SG. If a GSO skb is then sent to a netdevice that supports SG but does not support hardware GSO, net/core/dev.c:dev_hard_start_xmit() will take care of doing the necessary GSO segmentation in software. Signed-off-by: Lennert Buytenhek <buytenh@marvell.com> Signed-off-by: Herbert Xu <herbert@gondor.apana.org.au> Signed-off-by: David S. Miller <davem@davemloft.net> - Chris Larson authored When pneigh entries exist, but the user's read buffer isn't sufficient to hold them all, one of the pneigh entries will be missing from the results. In neigh_get_idx_any, the number of elements which neigh_get_idx encountered is not correctly subtracted from the position number before the call to pneigh_get_idx. neigh_get_idx reduces the position by 1 for each call to neigh_get_next, but it does not reduce it by one for the first element (neigh_get_first). The patch alters the neigh_get_idx and pneigh_get_idx functions to subtract one from pos, for the first element, when pos is non-zero. Signed-off-by: Chris Larson <clarson@mvista.com> Signed-off-by: David S. Miller <davem@davemloft.net> - Chris Larson authored neigh_seq_next won't be called both with *pos > 0 && v == SEQ_START_TOKEN, so there's no point calling neigh_get_idx when we're on the start token, just call neigh_get_first directly. Signed-off-by: Chris Larson <clarson@mvista.com> Signed-off-by: David S. Miller <davem@davemloft.net> It is the only legal environment in which this can be used. Add some commentary explaining the situation. Signed-off-by: David S. Miller <davem@davemloft.net> qdisc_root_lock() is only %100 safe to use when the RTNL semaphore is held. Signed-off-by: David S. Miller <davem@davemloft.net> - 02 Aug, 2008 2 commits Based upon a bug report by Jeff Kirsher. Don't use qdisc_root_lock() in these cases as the root qdisc could have been changed, and we'd thus lock the wrong object. Tested by Emil S Tantilov who confirms that this seems to fix the problem. Signed-off-by: David S. Miller <davem@davemloft.net> rt2x00usb_vendor_request_large_buff is write-only, so it is safe to make the argument a const. Fixes compile warning: drivers/net/wireless/rt2x00/rt73usb.c: In function 'rt73usb_load_firmware': drivers/net/wireless/rt2x00/rt73usb.c:916: warning: passing argument 5 of 'rt2x00usb_vendor_request_large_buff' discards qualifiers from pointer target typ Signed-off-by: Ivo van Doorn <IvDoorn@gmail.com> Signed-off-by: David S. Miller <davem@davemloft.net> - 01 Aug, 2008 28 commits - - git://git.kernel.org/pub/scm/linux/kernel/git/aegl/linux-2.6 * 'release' of git://git.kernel.org/pub/scm/linux/kernel/git/aegl/linux-2.6: [IA64] Move include/asm-ia64 to arch/ia64/include/asm This fixes a bug in operator precedence in the newly introduced vc_translate macro. Without this fix, the translation of some characters on the kernel console is garbled. This patch was copied to the e-mail list previously for testing. Now, all reports confirm that it works, so this is an official post for application. Signed-off-by: Tim Bird <tim.bird@am.sony.com> Signed-off-by: David Woodhouse <David.Woodhouse@intel.com> - Jack Steiner authored Delete 2 EXPORTs that were accidentally sent upstream. Signed-off-by: Jack Steiner <steiner@sgi.com> Signed-off-by: Linus Torvalds <torvalds@linux-foundation.org> - Steven Rostedt authored I asked legal about the licensing of ftrace.txt, and they told me that, unless the Documentation directory is specifically set up to handle non GPL licenses (which it does not appear to be), then it would be best to put ftrace.txt under the GPL. This patch adds a dual license to ftrace.txt such that it is under both the FDL and the GPL. Signed-off-by: Steven Rostedt <srostedt@redhat.com> Signed-off-by: Linus Torvalds <torvalds@linux-foundation.org> - David Howells authored Wire up for FRV the system calls that were added in the last merge window. Signed-off-by: David Howells <dhowells@redhat.com> Signed-off-by: Linus Torvalds <torvalds@linux-foundation.org> - David Howells authored Wire up system calls added in the last merge window for the MN10300 arch. Signed-off-by: David Howells <dhowells@redhat.com> Signed-off-by: Linus Torvalds <torvalds@linux-foundation.org> - Eugeniy Meshcheryakov authored Currently function tty_ldisc_get() tries to load an ldisc driver module only when tty_ldisc_try_get() returns -EAGAIN. This happens only if module is being unloaded. If ldisc module is not loaded tty_ldisc_try_get() returns -EINVAL and this case is not handled in tty_ldisc_get(), so request_module() is not called. Attached patch fixes this by calling request_module() if tty_ldisc_try_get() returned any error code. I discovered this when my UMTS modem stopped working with 2.6.27-rc1 because module ppp_async was not loaded. Signed-off-by: Eugeniy Meshcheryakov <eugen@debian.org> Signed-off-by: Alan Cox <alan@redhat.com> Signed-off-by: Linus Torvalds <torvalds@linux-foundation.org> -. ... - Maxim Levitsky authored iwl3945_rx_reply_rx was sending packets too early to mac80211, before updating signal strength/quality. This resulted in garbage power levels. Signed-off-by: Maxim Levitsky <maximlevitsky@gmail.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Takashi Iwai authored Use the standard offsetof() macro to fix a compile warning below: CC [M] drivers/net/wireless/prism54/isl_ioctl.o drivers/net/wireless/prism54/isl_ioctl.c: In function 'prism2_ioctl_set_generic_element': drivers/net/wireless/prism54/isl_ioctl.c:2658: warning: cast from pointer to integer of different size Signed-off-by: Takashi Iwai <tiwai@suse.de> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Takashi Iwai authored ipw_write8() can't be used alone with a loop because of a wrong definition. CC [M] drivers/net/wireless/ipw2200.o drivers/net/wireless/ipw2200.c: In function 'ipw_ethtool_set_eeprom': drivers/net/wireless/ipw2200.c:10579: warning: array subscript is above array bounds drivers/net/wireless/ipw2200.c: In function 'ipw_load': drivers/net/wireless/ipw2200.c:2663: warning: array subscript is above array bounds Add missing do {} while (0) to fix them. Signed-off-by: Takashi Iwai <tiwai@suse.de> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Larry Finger authored Some users of the RTL8187B have experienced difficulties since commit 49292d56 that introduced the power management wext hooks. This difficulty has not made much sense until it was realized that it was possible for mac80211 to make a call to the config routine while that routine was already being executed. On this device, it is necessary to loopback the TX when changing channels. Unless this is properly restored, the device will lockup. A mutex now protects the device state, and the private data in several places. The problem was found by Herton Ronaldo Krzesinski <herton@mandriva.com.br>, who also suggested this type of fix. Signed-off-by: Larry Finger <Larry.Finger@lwfinger.net> Acked-by: Herton Ronaldo Krzesinski <herton@mandriva.com.br> Acked-by: Hin-Tak Leung <htl10@users.sourceforge.net> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Peter Chubb authored In kernel version 2.6.26-rc9 my wireless LAN card worked; but in the released 2.6.26, my RaLink rt2500 card wouldn't associate. Git-bisect led me to this patch: 61486e0f> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Dan Williams authored Since only mesh-enabled firmware has the CMD_802_11_MONITOR_MODE on which the rtap functionality depends, only expose the rtap functionality when mesh is also available. Signed-off-by: Dan Williams <dcbw@redhat.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> The sequence counter can be accessed in IRQ context, which means the lock protecting the counter should be irqsave. To prevent making the entire intf->lock irqsave without reason, create a new lock which only protects the sequence counter. Signed-off-by: Ivo van Doorn <IvDoorn@gmail.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> When the EEPROM_BBPTUNE_VGC word is valid, we should override EEPROM_BBPTUNE_VGCLOWER field with the BBP value. And we should _not_ do that when EEPROM_BBPTUNE_R17 is valid. Signed-off-by: Ivo van Doorn <IvDoorn@gmail.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> After the hardware has indicated the firmware upload has completed and the device is ready, we should wait another millisecond to make sure the device is really ready to continue. Without this timout, bringing the interface down and up again will fail due to incorrect register initialization. Signed-off-by: Ivo van Doorn <IvDoorn@gmail.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> The if-statement to determine the new TX/RX antenna configuration was incomplete. It lacks the general else-clause when the antenna wasn't changed. This is a correct event, since it can occur when only one of the antenna's has been changed or when the new configuration is being forced (like when the interface has just been added). Signed-off-by: Ivo van Doorn <IvDoorn@gmail.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> Although most rt2x00 debugfs files don't contain information which could compromise network security, it is better to set the access permissions to root only. This will be required when HW crypto is implemented, because it could be possible to read the HW key from the registers. Signed-off-by: Ivo van Doorn <IvDoorn@gmail.com> Signed-off-by: John W. Linville <linville@tuxdriver.com> - Andrea Merello authored This patch from Davide Cavalca adds a usb ID for an rtl8187L device. Signed-off-by: John W. Linville <linville@tuxdriver.com>
https://gitlab.flux.utah.edu/xcap/xcap-capability-linux/-/commits/ea95bba41e69c616bb1512cf59d22f33266b8568
CC-MAIN-2022-21
refinedweb
1,991
52.46
Deleted row index for ListDataSource I'm just wondering if there's something really obvious that I'm missing. I have a custom view class with a tableviewand the tableview.data_sourceis a ui.ListDataSource. What I would like to do is handle deletion of items from the list. I know that we have this edit_actionbut I think the issue I'm having is, how can I pass on or get the deleted row index? I can get this information for selected_rowbut I can't get it for deleted_row. (And no, selected_rowdoesn't work because you can delete something other than the selected row...!) Example: def selected(sender): selected_row = sender.selected_row def delete_row(sender): deleted_row = sender.deleted_row #something like this doesn't exist I have tried variations of setting the delegate etc. Maybe there's something I could do there...not sure. But so far, hasn't worked. At the moment I have settled for using edit_action, getting the difference between a before and after list to determine the row, and then going from there. Anyway... I'm doing a bit of gymnastics with this code now and it's possible I just need to do something like sitting down. Always always....thanks for your help! @cook , this is not an answer. I don't delete things from lists so not sure the correct way is. I am sure there is one. But until you get the real answer you could dynamically add your own attr deleted_row and maintain it. When I am using the data_source, I often add a items attr to the TableView object as its normally readily available As I say, I am sure it's not the best advise. But adding attrs to existing objects can be helpful # coding: utf-8 import ui class MyTableViewDataSource (object): def __init__(self, row_height): self.row_height = row_height self.width = None def tableview_number_of_rows(self, tableview, section): return len(tableview.data_source.items) def tableview_cell_for_row(self, tableview, section, row): self.width, height = ui.get_screen_size() cell = ui.TableViewCell() label = ui.Label() label.frame = (0,0,self.width,self.row_height) label.border_color = 'red' label.border_width = 1 label.text = tableview.data_source.items[row] label.alignment = ui.ALIGN_CENTER cell.content_view.add_subview(label) return cell def tableview_can_delete(self, tableview, section, row): return True def tableview_delete(self, tableview, section, row): print 'Delete row ' + str(row) del tableview.data_source.items[row] tableview.reload() class MyTableViewDelegate (object): def tableview_title_for_delete_button(self, tableview, section, row): return 'Delete me' class MyTableView(ui.View): def __init__(self): self.select_color = 'lightgrey' self.unselect_color = 'white' self.tv = ui.TableView() self.tv.row_height = 50 self.tv.data_source = MyTableViewDataSource(self.tv.row_height) self.all_items = ['1', '2', '3'] self.tv.data_source.items = self.all_items self.name = 'TableView-Test' self.tv.delegate = MyTableViewDelegate() self.tv.allows_selection = True self.add_subview(self.tv) self.present('full_screen') def layout(self): self.tv.reload() self.tv.frame = (0, 0, self.width, self.height) MyTableView() @brumm @Phuket2 thanks for the reply. I was afraid the only real (built in) way to do it was to construct the data source as @brumm has shown. But, I don't need to have all this extra stuff around... perhaps I'll leave it as is....! The other nice thing about the ListDataSourceis that you can have multiple lines displayed in the cell (which I want!). It seems we are limited to two lines in tableview_cell_for_rowconstruction. So perhaps I will stick with my gymnastics for now. I might need to change it later.... but expect to see me in the Olympics. @cook , when using tableview_cell_for_row you can add extra ui.Labls to the cells content_view if you want/or anything else for that matter. Just that you recon charge of the sizing and placement of them. A bit more work. @cook , maybe you know mvc (model, view, controller) all to well. I don't. I am struggling at the moment how to bring pieces of tiny app together. I am doing a lot of gymnastics, I am ready for Rio :) but then I am second guessing my self each time I make a decision and refactor. Basically, I get caught recursive of self doubt 😱 Anyway, I just seen this this article, mind you I have seen similar before. And while its fresh in my mind, I am going to try and refactor. As I say, you may know this back the front. But it made me think of this thread also. Here is the Article Link Edit.... Come to think of it, I have seen @omz use this approach in his Python modules, like dialogs @phuket2 thanks for the link. I will read up on that later. Looks like a nice article! I had no idea about the MVC method, to be honest. I think though that I was wondering about this sort of thing in particular about this project I am doing. Was trying to understand how to lay out everything. I know that I could do everything in a custom view class, but I felt as if that would be too difficult to navigate the code. So I split up into a few classes and it seems okay. One class is for dealing with the data (mostly SQL management) Then I have my UI So perhaps I have a sort of MVC thing going on - but my C is mixed in with my V. My UI class has actions that control my data. I don't see a point to make a separate thing just to put those actions, especially when it's just a few lines of code for some. Anyway... Will read through the article more. I think it's very helpful to know how to organize your code. I'm able to do that better now that I have a better handle on what's going on. I've learned some nice gymnastics. Might get bronze. Let's see.
https://forum.omz-software.com/topic/3269/deleted-row-index-for-listdatasource
CC-MAIN-2021-10
refinedweb
973
68.67
Computer Science Archive: Questions from August 07, 2011 - Anonymous askedWrite a program that creates three identical arrays, list1... Show more Here is what the output should look like. Write a program that creates three identical arrays, list1, list2, and list 3, of 5000 elements. The program then sorts list1 using bubble sort, list2 using selection sort, and list3 using merge sort and outputs the number of comparisons and item assignments made by quick sort and insertion sort and the number of comparisons made by merge sort. here is part of the code i have. #include <iostream>• Show less #include <cstdlib> #include <ctime> #include "searchSortAlgorithms.h" using namespace std; void fillArray(int list[], int length); void copyArray(int list1[], int list2[], int length); int main() { int list1[5000]; int list2[5000]; int list3[5000]; int compBubbleSort = 0, compSelectionSort = 0, compInsertionSort = 0; int assignBubbleSort = 0, assignSelectionSort = 0, assignInsertionSort = 0; fillArray(list1, 5000); copyArray(list1, list2, 5000); copyArray(list1, list3, 5000); bubbleSort2(list1, 5000, compBubbleSort, assignBubbleSort); selectionSort2(list2, 5000, compSelectionSort, assignSelectionSort); insertionSort2(list3, 5000, compInsertionSort, assignInsertionSort); cout << "Number of comparisons---" << endl; cout << " Bubble sort: " << compBubbleSort << endl; cout << " Selection sort: " << compSelectionSort << endl; cout << " Insertion sort: " << compInsertionSort << endl << endl; cout << "Number of item assignments---" << endl; cout << " Bubble sort: " << assignBubbleSort << endl; cout << " Selection sort: " << assignSelectionSort << endl; cout << " Insertion sort: " << assignInsertionSort << endl << endl; return 0; } void fillArray(int list[], int length) { srand(time(0)); for (int i = 0; i < length; i++) list[i] = rand() % 20000; } void copyArray(int list1[], int list2[], int length) { for (int i = 0; i < length; i++) list2[i] = list1[i]; }1 answer - Anonymous askedCreate an HTML file called unit4.html that has a JavaScript program embedded in it. The JavaScript ... More »1 answer - Anonymous askedHi, I am working on a software project management plan for a high school website and I need help com... Show more Hi, I am working on a software project management plan for a high school website and I need help coming up with the team ans collaboration guidelines:• Show less •Team and collaboration guidelines: ◦Describe your team management plan. Address how you will motivate the team and how you will deal with conflict resolution. ◦Identify the tools and processes you will use for team collaboration. ◦Discuss how you will hold meetings and what tools will be required. ◦Describe where project documents and source code will be stored and the tools required for access. ◦Include any other collaboration issues you feel are important to the project.1 answer - Anonymous askedcreate a pseudocode program that prompts a user for three numbers and stores them in an array. Pass... Show more create a pseudocode program that prompts a user for three numbers and stores them in an array. Pass the array to a method that reverses the order of numbers. display the reversed numbers in the main program.• Show less1 answer - Anonymous asked0 answers - Anonymous askedSubmit your assignment to the Dropbox located on the si... Show more Inheritance and Polymorphism (60 points) - In the Week 3 lab, you created a program that created an Airplane class that contained several attributes, one of which was the Position object, which demonstrated the concept of composition in which a containing object "has an" instance of another object as one of the attributes. In this week’s lab assignment, we are going to extend this program and include inheritance, and you will be able to use the Week 3 solution as a starting point for this week’s lab. - We all know that there are many types of airplanes, such as jet fighters or passenger airplanes, bi-planes, and so on. All of these basic types of airplanes have the same set of general attributes, such as name, position, and all of the airplanes move to turn right, turn left, etc. Yet, it is clear that a passenger airplane is different than a jet fighter, and inheritance allows us to use the Airplane class as a base class, and derive subclasses that specialize the subclasses, and even override the behavior defined in the base class. - Make a copy of your Week 3 lab . Using the Class diagram, modify the Airplane class to: - Create the toString() method that overrides the System.Object toString method that creates and returns a well-formatted string that contains the airplane name and position information. - Modify the Accelerate and Decelerate methods so that they can be overridden by derived classes. Using the Class diagram, create the PassengerAirplane class using the following specifications: - Board plane is a simple method that provides a message to the user that the plane has been boarded. - Override the Airplane Accelerate method by invoking the base class accelerate method, and allow the plane to go 500 knots. - Override the Airplane Decelerate method to allow the plane to decelerate in increments of 10. - Override the toString method by invoking the Airplane toString method, and then adding the airline name, flight number, and number of passengers. Using the Class diagram, create the JetFighter class using the following specifications: - Override the Airplane Accelerate method by invoking the base-class accelerate method and allow the plane to go 2,000 knots. - Override the Airplane Decelerate method to allow the plane to decelerate in increments of 100. - Override the Airplane TurnLeft and TurnRight methods so that they turn in increments of 20 - Override the toString method by invoking the Airplane toString method, and then adding the airline fighter type. Extend the Airplane information form to include the following controls: - Add a list box, or combo box control, that allows the user to select whether the airplane is a generic airplane, a passenger plane, or a fighter plane. - When the user selects the type of plane, create a new object of the identified type. - Add a command button, that when selected, provides the information about the specific type of airplane object. [Hint: Program each event handler to handle a generic airplane object, then use the polymorphic methods]. - When the user selects the existing operations, the appropriate object-type methods will be invoked. - When done, compile your code by clicking on Build, Build application name. Then, debug any errors in the Error Window until your code is error-free. - To execute your code, click Start and then Start Debugging. Check your output to ensure that you have the desired output. If you need to fix anything, close your execution window and modify your code as necessary and rebuild. - Capture the results of each test and paste into a Word document. - Put all of the Visual Studio files into a zip file. - Put the zip file and execution.• Show less0 answers - Anonymous asked1 answer - Anonymous askedimport java.awt.*;import java.awt.event.*;import javax.swing.*;import javax.swing.JOptionPane;... Show more import java.awt.*;import java.awt.event.*;import javax.swing.*;import javax.swing.JOptionPane;import java.text.DecimalFormat;• Show less /*** The TravelExpense class creates the GUI for the* Travel Expenses application.*/ public class TravelExpense extends JFrame{ private JPanel panel; private JLabel messageLabel_numDaysOnTripLabel;private JLabel messageLabel_amountAirfairLabel;private JLabel messageLabel_amountCarRentalLabel;private JLabel messageLabel_milesDrivenLabel;private JLabel messageLabel_parkingFeesLabel;private JLabel messageLabel_taxiFeesLabel;private JLabel messageLabel_confRegLabel;private JLabel messageLabel_lodgingChargesPerNightLabel; private JTextField TextField_numDaysOnTripTextField;private JTextField TextField_amountAirfairTextField;private JTextField TextField_amountCarRentalTextField;private JTextField TextField_milesDrivenTextField;private JTextField TextField_parkingFeesTextField;private JTextField TextField_taxiFeesTextField;private JTextField TextField_confRegTextField;private JTextField TextField_lodgingChargesPerNightTextField; private JButton resetButton;private JButton calcButton; private double mealsAmount = 37.00; private double parkingFeesReimbursed = 10.00;private double taxiChargesReimbursed = 20.00; private double lodgingChargesReimbursed = 95.00; private double prVechiclePerMileReimbursed = 0.27; private final int WINDOW_WIDTH = 375;private final int WINDOW_HEIGHT = 250; public TravelExpense(){ setTitle("Travel Expense"); setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); buildpanel(); add(panel); setSize(WINDOW_WIDTH, WINDOW_HEIGHT);setVisible(true);} private void buildpanel(){ messageLabel_numDaysOnTripLabel = new JLabel("Number of days on trip: "); messageLabel_amountAirfairLabel = new JLabel("Amount of airfair: "); messageLabel_amountCarRentalLabel = new JLabel("Amount of car rental: "); messageLabel_milesDrivenLabel = new JLabel("Miles driven: "); messageLabel_parkingFeesLabel = new JLabel("Parking Fees: "); messageLabel_taxiFeesLabel = new JLabel("Taxi fees: "); messageLabel_confRegLabel = new JLabel("Conference or Seminar registration fees: "); messageLabel_lodgingChargesPerNightLabel = new JLabel("Lodging charges per night: "); TextField_numDaysOnTripTextField = new JTextField(3); TextField_amountAirfairTextField = new JTextField(8); TextField_amountCarRentalTextField = new JTextField(8); TextField_milesDrivenTextField = new JTextField(4); TextField_parkingFeesTextField = new JTextField(6); TextField_taxiFeesTextField = new JTextField(6); TextField_confRegTextField = new JTextField(8); TextField_lodgingChargesPerNightTextField = new JTextField(6); // Create a panel panel = new JPanel(); panel.add(messageLabel_numDaysOnTripLabel);panel.add(TextField_numDaysOnTripTextField);panel.add(messageLabel_amountAirfairLabel);panel.add(TextField_amountAirfairTextField);panel.add(messageLabel_amountCarRentalLabel);panel.add(TextField_amountCarRentalTextField);panel.add(messageLabel_milesDrivenLabel);panel.add(TextField_milesDrivenTextField);panel.add(messageLabel_parkingFeesLabel);panel.add(TextField_parkingFeesTextField);panel.add(messageLabel_taxiFeesLabel);panel.add(TextField_taxiFeesTextField);panel.add(messageLabel_confRegLabel);panel.add(TextField_confRegTextField);panel.add(messageLabel_lodgingChargesPerNightLabel);panel.add(TextField_lodgingChargesPerNightTextField); calcButton = new JButton("Calculate"); calcButton.addActionListener(new CalcButtonListener()); resetButton = new JButton("Reset"); panel.add(resetButton);panel.add(calcButton); } private class CalcButtonListener implements ActionListener{ // Declare variables String input; int days; double air; double carRental; double miles; double parking; double taxi; double confReg; double lodging; double mealsAmount; public void actionPerformed(ActionEvent e) { //Declare variables double actualExpenses; double milesExpenses; double allowableExpenses; double excessAir; double excessCarRental; double excessParking; double excessTaxi; double excessLodging; double excessAmountTotal; double amountSaved; double paidBackAmount; double totallodging=days*lodging; double totalmeals=days*mealsAmount; double totalexpenses=miles+parking+taxi+carRental+air+confReg+totallodging+totalmeals; DecimalFormat dollar = new DecimalFormat("$#,##0.00"); days = Integer.parseInt(TextField_numDaysOnTripTextField.getText()); air = Double.parseDouble(TextField_amountAirfairTextField.getText()); carRental = Double.parseDouble(TextField_amountCarRentalTextField.getText()); miles = Double.parseDouble(TextField_milesDrivenTextField.getText()); parking = Double.parseDouble(TextField_parkingFeesTextField.getText()); taxi = Double.parseDouble(TextField_taxiFeesTextField.getText()); confReg = Double.parseDouble(TextField_confRegTextField.getText()); lodging = Double.parseDouble(TextField_lodgingChargesPerNightTextField.getText()); JOptionPane.showMessageDialog(null,"Total Expenses are:"+ totalexpenses); } public void main(String[] args){ new TravelExpense(); }} }1 answer - Anonymous askedWrite a program to do the following: In main,... Show more Part A: Video Game Player Program• Show less Step 1: Requirements DisplayPlayerData method, display the name and score of each player. In the CalculateAverageScore( ) method, calculate the average score and return it by value. In the DisplayBelowAverage( ) method, display the name of the player and score for any player who scored below the average. Do not use global variables. Output from Program: Enter Player Name (Q to quit): Bob Enter score for Bob: 3245 Enter Player Name (Q to quit): Sue Enter score for Sue: 1098 Enter Player Name (Q to quit): Dave Enter score for Dave: 8219 Enter Player Name (Q to quit): Pat Enter score for Pat: 3217 Enter Player Name (Q to quit): Q Name Score Bob 3245 Sue 1098 Dave 8219 Pat 3217 Average Score: 3944.75 Players who scored below average Name Score Bob 3245 Sue 1098 Pat 3217 Press any key to continue . . . Step 2: Processing Logic Using the pseudocode below, write the code that will meet the requirements: Main Method Declare the player name and score arrays, number of players, and average score. Call the InputData( ) method Call the DisplayPlayerData( ) method Call the CalculateAverageScore( ) method and assign the returned value in average score Call the DisplayBelowAverage( ) method InputData method While the number of players is less than the length of the array Prompt for the player's name If the user entered Q, break out of the loop Prompt the user for the player's score Add 1 to the number of players End-While DisplayPlayerData method Display the name and score of each player CalculateAverageScore method Add up the scores and divide by the number of scores to calculate the average score Display the average score Return the average score to main DisplayBelowAverage method Display the names and scores of all players who scored below the average score Step 3: Create a new project Create a new project and name it LAB5A. Write your code using the Processing Logic in Part A Step 2. Make sure you save your program. Step 4: Compile and Execute a) Compile your program. Eliminate all syntax errors. b) Build your program and verify the results of the program. Make corrections to the program logic if necessary until the results of the program execution are what you expect. Step 5: Print Screen Shots and Program 1. Capture a screen print of your output [Do a PRINT SCREEN and paste into an MS Word document]. 2. Copy your code and Paste it into the same MS Word document that contains the screen print of your output. 3. Save the Word Document as Lab05A_LastName_FirstInitial END OF PART A1 answer - Anonymous askedFor this problem you will display the ASCII table from 0 to 255. The first 32 ASCII values (0 to 31)... Show moreFor this problem you will display the ASCII table from 0 to 255. The first 32 ASCII values (0 to 31) are non-printable, so the value NP was hardcoded for those values. Outputting the char value of a decimal is easy in C++. All you need to do is cast the int as a char. For example: cout << char(33); will display ‘!’ (without the single quotes) to the monitor. In the solution that created the above output, I used iomanip for formatting. To create the multiple rows and columns (i.e. the table configuration), you will need to use nested for loops. Since the console can only print across one line at a time and cannot go back to a line once it is displayed, you have to display the table by rows, NOT columns. This means you have to calculate row 0, column 0; row 0, column 1; row 0, column 2; …; row 0, column N before inserting a new line and going to row 1. Let‘s say you have two constants for your table: const int MAX_ROWS = 43; const int MAX_COLS = 6; Let’s also say that your outer for loop is for rows with an index of row and your inner for loop is for columns with an index of col. The row, column index is then row + col * MAX_ROWS For example, if you are on row 32 and column 4 then the calculation would be 32 + 4 * 43 which is 204. Remember that the first row is row 0 and the first column is column 0 (0-based indexing). You will have to experiment with the formatting and layout of the table. • Show less1 answer - Anonymous askedI have to write a function in c++ called my_pow() that takes two arguments. The first should be a do... More »1 answer - Anonymous asked1. Copy the file Geometry.java (code listing 5.1) from or... Show moreTask #1 void Methods 1. Copy the file Geometry.java (code listing 5.1) from or as directed by your instructor. This program will compile, but when you run it, it doesn’t appear to do anything except wait. That is because it is waiting for user input, but the user doesn’t have the menu to choose from yet. We will need to create this. 2. Above the main method, but in the Geometry class, create a static method called printMenu that has no parameter list and does not return a value. It will simply print out instructions for the user with a menu of options for the user to choose from. The menu should appear to the user as: This is a geometry calculator Choose what you would like to calculate 1. Find the area of a circle 2. Find the area of a rectangle 3. Find the area of a triangle 4. Find the circumference of a circle 5. Find the perimeter of a rectangle 6. Find the perimeter of a triangle Enter the number of your choice: 3. Add a line in the main method that calls the printMenu method as indicated by the comments. 4. Compile, debug, and run. You should be able to choose any option, but you will always get 0 for the answer. We will fix this in the next task. Gaddis_516907_Java 4/10/07 2:10 PM Page 42 Chapter 5 Lab Methods 43 Task #2 Value-Returning Methods 1. Write a static method called circleArea that takes in the radius of the circle and returns the area using the formula A = pr2. 2. Write a static method called rectangleArea that takes in the length and width of the rectangle and returns the area using the formula A = lw. 3. Write a static method called triangleArea that takes in the base and height of the triangle and returns the area using the formula A = 1??2bh. 4. Write a static method called circleCircumference that takes in the radius of the circle and returns the circumference using the formula C = 2pr. 5. Write a static method called rectanglePerimeter that takes in the length and the width of the rectangle and returns the perimeter of the rectangle using the formula P = 2l + 2w. 6. Write a static method called trianglePerimeter that takes in the lengths of the three sides of the triangle and returns the perimeter of the triangle which is cal- culated by adding up the three sides. Gaddis_516907_Java 4/10/07 2:10 PM Page 43 44 Lab Manual to Accompany Starting Out with Java 5: From Control Structures to Objects Task #3 Calling Methods 1. Add lines in the main method in the GeometryDemo class which will call these methods. The comments indicate where to place the method calls. 2. Below, write some sample data and hand calculated results for you to test all 6 menu items. 3. Compile, debug, and run. Test out the program using your sample data. Gaddis_516907_Java 4/10/07 2:10 PM Page 44 Task #4 Java Documentation 1. Write javadoc comments for each of the 7 static methods that you just wrote. They should include a) A one line summary of what the method does. a) A description of what the program requires to operate and what the result of that operation is. a) @param listing and describing each of the parameters in the parameter list (if any). a) @return describing the information that is returned to the calling statement (if any). 2. Generate the documentation. Check the method summary and the method details to ensure your comments were put into the Java Documentation correctly. Chapter 5 Lab Methods 45 Gaddis_516907_Java 4/10/07 2:10 PM Page 45 46 Lab Manual to Accompany Starting Out with Java 5: From Control Structures to Objects Code Listing 5.1 (Geometry.java) import java.util.Scanner; /** This program demonstrates static methods */ public class Geometry { public static void main (String [] args) { int choice; double value = 0; char letter; double radius; double length; double width; double height; double base; double side1; double side2; double side3; //the user’s choice //the value returned from the method //the Y or N from the user’s decision //to exit //the radius of the circle //the length of the rectangle //the width of the rectangle //the height of the triangle //the base of the triangle //the first side of the triangle //the second side of the triangle //the third side of the triangle //create a scanner object to read from the keyboard Scanner keyboard = new Scanner (System.in); //do loop was chose to allow the menu to be displayed //first do { //call the printMenu method choice = keyboard.nextInt(); switch (choice) { Code Listing 5.1 continued on next page. Gaddis_516907_Java 4/10/07 2:10 PM Page 46 case 1: System.out.print( "Enter the radius of the circle: "); radius = keyboard.nextDouble(); //call the circleArea method and //store the result //in the value System.out.println( "The area of the circle is " + value); break; case 2: System.out.print( "Enter the length of the rectangle: "); length = keyboard.nextDouble(); System.out.print( "Enter the width of the rectangle: "); width = keyboard.nextDouble(); //call the rectangleArea method and store //the result in the value System.out.println( "The area of the rectangle is " + value); break; case 3: System.out.print( "Enter the height of the triangle: "); height = keyboard.nextDouble(); System.out.print( "Enter the base of the triangle: "); base = keyboard.nextDouble(); //call the triangleArea method and store //the result in the value System.out.println( "The area of the triangle is " + value); break; Code Listing 5.1 continued on next page. Chapter 5 Lab Methods 47 Gaddis_516907_Java 4/10/07 2:10 PM Page 47 48 Lab Manual to Accompany Starting Out with Java 5: From Control Structures to Objects case 4: System.out.print( "Enter the radius of the circle: "); radius = keyboard.nextDouble(); //call the circumference method and //store the result in the value System.out.println( "The circumference of the circle is " + value); break; case 5: System.out.print( "Enter the length of the rectangle: "); length = keyboard.nextDouble(); System.out.print( "Enter the width of the rectangle: "); width = keyboard.nextDouble(); //call the perimeter method and store the result //in the value System.out.println( "The perimeter of the rectangle is " + value); break; case 6: System.out.print("Enter the length of side 1 " + "of the triangle: "); side1 = keyboard.nextDouble(); System.out.print("Enter the length of side 2 " + "of the triangle: "); side2 = keyboard.nextDouble(); System.out.print("Enter the length of side 3 " + "of the triangle: "); side3 = keyboard.nextDouble(); //call the perimeter method and store the result //in the value System.out.println("The perimeter of the " + "triangle is " + value); break; default: Code Listing 5.1 continued on next page. Gaddis_516907_Java 4/10/07 2:10 PM Page 48 } System.out.println( "You did not enter a valid choice."); //consumes the new line character after the number keyboard.nextLine(); System.out.println("Do you want to exit the program " + "(Y/N)?: "); String answer = keyboard.nextLine(); letter = answer.charAt(0); }while (letter != ‘Y’ && letter != ‘y’); • Show less1 answer - Anonymous asked2 answers - Anonymous askedThe area of a rectangle is calculated according to the following formula: area = width * length Design... Show moreThe area of a rectangle is calculated according to the following formula: area = width * length Design a flowchart of a function that accepts a rectangle's width and length as arguments and returns the rectangle's area. Use the function in program flowchart that prompts the user to enter the rectangle's width and length, and then displays the rectangle's area. • Show less2 answers - Anonymous askedHow is the flash translation table, which is used to map logical page numbers to physical page numbe... More »1 answer - Anonymous askedProfessor Merlin has asked you to help him. He has 100 students in his four classes... Show moreArray Assignment Professor Merlin has asked you to help him. He has 100 students in his four classes but he is not sure that all of them took his last exam. He wants to average the grades for his last exam in four sections of his medieval literature course and then determine how many students scored above the average and how many scored below. Without arrays you would have to enter all the test scores, find their average, and then enter them again to determine how many exceed the average. But you know how to use arrays, so you won't need to enter the input a second time. Draw a flowchart and write the pseudocode to do this job. • Show less3 answers - Anonymous askedN! = 1 * 2 * ........ Show more The factorial of a positive integer N, denoted by N!, is defined by the following: N! = 1 * 2 * ..... * N (Note: 0! = 1) Using subprograms and functions, create a recursive program to compute N!. The user should input a positive integer and a subprogram should check that the input is correct ( a positive integer). Then use recursion to computer the factorial. Create a subprogram that will call itself to do the multiplication until N = 1. Then display the result in the main program. Draw a flowchart and write a pseudo code for this program. • Show less2 answers - Anonymous askedSuppose I have a 64 gigabyte flash storage system, with a 4096 byte page size. How big would the fla... More »1 answer - Anonymous askedWhy is it not good to create indices on every attribute, and ever combination of attributes that is ... More »1 answer - RustyElbow46 askedFig 1 below shows how a stack specification and its implementation details can be organized. A stac... Show more Fig 1 below shows how a stack specification and its implementation details can be organized. A stack is defined by a set of operations called Stack Operations ( Fig 1). The implementation details of these operations involve some data structures and a few functions. These details are supposed to be hidden. That is, if anyone wants to invoke any of the stack operations, he/she need not know the details of the implementation. Also, any one who wants to use the stack can only do so by invoking these operations, and he/she should not access the hidden implementation details directly. If we follow the above rules, then we are said to have implemented an abstract type called Stack. This type is often called an Abstract Data Type (ADT). The advantage of an ADT is that, one can use the ADT without worrying about how the ADT has been implemented. 2 Q1: Stack ADT: Implementation and Applications Data structure for stack //stack.h (partial) struct Node{ char ch; struct Node *next; }; struct St { struct Node *list; int currentSize; int max; }; typedef struct St *STACK; Stack Operations //stack.h (partial) STACK create( int max); int push(STACK s,char a); char pop(STACK s); int empty(STACK s); Applications //stackApplication.c int read(STACK s); int print(STACK s); int makeEmpty(STACK s); int copy(STACK s1,STACK s2); int delete(STACK s,char c); Visible part of stack ADT Hidden part of stack ADT – Data structure details Hidden part of stack ADT // Hidden part of stack ADT - Stack operations //details #include "stack.h" // creates a stack of a given size. STACK create( int max){ STACK s; s = malloc(sizeof(struct St)); s->list = NULL; s->max=max; s->currentSize=0; return s; } int empty(STACK s){ if (s->currentSize==0) return 1; return 0; } int push(STACK s,char a){ struct Node *p; if(s->currentSize==s->max ) {printf("OVERFLO\n");return -1;} p = malloc(sizeof( struct Node )); p->ch=a; p->next = s->list; s->list = p; (s->currentSize)++; return 0; } char pop(STACK s){ char v; if( s->currentSize==0 ){ printf("UNDERFLO\n");return -1; } v = s->list->ch; s->list = s->list->next; s->currentSize)--; return v; } Fig 1. Stack applications Stack = visible part + Hidden part. Visible part = stack operations Hidden part = Implementation details regarding data structures and operations //main.c main program here. 3 The task in this question is to write some application functions using the stack ADT given above. Important To access the stack, you must only use the functions given in the stack operations: create( ), push( ), pop( ), empty( ). This is the ADT requirement. Now implement the following functions. 1) int read(STACK s); - read a string entered by the user on the keyboard, and store it on the stack s. The first char in the string goes to the bottom of the stack. Also, print the string. The null character in the string is not stored in the stack. Empty string should give empty stack. 2) int print(STACK s); - print the contents of the stack s. The bottom most character in the stack appears first in the output that is printed. Empty stack produces blank line. 3) int makeEmpty(STACK s); - make the stack s empty. (Make sure you release all the nodes that were used in the stack by calling the free( ) function. For example, if a pointer p points to a memory chunk allocated by malloc( ), then free(p) releases the memory chunk , and p is unaffected. In order to do this, you may have to modify the ADT operation pop( ) itself. Note that this is generally not permitted.) 4) int copy(STACK s1,STACK s2); - copy the contents of the stack s1 into s2. Note that after copying, the contents of s1 must be identical to the contents of s2. Print the contents of s1 and s2. 5) int delete(STACK s, char c); - delete char c from the stack s (if c occurs in the stack ) . Print the contents of s. Q2. a) Important To access the stack, you must only use the functions given in the stack operations. Write a program to do the following: Create two stacks s1 and s2. Read a string from the user and store it in the stack s1. (Assume that the string is non empty and not more than 50 chars.) Then copy the contents of s1 into the second stack s2. Print the contents of s1 and s2. For example: % make -f MakefileQ2a // make file details are given below. q2a is the executable file. % q2a $Hello! // Hello! is the user input. $ is the program prompt. Hello! // Program output Hello! // Program output b) Important To access the stack, you must only use the functions given in the stack operations. Write a program to do the following: Declare an array of stacks. Create n stacks where n is given in the command line by the user, and put them in the array. Read n strings supplied by the user one in each stack. Sort the array according to the size of the stacks in increasing order, and print the stacks from the sorted array. Assume that the strings are nonempty , have no more than 50 chars, and 0 < n < 20. For example: % make –f MakefileQ2b // q2b is the executable file. % q2b 6 // specifies 6 strings. $1 // 1 is the user input. $ is the program prompt. $333 $55555 $22 $99999999 $4444 1 // program output. 22 4 333 4444 55555 99999999 Your program will be tested for strings of unique lengths. Implementation details: Header file stack.h contains the data structures + stack operations . The implementation of the stack is in stackImpl.c. Your main( ) function can be in the file say main.c and other functions can be in Applications.c. You may want to #include “stack.h” both in stackImpl.c and main.c. You can compile your program using the following make file. You can use your own make file, too. Preparing makefile: Your make file called MakefileQ2a for question Q2a will contain the following lines. Compile and run as follows: % make –f MakefileQ2a // Let MakefileQ2a be the make file for question q2a. % q2a You can similarly compile and run q2b. You need to submit: make fIle, all .h files, and all .c files. See submission commands above. % q2a input1.txt A 4444 bb %q2b 7 input2.txt bb ggggggg eeeee a dddd ccc ffffff output1.txt A A 4444 4444 bb bb output2.txt a bb ccc dddd eeeee ffffff ggggggg • Show less0 answers - Anonymous askedApply structured and modular design principles to write programs that meet written spec... Show moreObjectives • Apply structured and modular design principles to write programs that meet written specifications and requirements. • Develop a pseudo-code design using appropriate program structure (sequence, selection, repetition and nesting) to solve a given programming problem. • Use appropriate selection and repetition statements to implement the design. • Create user-defined functions to implement a modular design. • Use appropriate parameter passing mechanisms for passing data into and getting data back from functions. • Use ostream and iomanip formatting manipulators to display tabulated data. •: • The table's column headings should display the degree symbol, e.g., °C and °F. • The first column must be the "from" temperature (C for C to F or F for F to C) and the second column the "to" temperature (F for C to F or C for F to C). • The calculated "to" temperatures are to be displayed to the nearest tenth of a degree (display exactly one decimal place, even if there is no fractional part, i.e., 75° should display as 75.0°). • Temperatures in both columns must be number-aligned (right-justified for the integer "from" values and decimal point aligned right for the "to" values). •: • displayMenu( ) displays a menu. •. • getStartEndAndIncrement( ) gets the start, end and increment values for the table from the user. • CtoF( ) converts a Celsius temperature to Fahrenheit. • FtoC( )converts a Fahrenheit temperatures to Celsius. • displayTable( ) displays a C to F or F to C table given start, end and increment values and the conversion character the user selected. Additional Requirements • Absolutely NO GLOBAL VARIABLES can be used to implement this program! Any program using global variables will NOT be accepted! • Use a switch statement to respond to the user's menu selection in the getMenuSelection function. •). •: 1. Menu test cases should include all possible valid menu selections and at least one invalid menu selection. 2. Table test cases should include 2.1. Inputs that create tables with various numbers of rows 2.2. At least one temperature that calculates to an exact whole number of degrees (e.g., 0 degrees C = 32.0 degrees F). 2.3. Negative starting and ending temperatures. 2.4. At least one temperature that calculates to a fractional number of degrees (e.g., -50 degrees F = -45.6 degrees C). 2.5. Some common, easy to verify conversions, for example 2.5.1. 0 degrees C = 32.0 degrees F (and vice versa) 2.5.2. 100 degrees C = 212.0. 1. Source code print out. 2. Filled in test plan table as shown above, including predicted output. 3. Printout (screen shots) of actual output for the test cases in the test plan table (each test case clearly labeled). • Show less1 answer - Anonymous askedHi, I am working on a software project management plan for a high school website and I need help com... Show moreHi, I am working on a software project management plan for a high school website and I need help coming up with the team ans collaboration guidelines: •Team and collaboration guidelines: ?Describe your team management plan. Address how you will motivate the team and how you will deal with conflict resolution. ?Identify the tools and processes you will use for team collaboration. ?Discuss how you will hold meetings and what tools will be required. ?Describe where project documents and source code will be stored and the tools required for access. ?Include any other collaboration issues you feel are important to the project. • Show less1 answer - Anonymous askedWrite a program that reads and calculates the sum and multiplication of an unspecified number of int... More »2 answers - Anonymous askedWrite a Java program that creates a grade book for a class. You may create and populate a Student ta... Show moreWrite a Java program that creates a grade book for a class. You may create and populate a Student table and other tables that you need before running the program. The program should be able to display all grades for a given student. It should allow the instructor to add a new grade ( such as “Homework 4:100”) or modify an existing grade. You can use mySQL, Access or Oracle • Show less0 answers - Anonymous askedI am working on a software project management plan for a high school website. The project is propose... Show moreI am working on a software project management plan for a high school website. The project is proposed 1 year time for completion. I need help making a spiral model schedule. I need spirals in the schedule. Each spiral should include planning, requirements, design, implementation and testing, and then demo or delivery to the customer, these activities should repeat in each loop, until all requirements are delivered and the customer is satisfied. It has to show dates, it has to show how long each task will take. Here are the requirements : REQUIREMENTS The various requirements associated with the project are listed below HARDWARE REQUIREMENTS: • PROCESSOR: o MINIMUM: 568 MHZ Pentium Processor • MEMORY: o RAM: 64 MB o HARD DISK: 40 GB SATA • DISPLAY: o 1024*768,true type color-32 Bit • MOUSE: ANY NORMAL • KEYBOARD: Any Window Supported Keyboard SOFTWARE REQUIREMENTS: • OPERATING SYSTEM: Windows XP Professional • FRONT END: JAVA/JDK 1.6/JRE • BACKEND: MYSQL INTERFACES REQUIREMENTS The interfaces that are required for the project are User Interface: this interface is required by he user in order to interact with the system. the UI must be user friendly and must be accordance to the user. JDBC-ODBC: the interface is required to connect the front end to the backend. There must be the proper code for building the jdbc-odbc bridge; which will include importing drivers by using Class, connecting to DB by using Connection interface, firing sql queries by using PreparedStatement class. • Show less1 answer - Anonymous askedImplement a message board application that stores users and messages in a database. Users can post m... More »0 answers - Anonymous askedWrite a C++ function that has three inputs which are integers. The function returns true if the firs... More »1 answer - Anonymous askedThis is just getting more difficult and I'm clueless. I really hope to have someone explain step by... Show more This is just getting more difficult and I'm clueless. I really hope to have someone explain step by step on how to complete the program. I've attached everything for the assignment and took a photo of how the book has the program layed out. Please help! (my professor is no help at all) I really appreciate any assistance! :0) Stock portfolio Display the information in the file csvSTOCKS.TXT as in table 8.8 when the user clicks on a Display Stocks button. Add an additional stock onto the end of the file csv.STOCKS.TXT when the user clicks on Add stock button. The data for the new stock should be read from appropriately labeled text boxes. Update the Current Price/share of a stock in the file csvSTOCKS.TXT when the user clicks on an Update Stock button. The name of the stock to be updated and the new price should be read from the appropriate text boxes. The file csvSTOCKS.TXT should then be copied to a temporary file until the specified stock is found. The updated record for this stock should then be written to the temporary file, followed by all remaining records in the csvSTOCKS.TXT . Finally, the original csv.STOCKS.TXT file should be erased and the temporary file renamed to cvsSTOCKS.TXT file. Process the data in the file csvSTOCKS.TXT, and produce the display shown in the Figure 8.12 when a “Show Profit/Loss” button is clicked. then Quit thank you so much!• Show less1 answer - home44 askedGoof... Show more Please read carefully and looking for almost perfect! Input file information: Duckey Donald 85 Goof Goofy 89 Brave Balto 93 Snow Smitn 93 Alice Wonderful 89 Samina Akthar 85 Simba Green 95 Donald Egger 90 Brown Deer 86 Johny Jackson 95 Greg Gupta 75 Samuel Happy 80 Danny Arora 80 Sleepy June 70 Amy Cheng 83 Shelly Malik 95 Chelsea Tomek 95 Angela Clodfelter 95 Allison Nields 95 Lance Norman 88 Write a program that reads students' names followed by their test scores. The program should output each students name followed by the test scores and the relevant grade. It should also find and print the highest test score and the name of the students having the highest test score.• Show less Student data should be stored in a struct variable of type studentType, which has four components: studentFName and studentLName of type string, testScore of type int (testScore is between 0 and 100), and grade of type char. Suppose that the class has 20 students. Use an array of 20 components of type studentType. Your program must contain atleast the following functions: a. A function to read the students data into the array. b. A function to assign the relevant grade to each student. c. A function to find the highest testscrore. d. A function to print the names of the students having the highest test score. Your program must output each student's name in this form: last name followed by a comma, followed by a space, followed by the first name; the name must be left justified. Moreover, other than declaring the variables and opening the input and output files, the function main should only be a collection of function calls.1 answer
http://www.chegg.com/homework-help/questions-and-answers/computer-science-archive-2011-august-07
CC-MAIN-2014-42
refinedweb
6,632
56.05
By Greg Anderson August 23, 2018 For PHP projects that produce an executable application, the Phar format is a very convenient way to bundle everything in the project together into a single easy-to-use binary file. This file can even be attached to GitHub releases, where they may be downloaded with a single click. If you want to jump right in and create a new project that automatically uploads a Phar to GitHub on every release, the g1a/starter project will set that and a whole lot more up for you in just a few minutes. This blog post explains how the Phar upload process works. The following topics will be covered: - Creating a PHP application. - Creating a Phar version of that application. - Automating the Phar build in Travis in every deploy job. - Uploading the Phar to GitHub after it is built in Travis. - Automating the release process with a Composer script to tag and manage versions. - Allowing end users to update to the latest release via a self:update command. Feel free to skip ahead a few sections if you have already accomplished some of these steps. Create a PHP Application The easiest way to do this is to use Robo as a Framework. Robo is a PHP task runner, but it also contains classes to make it quick and easy to build standalone applications of any type. The main entrypoint for a Robo-based application looks something like this: require __DIR__.'/vendor/autoload.php'; $runner = new \Robo\Runner(['\Org\ExampleCommands']); $out = new \Symfony\Component\Console\Output\ConsoleOutput(); $status = $runner->execute($_SERVER['argv'], 'name', '1.0.0', $out); exit($status); The lines above perform the following functions: - Include the Composer autoloader, which makes all of our classes available. - Instantiate a new Runner object, providing it with a list of classes with commands. - Create a Console output object. - Tell Robo to handle all of the details, providing it with the command line arguments, the name and version of the application (for help et. al.), and the output object. - Make sure that the final status code is returned to the caller. That will get you the basics of a simple application that you can call from the command line. Compare this with the more full-featured example in the starter project for a hint of what else can be done with the Robo framework. Once you have your application set up, you can define new commands with plain php code: namespace Org; class ExampleCommands extends \Robo\Tasks { /** * @command hello */ public function hello($who = 'World') { $this->io()->text("Hello, $who"); } } The annotation-based command classes are based on the symfony/console project; if you prefer, you may use symfony/console directly to create your application with only a little bit more code. Create a Phar Version of Application Prior to uploading the Phar, it is necessary to build it. A good way to do this is with the box command. To set it up, all that you need to do is set up a box.json file and customize its contents to specify which files from your project should be comprised from. The example below shows a partial box.json that defines the name of the output Phar and which portions of the project should be included in the final result. { "output": "awesome-example.phar", "main": "example", "directories": ["src"], "files": ["example", "README.md", "VERSION"], ... } Actually building the Phar can be accomplished by running box build. Automate the Phar Build in Travis This can be done in a before_deploy step in your .travis.yml file. Before building the Phar, it is helpful to run composer install again with the --prefer-dist and --no-dev options to remove unnecessary dev components. before_deploy: - composer install --prefer-dist --no-dev --no-interaction - php box.phar build Upload Phar to GitHub from Travis Once you have a Phar, you can easily attach it to a release from the edit release page. There is a place near the bottom of the form to upload new files: Uploading a binary file to GitHub may be easy; however, rolling out a release requires a number of different steps, all of which are easy enough to do, but tedious to do over and over again. To keep our sanity, and to reduce the chance that human error could result in a bad release, we’ll automate these steps. We will use a feature of the TravisCI command line tool to set up a release step for us. You’ll first need to download the Travis tool if you do not already have it. (Read to the end of the installation section for the platform-specific download methods; these are often easier.) Change your working directory to a local working copy of your project and run the travis setup releases command. Answer the prompts as shown below: $ travis setup releases Username: greg-1-anderson Password for greg-1-anderson: ************* File to Upload: awesome-example.phar Deploy only from g1a/awesome-example? |yes| Encrypt API key? |yes| Once you answer the questions that you are prompted for, the Travis tool will add release directives to your .travis.yml file. Open this file up and make the following changes to it: deploy: provider: releases api_key: secure: KmKwmt...[REDACTED]...LPE= file: awesome-example.phar skip_cleanup: true on: tags: true repo: my-org/awesome-example Without the skip_cleanup: true directive, Travis CI would delete the build results before processing the upload. The tags: true directive causes the deploy to happen only after tag builds. The Travis setup releases command does not include these, so it is necessary to add them in after it is done. Automate the Release Process The g1a/starter project has a simple release script that makes it easy to push out new versions of your projects. It looks similar to the following: # Remove '-dev' from the version file to prepare for release. sed -e 's/-dev$//' VERSION > VERSION.tmp mv -f VERSION.tmp VERSION # Tag a release ver="$(cat VERSION)" git add VERSION git commit -m "Version $ver" git tag "$ver" git push origin "$ver" # Advance to the next patch release, add the '-dev' suffix # back on, and commit the result. a=( ${ver//./ } ) && ((a[2]++)) echo "${a[0]}.${a[1]}.${a[2]}-dev" > VERSION git add VERSION git commit -m "Back to -dev" git push origin master Pushing the new semver tag up to GitHub will cause the deploy step described above to run in TravisCI, which will result in the automation we set up above to build our Phar and upload it to the new release on GitHub. If you define the above as a Composer script, then you will be able to make new releases simply by running composer release. Provide a self:update Command Now that you can easily make releases for your project with almost no effort, you’ll probably want to make it easy for your end users to get these updates. Rather than requiring them to visit the GitHub releases page and download the latest Phar, you could provide a self:update command to do this automatically. If you are using the Robo framework, all that you need to do is provide the full name of the project on GitHub to the runner, and the self:update command will be added for you. $runner->setSelfUpdateRepository('my-org/awesome-example'); If your application uses the Symfony Console APIs directly, you may use the consolidation/self-update project; it works on its own with any Symfony Console application. Putting It All Together If you would like some real-world examples, take a look at the following projects which use the techniques from this blog: - - - - Decking out your application with automated releases and updates isn’t very much work when you follow the instructions in this blog. If you want to do it even faster, though, the previously mentioned g1a/starter project will do all of these steps and more. Take a look at it, try it out, and start saving time. You may also like: Topics: Development, Testing & Optimization, Training and EducationTopics: Development, Testing & Optimization, Training and Education
https://pantheon.io/blog/automate-phar-releases-github-travisci
CC-MAIN-2020-50
refinedweb
1,351
60.75
The L293D motor driver IC is one of the cheap and easily available devices for controlling the speed and direction of rotation of DC and stepper motors. In this tutorial I will show you how to use this motor driver with Arduino in controlling a simple DC motor and a 28BYJ-48 unipolar stepper motor. The L293D Motor Driver IC Overview. This motor driver comes as a 16-pin DIP IC package containing two H-bridge circuits therefore can control two DC motors at once or one stepper motor. The diagram below shows the pin out of this motor driver. There are two power supply pins, VCC1 and VCC2. VCC1: is the power supply for the IC circuitry and should be 5V. It is connected with the Arduino 5V. VCC2: is the power supply for the H-Bridge circuits for running the motors and is in the range 4.5V to 36V. GND: is the common ground and heat sink. OUT1 and OUT2 are the output terminals for motor A while OUT3 and OUT4 are output terminals for motor B. This is where the DC motors having voltages between 4.5 to 36V are connected. Each channel on the IC can deliver up to 600mA to the DC motor but the amount of current supplied to the motor depends on system’s power supply. ENA and ENB are the speed control pins for motor A and B respectively. When these pins get a HIGH signal the motors will rotate and when they are LOW the motors stop moving. However the speed of rotation is better controlled using PWM signals. IN1, IN2, IN3 and IN4 pins are for controlling the direction of rotation of the motors. The direction of rotation is determined by the logic on these pins. How the L293D Motor Driver Works. Motor speed control using PWM. PWM enables us to control the voltage applied to the motor in form of square wave pulses with a certain frequency. The voltage applied to the motor determines the speed of rotation of the motor by varying the width of this square wave called a duty cycle. The duty cycle is given in percentage and the higher the duty cycle, the higher the voltage across the motor which also increases the speed of rotation. When the duty cycle is 100%, the pulse is constantly HIGH and the motor receives full power and spins at its rated output speed while a duty cycle of 0% means the pulse signal is constantly LOW therefore no voltage across the motor and the motor will stop rotating. I have a post with a more detailed explanation of how the PWM technique is used with Arduino which you can refer to using the link below. Direction of Rotation control using H-Bridge. The direction of rotation of a motor is determined by the direction of flow of current through the motor. This is achieved using an H-bridge circuit which is used for switching the polarity of a voltage applied to a load like a motor in this case. How an H-Bridge works. An H-Bridge consists of four MOSFETs or Transistors wired as switches. When two of these switches are activated at the same time in a particular format, the direction of flow of current is changed which then changes the direction of rotation of the motor. You can refer to the diagram below to see how the H-Bridge works. When switches S1 and S4 are closed the current will flow from left to right through the motor which makes the motor rotate in a particular direction, in this case clockwise. Likewise if switches S2 and S3 are closed, current will flow from right to left and the motor rotates in the opposite direction. Do not switch on S1 and S2 together or S3 and S4 together. This condition is called shoot-through and can damage the MOSFETs or transistors. The L293D motor driver module has two H-Bridge circuits and therefore can control two dc motors simultaneously. The pins IN1, IN2, IN3 and IN4 are actually for controlling the switches of the H-bridge circuit of the L293D module. If IN1 is LOW and IN2 is HIGH then motor A will rotate in a particular direction and if IN1 is HIGH and IN2 is LOW then the motor rotates in the opposite direction. If all the inputs have the same signal, say IN1 and IN2 are both LOW and both HIGH then the motor will stop rotating. The table below shows how the direction of rotation of motor A and B changes depending on the state of the input pins IN1, IN2, IN3 and IN4. DC motor control using the L293D motor driver and Arduino. The two DC motors are going to be connected to the motor driver as shown in the schematic below. Since I am using simple motors rated at about 3 to 9V, the VCC2 pin is going to be connected to an external 9V power supply. The VCC1 pin will be connected to Arduino 5V. All the grounds in the circuit should be connected. The enable pins ENA and ENB should be connected to PWM enabled pins of the Arduino like in this case pin 3 and 6. Input pins IN1, IN2, IN3 and IN4 are connected to any other digital output pins like pins 4,5,7 and 8 respectively. One motor is connected across OUT1 and OUT2 and the second motor is connected across OUT3 and OUT4. Code for controlling a DC motor. The code below is for controlling a single DC motor. This means the motor uses only one side of the L293D motor driver, that is, ENA, IN1 IN2, OUT1 and OUT2. No libraries are required to control the motor using Arduino. // Motor A connections int enA = 3; int in1 = 4; int in2 = 5; void setup() { // Set all the motor control pins to outputs pinMode(enA, OUTPUT); pinMode(in1, OUTPUT); pinMode(in2, OUTPUT);z // Turn off motor - Initial state digitalWrite(in1, LOW); digitalWrite(in2, LOW); } void loop() { directionControl(); delay(1000); speedControl(); delay(1000); } void directionControl() { analogWrite(enA, 200); // Set motor speed (PWM values are 0 to 255) // Turn on motor A digitalWrite(in1, HIGH); digitalWrite(in2, LOW); delay(2000); // Now change motor directions digitalWrite(in1, LOW); digitalWrite(in2, HIGH); delay(2000); // Turn off motors digitalWrite(in1, LOW); digitalWrite(in2, LOW); } void speedControl() { // Turn on motors digitalWrite(in1, LOW); digitalWrite(in2, HIGH); // Accelerate from zero to maximum speed for (int i = 0; i < 255; i++) { analogWrite(enA, i); delay(20); } // Decelerate from maximum speed to zero for (int i = 255; i >= 0; --i) { analogWrite(enA, i); delay(20); } // Now turn off motors digitalWrite(in1, LOW); digitalWrite(in2, LOW); } Code description The major area worth noting in the code is in the loop section where we use two user defined functions; directionControl(): This function spins the motor in a specific direction at a given speed for two seconds. Then reverses the motor’s spinning direction for another two seconds and finally turns the motors off. speedControl(): This function accelerates the motor from zero to maximum speed and then decelerates it back to zero. The speed of rotation is controlled by PWM signals using the analogWrite() function. Controlling a stepper motor using the L293D Motor Driver. A stepper motor can be connected to the L293D motor driver by using the two H-Bridge circuits in the driver where each of these H-bridges controls one of the electromagnetic coils of the stepper motor. The diagram below shows how the stepper motor is connected to the H-Bridges. The direction of rotation of the stepper motor will depend on the sequence in which the electromagnetic coils of the motor are energized and the speed of rotation is determined by how frequent these coils are energized. There are different types of stepper motors but in this case am going to use the 28BYJ-48 unipolar stepper motor. Connecting the 28BYJ-48 Stepper Motor with L293D motor driver and Arduino. The motor is going to be connected as shown in the schematic below. This motor has five wires although four wires are used to connect the coils to the L293D driver, that is, A+ (Orange), A- (Pink), B- (Yellow) and B+ (Blue). They are connected to output pins OUT4, OUT3, OUT2 and OUT1 respectively. Both the ENA and ENB pins are connected to 5V output so that the motor is always enabled. The input pins IN1, IN2, IN3 and IN4 of the L293D IC are connected to four digital output pins 8, 10, 9 and 11 of the Arduino. Code for controlling the Stepper motor. We shall use Stepper.h library is to control the motor. #include <Stepper.h> const int stepsPerRevolution = 2048; // Number of steps per output rotation // Create Instance of Stepper library Stepper myStepper(stepsPerRevolution, 8, 10, 9, 11); //blue,yellow,pink,orange void setup(){ myStepper.setSpeed(8); // set the speed at 8 rpm Serial.begin(9600); // initialize the serial port } void loop(){ // step one revolution in one direction: Serial.println("clockwise"); myStepper.step(stepsPerRevolution); delay(1000); // step one revolution in the other direction: Serial.println("counterclockwise"); myStepper.step(-stepsPerRevolution); delay(1000); } Sometimes you may need to use more than one of these motor drivers for example in robotics projects. Then you need a motor driver shield like the L293D motor driver shield for Arduino that I have written about in another tutorial which you can check out using the link below.
https://mytectutor.com/l293d-motor-driver-with-arduino-controlling-dc-and-stepper-motors/
CC-MAIN-2022-27
refinedweb
1,583
60.45
This is the mail archive of the libc-alpha@sourceware.org mailing list for the glibc project. On 06/13/2017 01:58 AM, Joseph Myers wrote: > The ucontext_t type has a tag struct ucontext. As with previous such > issues for siginfo_t and stack_t, this tag is not permitted by POSIX > (is not in a reserved namespace), and so namespace conformance means > breaking C++ name mangling for this type. I don't see a reference in Fedora to a _Z*ucontext* symbol, so I don't expect any ABI problems. > In this case, the type does need to have some tag rather than just a > typedef name, because it includes a pointer to itself. This patch > uses struct ucontext_t as the new tag, so the type is mangled as > ucontext_t (the POSIX *_t reservation applies in all namespaces, not > just the namespace of ordinary identifiers). Another reserved name > such as struct __ucontext could of course be used. How widely known is the reserved nature of _t names? Maybe the __ prefix would communicate better that this is an internal name? Although I assume we will never change it again, so applications referencing the new name should not face any future problems. Thanks, Florian
https://sourceware.org/legacy-ml/libc-alpha/2017-06/msg00501.html
CC-MAIN-2020-45
refinedweb
203
70.53
Malcolm Wallace wrote: > > Proposal 1 > ---------- > Introduce nested namespaces for modules. The key concept here is to > map the module namespace into a hierarchical directory-like structure. > I propose using the dot as a separator, analogous to Java's usage > for namespaces. I haven't commented on this if I thought it was a bad idea:) What about the module declaration? Should it be: module Text.Xml.Parser where ... or just module Parser where ... -- located in Text/Xml/Parser.hs? I prefer the latter one since I think it is wrong to specify the address of the module in the module itself. It would be even better if the module declaration wasn't needed at all. I don't know what it is needed for. When the world realize that this is the XML parser, they won't accept the name and I refuse to change my implementation. The only thing that is needed to rename (an unused) module hierarchy is to move it. import Std.Module import .Sibling import .Sibling.Child import ..Child import ..Child.GrandChild import ...Syntax.Error -- This isn't allowed -- Christian Brolin
http://www.haskell.org/pipermail/haskell/2001-February/006790.html
CC-MAIN-2014-15
refinedweb
185
58.28
UFDC Home myUFDC Home | Help | RSS <%BANNER%> TABLE OF CONTENTS HIDE Section A: Main Section A: Main: Opinion Section A: Main: Obituaries Section A: Main continued Classified: October277 Related Items Preceded by: Venice gondolier (Venice, Fla. : 1983) Table of Contents Section A: Main page 1 page 2 page 3 page 4 page 5 page 6 page 7 Section A: Main: Opinion page 8 page 9 Section A: Main: Obituaries page 10 Section A: Main continued page 11 Section A: Main: Sports page 12 page 13 Section A: Main continued page 14 page 15 page Classified page 1 page 2 page 3 page 4 page 5 page 6 page 7 page 8 page 9 page 10 page 11 page 12 Sun Coast Homes page 1 page 2 page 3 page 4 page 5 page 6 Full Text VENICE ler Sim LOCAL NEWS COVER TO COVER FLORIDA'S NO. I WEE.'I,,l "AUT'-',ALL FOR ADC 3 SUNIV OF FLORIDA LIBRARIES 50 CENTS VOLUME 61 NUMBER 93 AN EDITION OF THE SUN SUNDAY-TUESDAY EDITION, OCT. 22-24, 2006 205B1 7IOFFLORIDA GAINESVILLE FL 32611-7007 Sun Fiesta is for kids of all ages Simmonds, Zavodnyi k seek council seat SUN PHOTO BYTAMI BULICSEK, TBULICSEK@SUN-HERALD.COM Attempting to retrieve pellets from the slot of a feed machine are Aaron Brimmer, 6, and a billy goat, at the petting zoo Saturday at Sun Fiesta. The event, sponsored by Women's Sertoma, continues Sunday until 6 p.m. in Centennial Park, downtown Venice. For more photos, see Page 3. Downtown merchants conduct parking-space survey BY BOB MUDGE EDITOR ,Whoever wins the race for Venice City Council Seat 3 will have at least age in common with a significant portion of his constituency. John Simmonds, 83 and seeking a second term, is opposed by Ernie Zavodnyik, 68, making his first bid for a council seat. Simmonds has been a full- time Venice resident for 11 years but has owned property here for 29 years. A native of Bradenton, he was a frequent visitor to the area and main- tained a second home here to which he regularly commut- ed by private plane from Winter Haven, where he served four terms as mayor and 11 years on the city com- mission. Simmonds served on council by appointment in 2000 and was elected in 2003. He also served on the city's charter review committee, airport advisory board and police pension board, and has been a council liaison to several others, as well as a number of state committees and task forces. A retired' Air Force lieu-: tenant colonel, Simmonds has a bachelor's degree from Sacramento State University. His business experience includes owning and operat- ing a high-end furniture and interior design company; serving as director of school plant planning and construc- tion for Dade County schools; and being associate director of the first federally funded community mental health center in the United States. He is a member of the, Venice-Nokomis Rotary Club'; and Venice Aviation Squad-` ron Inc., and is a past presi- dent of the Aloha Condo-: minium Association. Simmonds said he wants to limit growth but is con- cerned about the downside impact on the economy. He is confident the city will reach a joint planning' agreement with Sarasota County that will address most growth con- cerns. He said the current city council is the best he's ever served on and gives City Manager Marty Black, "triple A. He's phenomenal." He said that much of the city's development approvals are reactive, but. questioned how they could be otherwise Please see SEAT, 6A BY SUSAN CAIRO, STAFF WRITER Downtown merchants are taking action to alleviate parking congestion down- town by encouraging their employees to park in off-site areas. Last week merchants insti- tuted a pledge program. Signs in store windows advise shoppers "we pledge our employees won't take a park- ing spot from a customer who shops in a downtown store." The city has designated three areas as alternative lots for employee parking during the peak season parking. Those locations are the First Baptist Church, 312W. Miami Ave.; Epiphany Cathedral, 350 Tampa Ave.; and the Venice Little Theatre, 140 W. Tampa Ave., .all to be used during daytime hours. Survey Venice MainStreet wants to determine if there is ade- quate parking for customers and employees by surveying merchants. The parking survey will ask business owners and land- lords for the number of employees or tenants that use on-street parking each day, per shift, both in and out of season. It also asks about the num- ber:. of designated parking spaces available, days of the week they are open and a lit- tle bit about where employees and tenants actually park each day. "There have been com- plaints about parking, as long as there has been a down- town," said Tom Opsut, MainStreet program director. "The survey will give us exact figures." William Vanderstine, own- er of Bella Luna and a mem- ber of the MainStreet parking survey committee, thinks that's an important piece of the parking puzzle. "For us to talk intelligently to the city about parking issues, we need all of this. information," he said. "Sometimes the city doesn't see things the way the mer- chants do. When we have our facts together, we might be able to educate them a bit." Roseann Brown, owner of Venice Stationers, said no one has ever done a comprehen- sive survey before. "Everyone knows the number of parking spaces, but do we know what options the employees have if the sur- vey determines even the off- site parking isn't adequate? " she said. Brown cited Epiphany Cathedral Church as anr example. "They have masses on Saturday at 3:30 p.m., and they need enough spaces for their own parishioners," she said. "The city is the expert, Please see PARKING, 6A SUN PHOTOS BY JEFF TAVARES, JTAVARES@VENICEGONDOLIER.COM The 2006 Venice High School Homecoming King and Queen are Michael Strasburger and Kayla Walker. THIS EDITION OURTOWN 11B Island tale It all started because of a pig. DEATHS I10A Gerald Bovee Joseph C. Mangini Judith A. Francese Lillian Simendinger COUPONS AAA Vertical Blind Factory ........ 6B Twin Palms Chiropractic.......... 13A Good morning, Gondolier Sun subscriber, MARTIN SARTIN Green Butterfly celebrates 25 years BY SUSAN CAIRO STAFF WRITER The Green Butterfly con- signment shop, which bene- fits the Loveland Center, is celebrating its 25th year in business. Loveland Center is a place for adults with developmen- tal disabilities to receive train- ing in life skills. "We try to help them live their lives to the fullest," said Juanita Elliott, shop manager. Loveland students will be on hand for the birthday cele- bration Friday, Oct. 27, from 10 a.m. to 2 p.m. at the store. The public is invited to stop to meet students and for a piece of birthday cake. "We want to thank, cus- tomers who have patronized' '-K ~ FRONT SECTION BOB VEDDER COUNT.'BRIEFS LEGALS SC, LET EM HAVE IT LOTTO the store over the years," Elliott said. First volunteer The idea for the Green Butterfly shop came from Frank Burkholder, a retired businessman. "He thought that students at The Loveland Center would benefit by working in the shop," said Claire Zacharias, a volunteer. "He wanted this to be a place where they could test their skills on how to work with the public." Zacharias, 80-plus years young, worked at a school for handicapped students up north. She used the things she learned there to organize the shop. The Butterfly's first volunteer, Zacharias still works in the shop. "Another volunteer drives me here, because I am now legally blind," she said. The shop has a staff of more than 52 volunteers. "Our first donations came from the volunteers' own closets," Zacharias said. "Venice was a different town then," she said, "and the items sold were things that people used to start up a vacation home such as dishes and pots and pans." Upscale Today the Green Butterfly has changed its inventory to reflect the growing number of new residents with upscale tastes. Please see GREEN, 6A nia ITR TOWN rTIAN sA OBITuARIES I IA OPirJiONr RECORD SPORTS 9A WEATHER 2A SUN PHOTO BY SUSAN CAIRO Edward Boudreaux, Juanita Elliott, Claire Zacharias and Susan Graham look over a Chinese vase for sale at the Green Butterfly. The consignment shop will celebrate its 25th anniver- sary Friday, Oct. 27, from 10 a.m. to 2 p.m. at 211 W. Miami Ave. AI ln IMTuMI cnlrIMAN II I j 28 PETS 12B CLASSIFIED 6B SENIOR SCENE....................7B COMICS 98 TRAVEL SB COUPONS 9B VENUE 3B TV BOOK 14B WELL-BEING........................5B USA WEEKEND I; I, Venice High School royalty 10A COFFEE BREAI. BA CPOS5WORD 12A DEAR ABB. 2A GREEN SHEET ONE LAcT WORD I wun iumm ac%.isvim mLaw im i no4 cut i eviv UNDAY I SUNDAY, OCT. 22, 2006 2A VENICE GONDOLIER SUN ITE KNOWN FAMOUS FLOjIDIANS BY JOE "FASTHORSE" HARRILL DON PEDRO MENENDEZ DE AVILES is considered the father of St. Augustine. From 1513 until 1563, Spain launched several failed attempts to settle Florida. In August 1565, Menendez arrived off the Florida coast and with a few hundred Spanish soldiers and settlers fortified the Timucuan Indian village of Seloy. He named the vil- lage St. Augustine. After destroying a recently established French garrison on the St. John's River, he began building a permanent Spanish colony by expanding the town and exploring the land, making St. Augustine the oldest European settlement in North America. ABC-7 WEATHER VEIC OTLOK Temperature Today Normal Record Rainfall Today Month Year High 86 83 91 (2005) 'Actual 0.00" 44.04" Sunrise/set Tonight's sunset Tomorrow's sunrise Moonrise/set Moonrise Moonset Low 72 ' 63 49 (1989) 0.00" Average 3.29" 48.75" You don't need an ark, but be ready for rain Cape Sable to Tarpon Springs: (Induding Sarasotaand Charlotte counties) Variable winds at 5 knots. Seas 2 feet or less, light chop. Tarpon Springs to Apalachicola: Variable winds at 5 knots. Seas 2 feet or less, light chop. EASTERN STANDARD TIME DATE HIGH A.M. 6:55 p.m. SUN 22 1:42p 7:34 a.m., MON 23 TUE 24 12:19 S WED 25 12:48 7:53 a.m. 7:04 p.m. *STI a-A. HIGH L PM. I 11:56 ; 2:24 ; 3:11 4:12 9 WRONG TIDE M. p- P.M. High school students to vote in mock election STAFFREPORT Hundreds of Sarasota County high school students will have an opportunity to experience firsthand the power of democracy when they take part in a mock elec- tion on their campuses the week of Oct. 23-27. Students at Booker High School, Cyesis, North Port High School, Pine View School, Riverview High School, Sara- sota High School and Venice High School will be able to vote for candidates for U.S. Senate, U.S. House of Representatives and governor. . They will also answer three ballot questions: 1) Should passing the FCAT be a requirement for graduation? 2) If Sarasota were to build a dedicated teen center, would you use it? 3) Do you think the state of Florida should extend the times that unaccompa- nied 16- and 17-year-old dri- vers must be off the streets? Students will cast their bal- lots on the iVotronic touch- screen voting machines pro- vided by Supervisor of Elections Kathy Dent. Results will be released with the General Election results after 7 p.m. Nov. 7. "Statistics show that peo- ple who have access to their jurisdiction's voting system prior to an election are twice as likely to go to the polls on Election Day," Dent said. "It is our hope that the mock elec- tions will help to increase turnout among 18- to 20- year-olds and engage our youth more actively in the electoral process." Source: SOE office A new acquaintance told Tropical Bob his BMW died following summer's last down- pour in late September. He said his car engine sus- tained fatal water ingestion after he drove through a flood- ed section of street. The man, who works at a car dealership, said he thinks water splashed under his hood with sufficient velocity and volume to get into the engine through an opening like the air cleaner. The resultant damage to the engine was total. Believe Tropical Bob: It will rain again! When it does, watch out for flooded roads. Your car understands the slogan: Turn around, don't TROPICAL BOB WEATHER COMMENTS drown. FLORIDAOTER Oct 20 ........663 Oct 19 ........046 Oct 18........ 149 Oct 17.. .....504 Oct 16 .......450 Oct 20.... 4-10-19-25-32 Oct 19 .... 6-7-14-31-33 Oct 18 ...... 4-5-8-10-27 Oct 17 . . 7-9-13-19-23 Oct 16 .. 1-12-14-15-26 Oct 20 ......4073 Oct 19 ......1383 Oct 18 ......1656 Oct 17 ......3804 Oct 16...... 3528 Oct 20 ...........7-8-33-40 Mega Ball ............1....18 Oct 17 .........13-14-17-44 Mega Ball ......................6 Drawings occur Tuesday, Friday evenings I LOTTO Oct. 18 .....3-5-23-35-36-42 Oct. 14 ....5-9-14-21-22-42 Oct. 11 .12-15-24-30-40-48 Oct. 7.. 6-37-41-43-45-47 Oct. 4... 7-8-27-28-30-33 Payoff for Oct 14 0 6-digit winners ............. $- 43 5-digit winners..........$7,840 3,795 4-digit winners ......$72.00 79,611 3-digit winners........$4.50 Drawings occur Wednesdays, Saturdays Fall Fashion Sale & event 50% off Designer Fall Apparel Contemporary Designer Classic American Designer Modern American Designer Liz Claiborne Nygard Emanuel Conrad C. Due per Du6 And others Jackets, blouses, knit tops, capris, skirts, pants and more. Misses. Petites. Women. Orig. $35-$350, now $17.50-$175. Selected styles. Selection varies by store. Free $20 Dillard's Gift Card with any regular price Jessica McClintock juniors' dress purchase of $100 or more. * Offer ends Sunday October 29. 9S FINAL DAY! Free $25 $ Dillard's Gift Card When you purchase two pairs of regular-price NYDJ jeans. Misses. Petites. Women. $89-$110. * Offer ends Sunday October 22. APPLY TODAY! Earn Dillard's Reward Points $ tSubject to credit approval. Certificates for opening a Dillard's credit card Sn account will arrive with the Dillard's Card and expire 60 days from issuance. Every Time You Shop Receive ~ See croditapplication forRewardsprogramterms. $2Y" In Reward Certificates When You Open An Account s USE YOUR DILLARD'S CHARGE. WE ALSO WELCOME VISA, MASTERCARD, AMERICAN EXPRESS, DINER'S CLUB & DISCOVER CARD. s Port Charlotte Town Center, (941)255-1778 Southgate Plaza, (941)955-2241 Sarasota Square Mall, (941)925-1722: Mon.-Sat. 10-9, Sun. 12-6 Estimated jackpot is $14 million F ''ilk ~. VOr4IIJ?~t. ~~~~~~1 I ABC-7 ALMANAC S- MARINE 1 5 m7ff =, *t '4 A.LMAN'AC, 1:A Sun Fiesta brings fun to downtown Venice 1 SUN PHOTOS BYTAMI BULICSEK, TBULICSEK@SUN-HERALD.COM The Venice Police Department "Bedrocks" team races down West Venice Avenue during a bed race Saturday morning, part of the 34th annual Sun Fiesta. The Venice Police Department honor guard presented colors during the Sun Fiesta parade. The Venice High School Marching Indians Band performed during this year's Sun Fiesta parade Saturday morning. CASH INCENTIVES ON GRADY-WHITES AT CANNONS MARINA! Only Thru November 5! Great Grady Days cash incentives of $500-$3,500 on a limited availability of 18ft-33ft new Gradys. The Best Grady-White Factory-Sponsored Sales Event Everl Starz Choice Dance Academy dancers performed along the streets of Venice during the 34th annual Sun Fiesta Saturday. %-.:,,-rplle t,: 1,*; ,=? r.c.-r :-t center consoles 18'- 30' Yamaha Makes It Better... Choose a ne'.s Yamaha and get 3 \ears extended %\arranr\ - Up to $.2 600 -alue on 75-250 hp Four-stroke models *Offer good until November 21. Visit Cannons Marina for more details. A CANNONS % a M A R I N A COMPETITIVE QUALITY COMMITMENT 6040 Gulf of Mexico Drive, Longboat Key (2 miles from north end) Open 7 days a week, 8 a.m. 5:30 p.m. Cannons.corn 383-1311 We're worth the trip! WIN~Y~i FAMILY OWNED & OPERATED SINCE 1955 SALES SERVICE RENTALS *YAMAHA When you want the best Direct Phone Numbers: Home Delivery---------------------------- CUSTOMER Direct Phone Numbers: WHo iv STe SUBSCRIBE TODAY! SERVICEPOLICY: GeerlOfie.0-10unNwsom 0 0If you do not receive General Office 207-1000 Newsroom 207-1000 VENICE Newspaper designated Enclosed is a check for and mail to the address below, attn. Circulation. Ifyou do newsot receve C0market Venice, Laure Name 6 a.m., please call the Circulation 207-1300 Nkms E a VngceooLaurelaton Name yoNespta Advertising 207-1220 Classified207-1200 d o h e rSaraotaCo.) Address CirculationDept. at Editorial/Welcome Home/Newsroom Fax 484-8460 13 wks. $12.26 'City State Zip____ a newspaper will be Classified/Advertising Fax 485-3036 Aud 52 wks. $40.08- hone broughttoou. Toll Free 1-866-357-6204* Sunline Internet Services 888-512-6100 IBureau Mail Delivery Mastergecard( ) isa( ) Expr a SERVICE HOURS Community Web Site TheVEN (221-700) ISSN (1536-1063) 13 wks. $19.95 Charge card number Mon. &Tues. Communicate onso207-780 The VENICE GONDOLIER SUN, an edition of The Sun, is published 26 wks. $35.95 Signature S am. 5p.m. DayStar Communications 207-7800 every Wednesday, Friday and Sunday by The Sun. -- - - - - - - - - - - - - - - Wed&Fri. Publisher: Robert A. Vedder Editor: Bob Mtde 200 East VeniceAvenue, Venice, Florida 34285. 52 wks. $62.45 POSTMASTER: Send address changes to Venice Gondolier Sun, 6 a.m. -5p.m. Suser o ert Periodicals Postage paid at Venice, Florida and additional mailing centers. Single Copy Circulation Department, 200 E,. Venice Ave., Venice FL 34285. Sat. 8 a.m. 11 a.m. President: Derek Dunn-Rankin ,d,, .., 504 7% Tax Included* Foreign rates upon request Sun. 6 a.m.-Noon VENICE GONDOLIER SUN 3A ,l INDAY ncT ??- ?006 all 14M Vt[NIIC-t k(-INInr-AI FR U'i NWWVNCGNOIRCO UDY C.2,20 Woodley: The (engineering) doctor is in BY ROLLIE REYNOLDS STAFF WRITER Venice City Engineer Nancy Woodley traveled the world as a child, but she's now in the place she considers home. "I can honestly say that I have every intention of stay- ing here for the rest of my life," she said. Her father was a lieutenant colonel in the. army trans- portation corps, and was comptroller of shipments of both goods and personnel from one base to another. "By the time I reached high school," said Woodley, "I had lived in- Paris (France), Hamburg (Germany), Li- vorno (Italy), Yokohama (Japan), New Orleans, Seattle and San Francisco. I was able to finish my senior year of high school in San Francisco. I still love to travel and see new places." Sarasota County was also on the itinerary among those more exotic locales. "I first came to this area in 1967," she said, "because my parents had retired to Longboat Key. That's when I worked for a few months for the city of Sarasota planning department, but I also had a chance to get acquainted with the little town of Venice dur- ing that time." "Of course, a lot has changed since then," she said. "But for me, change has always been a good, positive thing. This place was so quiet back then, I was glad to see how Venice had developed into such a vibrant communi- ty with so many amenities and unique features. . W WATCH YOUR ... BUSINESS GROW Call 207-1000 to advertise 1 in this newspaper 'Retread' Woodley's job with Sarasota County was one of her first jobs after getting a degree in mathematics from the University of Massa- chusetts. She worked on a special land-use survey pro- ject as a planning analyst. Using her math skills, Woodley did population and economic projections for the comprehensive plan. She took on. a similar pro- ject as a planner in Kentucky, then moved. to a regional planning agency in Tus- caloosa, Ala. "That was a very different type of planning operation," said Woodley. "Instead of dense and urban, it was mostly rural, open space. Their largest planned land use was for roadways, and most of the communities did not have their own planning or zoning staff." She served as principal planner for five years, then as a project director for six years, supervising an engineering staff and several engineering consultants in developing an EPA-funded area-wide waste- water treatment manage- ment plan. It was that new experience with engineering profession- als that led her back to school. "When I had been in school before," she said, "girls just didn't take engineering courses. But this experience really inspired me to get into that profession. I became what they called a 'retread' by attending a special engineer- ing program through the University of Alabama, com- pleting my advanced degrees and changing careers." She earned master's and doctoral degrees .from the University of Alabama and later ran her own engineering consulting firm and was an adjunct civil engineering pro- fessor at the university for five years. Natural flow With that background, Woodley came to Venice as assistant city engineer in 1999, served as interim direc- tor of growth management (which at the time. included the planning, building and zoning departments) for six months in 2000 and then became city engineer in 2001. Effective Oct. 1, the city of Venice gave Woodley the added responsibility of gener- al manager of development services, which means she now oversees the operations and staffs of engineering and stormwater, planning and zoning, and building and code enforcement. "There is a natural flow of administrative functions and paperwork between these three closely related opera- tions," she said. "One of my tasks will be to look harder at our methods of doing busi- ness, particularly in the area of customer relations, and try to simplify and expedite pro- cedures. "Wherever we can, we will relieve the workload on staff as well as on the customers, Let Gondolier Sun Classifieds work for you. Lowest Price in Venice RED MULCH $1.59 2cu. ft.- 20 BAG LIMIT Reg. Price 2.49 I 5175 S.R.776 Venice,FL 34293 I "S I 'I g O Phone 493-1293 Open 7 days pet week ; A JL IL Cntigr Next totheDoie' FleaMarket;::.---~ - Combine Financial, Tax and Estate Planning to develop the best financial program for your overall financial health. Please visit us at Andrew Penzell Financial Consultant Call for Free Financial Review (941) 486-9400 The Northern Trust Bank Building 901 Venetia Bay Blvd. Suite 210 Venice, FL 34285 Securities offered through Sigma Financial Corp. Member NASD/SIPC some of whom have to deal with all of us on their projects. We want to eliminate dupli- cation, improve communica- tion and facilitate efficiency all the way around." Her goal is to combine development service func- tions where feasible in the administrative areas of opera- tion. New family Woodley plans to take her time getting to know the staff members of each department and their various duties. "My goal, wherever possi- ble," said Woodley, "is to posi- tion people to do what they are good at and enjoy doing. I'll be taking slow, deliberate steps with lots of opportunity for input from everyone involved. "I have found that, whether with, employees or customers, most issues can be resolved through clear communication. All three of these departments already have tremendous leadership and resources. I believe it will only take a' few minor changes to enhance produc- tivity and job satisfaction. "The key to that success," she added, "will be the degree to which they all work as a team. In fact, I already told them in one of our first group meetings, 'Look around - these are your new family members!'" You can e-mail Rollie Rey'nolds at riudroll@'coim- cast.net. A--" ~II I - 'SUN PHOTO BY ROLLIE REYNOLDS City Engineer and General Manager of Development Services . Nancy Woodley points to a map showing the proposed loca- tions of several mitigation reefs that will eventually be placed at sites along the Venice coastline, as approved by the Florida Department of Environmental Protection. DETAILS Venice City Engineer Nancy Woodley is an avid reader who often checks out up to 10 books at a time from the library. She loves British murder mysteries. Her favorite book: "The Disappearance," by Philip Wylie. Besides her significant other, Larry, Woodley's family consists of' her two precious female cats Sophie, the "good cat" (an affec- tionate, short and round Siamese mix), and Seville, the "bad cat" (a grey and white long-hair with a fluffy white mane). Seville is "as likely to bite you as look at you," she said, and is responsible for anything broken, damaged or overturned. But she loves them both. Be A Winner By Losing... say good-bye to fat with Hypnosis Hypnosis is approved by the American Medical Association for weight loss, smoking, pain & more. Call Now For a FREE Consultation l(JNCOAST HYPNOSIS Ed Watson 941.486.1649 i',," eight Loss/Slop SmokingtStress & Phobias ,i" I 111 TimT ,'aii Trail. Su&l I' O \,'n,i kFL ,4 . ly --- -- i t1 l', l.` a d juo ,' r l-, ':irct : Brdd e Carrie after Are You Emb.iuassed b% vour \%eight' Is it aftecung ouur health' Do you teel OuL ofi control? Stop the pain! Do A.bat thousands ha'. c done release the Seighl ith'.ugh HH'pnosi Safe. eas.), no drugs or supplements to buy! Carrie dropped 351bs. Ed threw away' 451bs. Jackie dropped 501lb. | Heather shed 40 lbs Carrie before a f-sul.t "i ' CALLNOFORSPCAL AVIG S'. 'o Pet Friendly Environment S- 211 Independent Apartment Homes EI G E 100 Assisted Living Accommodations j ON 7 IS LE "60 Bed Health Care Center ES EVE . .. NEWDAY Dedicated and Well Trained Staff Si.F ,, WDAYLIVE AFFORDABLY AND WORRY FREE! To learn more about Village On The Isle, contact Carol at (941) 486-5484. 920 Tamiami Trail South Venice FL 34285 during Mohawk Anniversary Month October 1 November 4Z ruetfmes it's simple to make your dreams come true. Rug Mart Carpet Ceramic Tile Area Rugs 966-3681 748 South Tamiami Trail Osprey 0 Wmp. SUNDAY, OCT. 22,2006: 4A VENICE GONDOLA N SUNAY ,Mr, 22,T i UAA WWAIAI~AIIIEICtMfLAI IRCAM VNIE ONOLERSU 'No Engine Brakes' signs cause confusion SUN PHOTOS BY JEFF TAVARES, JTAVARES@VENICEGONDOLIER.COM This tractor trailer passes a "NO ENGINE BRAKES" on Jacaranda Boulevard just north of E. Venice Avenue. Sometimes referred to by the slang term Jakee brake;' an engine brake is a mechanism on large trucks that changes the timing of exhaust valves to slow the vehicle. This method pro- duces a repetitive popping noise BY SUSAN CAIRO STAFF WRITER Venice has four new traffic signs, and you won't find them in any Florida Depart- ment of Motor Vehicle manu- al. "No Engine Brakes" signs were posted about two months ago on either side of Jacaranda Boulevard, near I- 75. Similar signs also were placed on River Road and on U.S. 41. The question is, what do they mean? An officer with the Sara- sota County Sheriffs office, who asked not to be identi- fied, said he has to continual- ly ask the "engine guy" in the department what the signs mean. "I just talked to someone who has been here for 20 years, and he has never heard of it either," the deputy said. Sgt. Tim Goodman of the Sarasota County Department of Transportation suggested a call to a Peterbilt Truck dealer. "They can explain it bet- ter," he said. It seems the signs are there to address noise issues rather than traffic issues. "Sometimes they (engine brakes) are called compres- sion brakes or jake brakes," said Randy Rush, a truck technician at the Peterbuilt Truck Center in Tampa. "When the driver flips a switch, it makes the motor slow down internally. That action causes a lot of engine combustion noise," he said. "The sound resembles a 'bark.'" Rush said cities and states have come up with the signs to stop truckers from slam- ming on the brakes. Unenforceable The signs may be there because of complaints from one person in the neighbor- hood. "Truckers take off from the McDonalds on Commercial Avenue and try to speed through the light," said Dr. Arno Loeffler, a resident at Hidden Lakes Club, off Jacaranda Boulevard South of 1-75. "When they can't make the light, they hit, the brakes." Loeffler lives on a street that borders Jacaranda Boulevard. He said his neigh- bor works from home and the noise was getting to him. "The signs were put up as a warning," said Susan Walsh, 'Sarasota County public works communications manager. "Obviously residents have' been bothered by the loud noise of engine brakes." Walsh said it's unusual to put up this type of signs, and they are in the Venice area on a trial basis. "As yet, they are not enforceable," she said. "We have no ordinance that covers the noise concern from engine brakes," Walsh said. "Hopefully, the signs will help." If the problem persists, Walsh said, the next step is to go before the board of county commissioners on how to proceed. You can e-mail Susan Cairo at scairo@venicegond- lier.com. 1:%4 QCemous/ BROUGHT TO YOU BY: .^ '1 ^^ CaroetsPlus AMERICA'S FLOOR STORE * CARPET TILE * CERAMIC VINYL * LAMINATE & WOOD. " * AREARUGS A "I 2004 Under the Clock Tower 2005 825E. Venice Av. 2 Blocks East of Rt.41 By-Pass WINNER 90 Days Same As Cash No Interest CARPET/TILE/ 8-5M-F.8-1 Sat. 488-1810 LoE to expect the best. Our commitment t, excellence is more than a claImn or a promise. Its reality) is brought to life every day ui the &Jozens ,:t, % % e touch people's lives, at HarborChase Assisted Living. .--(941)484-8801 ---- C RBORCHASE. of Venice ASSISTED LIVING COMMUNITY SKILLED NURSING CARE 1< VA Assistance Welcomed p Venice Needs a Change! Elect 7_ Ernie Zavodnyik for Venice City Council Seat 3 I'll put the concerns of Venice Residents FIRST: Managing growth sensibly Protecting our environment Preserving the small town charm of Venice Endorsed by The Sierra Club, Venice Neighborhood Coalition and Venice Taxpayers League. Vote for Ernie Zavodnyik We'll have someone on the Venice City Council who will listen and fight for us. ErnieZav@yahoo.com Political announcement paid for and approved by Ernie Zavodnyik a r oVenice City Council Seat 3 I Im I MON'TGOMERY'S.1 VENICE GONDOLIER SUN SA ci imnav nrT T) ?nnr, WWW VrNICE60NDOLIER.COM I SUNDAY, OCT. 22, 2006 t A ,rm-rr r- / nrnl'Ci/' Cl Ilki 6A VENICEIL1:ONj'LA.LILfl .).JN PARKING from page 1A SEAT fProm page lA in a free market economy. He estimated that 70 percent of development inquiries never get to city council and that the ones that do take a year or more to work their way through the approval process. He favors a general height limit of four to five stories, preferably with parking underneath. He said he is on the fence about the marina proposed for the airport: He thinks it's needed but is worried about whether it's feasible near the Circus Bridge. He favors annexing Cas- persen Beach: "Then we could develop it the way we want to develop it." Zavodnyik has been a city resident for about three years, moving here from Illinois. A graduate of Notre Dame Law School, his legal career included serving as assistant corporation coun- sel for the city of Chicago; time in private practice; 23 years on the staff of the American Bar Association; and serving as community service officer for the city of Olympia Fields, Ill. Locally he has been involved with the Venice Area Audubon Society, Venice Neighborhoods Coalition and the Notre Dame Club of Greater Sarasota. He serves on the parish council of Epiphany Cathedral. Zavodnyik said Venice should put a halt to major development until current . growth is under control. He said the city has been annex- ing land too fast, but added that annexation can make sense if all infrastructure costs are covered. Any joint planning agree- ment with the county should stress what the two govern- merits have in common, he said. He gives council a "C," faulting the members for allowing too much growth and not explaining their deci- sions. He said it's time for some fresh faces on the board. He rates Black a "B+/A-," calling him very dedicated but saying he's not sure what Black's vision is. Zavodnyik said that the Waterfront towers should be the last ones built on the island, where he thinks the maximum height should be three to four stories. Buildings off the island could be a bit taller, but "not much more than four or five stories," he said. He opposes a marina at the airport. "It's not clear to me why the city would want to go in that direction," he said. He thinks the city should annex Caspersen Beach, and would push to be much more active on environmental mat- ters, especially red tide. He favors mandatory recy- cling, a study of the city's housing needs and term lim- its on city boards. SUN PHOTO BY SUSAN CAIRO Venice Avenue has a two-hour limit on parking. Centennial Park has no restrictions until January, when it will change to a four-hour limit. whether the solution is get- ting a garage for employee parking or having the city designate extra spaces let them decide when they see the numbers," Brown said. Venice City Council previ- ously studied the feasibility of a parking garage downtown. It was determined that the cost would be almost $400,000 and yield only, 51 new spaces. "Nothing more has been discussed recently regarding building a parking garage," said Pam Johnson, public information officer for the city of Venice. "We are aware of some of the problems downtown, and we look for- ward to what the merchants' study shows." To help ensure adequate parking for shoppers, the Venice Police Department is gearing up for its role for the coming season. "We will be strictly enforc- ing parking violations down- town," said Capt. Dave Dunaway of the Venice Police Department. "Normally we estimate the peak season to be Jan. 1 through Easter, and we are instituting four-hour parking limits for Centennial Park in early January," he said. You can e-mail Susan Cairo at scairo@venicegon- dolier.com. DOWNTOWN PARKING LIMITS: Centennial Park four-hour limit (starting January) Venice, Miami, Tampa and Nokomis avenues -1 two- hour limit Venice Center Mall parking .in designated areas only behind building. GREEN frompage IA "We upgraded the quality of items sold to reflect the expensive tastes of new resi- dents," Elliott said. The shop now sells both donated and consignment items, specializing in china, fine linens, good quality fur- niture, books and paintings. "We recently sold a paint- ing for $6.000," Ellion said. "A gendeman brought the paint- ing in and had no idea of its value. He thought it was worth about $150." Part of the volunteers' ser- vice is to research the value of items. A volunteer librarian uses the shop's extensive library of books about an- tiques to research the value of the antiques brought into the shop. "We want to be able to get the most money for both the person bringing in the con- signment item and for The Loveland Center," Elliott said. The consignment com- mission is 55 percent for the owner with 45 percent going to The Loveland Center. After 30 days, items that haven't sold are reduced by 25 per- cent: "Many bargain shoppers keep coming back to check the prices," Elliott said. The Green Butterfly is always in need of volunteers. Susan Graham is the shop's newest volunteer. "It is a very rewarding place because you are able to see the fruits of your labors, quickly as the items are sold," she said. The Green Butterfly is open Monday through Saturday, 9 a.m. to 4 p.m. and Sunday from noon to 3 p.m. For information about vol- unteering, call 485-6223. * You can e-mail Susan Cairo at scairo@venicegon- dolier.com. MORE INFORMATION The Loveland Center, 157 ' South Havana Road, offers education and training, job placement, volunteering, employability skills training and supportive living and job coaching for adults with dis- abilities. It is a nonprofit orga- nization and has been in exis- tence since 1962. Let Gondolier Sun Classifieds work for you. West Florida Chapter Community Associations Institute Presents A Free Program for Condo and Homeowners Associations Owners Forum & Mini Trade Show "Enforcing Rules & Regulations" by Telese McKay, Esq. Registration: 8:00 a.m. Friday, October 27, 2006 at the Venice Community Center You must pre-register by phone or at our website to attend. Phone: 941-927-1910 Website: VERIZON WIRELESS COMMUNICATIONS STORES Open Sundays. Technicians available al select localinos. AUTHORIZED RETAILERS Equipment prices,. models and return policy vary by location. Authorized Retailers may Impose additional equlpment-related charges, including cancellation fees. place" America's Murphy Bed Store" SI. i Turn one room into two or three ) CAPE 0 INSIDE Justwhtlneeded: Fort Myers 4380 Cleveland Ave. 239-278-0900 Naples 5050 Airport Pulling Rd. 239-659-0129 Port Charlotte 18700 Veterans Hwy. 941-235-0000 Sarasota 4708 S. Tamiami Td. 941-925-3050 THE VERIZON WIRELESS STORE Ft. INSIDE . Sarasota BUSINESS CUSTOMERS PLEASE CALL 1.800.VZW.4 B IZ (899.4249) BONITA SPRINGS Cellular Sales Next to City Mattress 239-992-2006 FT. MYERS Cellular Sales 13711 South Tamiami Trl. Unit 6 239-274-5888 The Cnnection 12995 S. Cleveland Ave. 239-274-5888 TV Center 3200 Palm Beach Blvd. 941-337-1500 PORT CHARLOTTE Wireless Zone 2191 TamiamiTr. 941-235-9700 VENICE CV Wireless Venice Village Shoppes at Jacaranda 941-496-4008 tVerizon Wireless not available at all BJ's Wholesale/Membership Clubs. SActivation fee/line: $35 ($25 for secondary Family SharePlan lines w/2-yr. Agreements). IMPORTANT CONSUMER INFORMATION: Subject to Customer Agreement, Calling Plan, rebate form & credit approval. $175 termination fee per line, other charges & restrictions. Offers not available everywhere. See verizonwireless.com/bestnetwork for details. Eligibility to keep number varies. Rebates take up to 6 weeks. Limited-time S"S ,, offers. @2006 Verizon Wireless. FREE ] SHIPPING Aftimm, I I VI VENICE GONDOLIER SUN 7A A.! .483-3 Help-U-Sell Real . Each Office Indej re vtdoor s O, ned and Op ,.$75,000 .- BARGINSUEL LetUs ho 1 $ 2 8 7 ,0 0 0 1 2900- SUERVEETIN IS ALEr iii : eel ~i' e e BUER IWU IYSO a U 4if! $39,00- ENCEPAM pill lly; I, AMI, U 1533 %%A rER1ORD DU.l. U Nil 0. ERF4i- F, loo F i I4,J- i4 4l,,4 44 I-I h .J 1?'4 .11. l .I 14,,,,,. 444 ...I, ........ .....444 I lip.. oh ..-I ,4' 44 i4 1341 14''LRF I? %r' DR.- Pl-114 I( N P( )IN I- E .-(L O INI RN I U ... F jI f 1 . F-I I(,.2l) N,,I ...I % ,.1'10 )-RI % 3; [NNN..,LDR.,%. I FL IC % IN I IiGMI_ -E I ~ I F 24') RIO TERR \. \ NICL s11h 1-OR \L I. '1KE DR.. \ [1 B :.l I |:,l :*: ,: l 1., .. 1i I.-, .1, I .: ,,. . iF i i -,Nr i l f i E -i L F -... i_ .IT [ I. _1' U P ' Courtyard style home in gated community featur- Immaculate, Arthur Rutenberg Key Largo model ing 3 bedrooms, 3 baths Separate private guest ,,.,,,,: : I.. : I- 11and lovely pool! quarters. Loads of upgrades in almost new 2004 i ,,,,..hi.. .i ii,,,. whole house sound home and only blocks to Gulf beaches, shops, evtem central vacuum, home warranty, Roman rtrtI.e-.t-erta...en,, mo teM,4I4 C4 TODAY' 0AV 411'.11 \\NFTIF1 4 I.. INL)IINP) l I:I DR.. N-ION-MIS. Lakefront, large family home in gated Nokomis den, 4 bath home Key West style. Short walk Oaks community. Almost 3200 sq. ft. with great -.. beach, marina, park, boat ramp, restaurants room style and super pool overlooking the lake. i.1 more! 1/2 acre lot. THE BEASLEYS Tni.nl1 ...n...l.,at, d ,nl' lo hol.h loft Spp i Inrlnv SAVED I36.55 0. M201)IONM)T 'R[ET. \F NI: ._' ,l.._-, l .. I L. -.N ,I-,: '. E N i,: Exceptional 2 story home built in 2003. Walk to Gul beaches. Wonderful 3 bedroom, 2 bath built with all the upgrades loads of tile. columns, gourmet kitchen. traV ceilings and more. Call to See Today! restaurants, entertainment & C more; ",, ..-j. : u-, /. tu cu z .i b, tc et'ci. L .J : .utaullj uy uato, iHrempi ...m.no u. t .>. ^ .......... ....... t ....... .. Paying Hefty Commissions SELL YOUR HOME FOR $2950 LLuxury homes, lots price may vary SLee* Savings based on 6% commission. Commissions are negotiable. I C 4 '-nAV rT 'M.4n.r IAIIIIAJ I im ireniunn lfI IR-r(m SOL AND AVEI$202 I $34,00 SUNDAY, OCT. 22,2006 41VA-f I; I yblj I I %w-_. 1) -4 wa.-I ICE w wimc I V;'V m Eli c PUBLISHER ROBERT A. VEDDER PHONE: (941) 207-1000 8A SUNDAY OCT. 22,2006 Venice Gondolier Sun OPINION EDITOR tBOB MUDGE PHONE: (941) 207-1101 FAX: (941) 484-8460 bmudge@venicegondolier.com OUR VIEW Simmonds gets council nod on experience Sne of the great things about Venice is related-to one of its problems. We are blessed with hundreds of peo- ple who moved here to enjoy retirement, part of which is giving their time to make their new home an even better place to live. For some that includes running for city council. That's the silver lining. The cloud is that those hundreds are just a portion of the thou- sands who have moved here over the last few years, .all of them needing city services and putting a strain on overburdened city roads. The two candidates for Venice City Council Seat 3 are retirees who have differing philosophies on what to do about all the peo- ple who want to join them here. John Simmonds, the incumbent, is com- pleting his first elected term; he also served by appointment in 2000. In addition, he has been a member of the charter review com- mittee, the airport advisory board and the police pension board. A native of Bradenton and a city property owner for 29 years, he has seen Venice under- go tremendous changes in his 83 years. ErnieZavodnyik, 68, is making his first runfor council, though he was an unsuccessful candi- date for Florida House District 70 earlier this year. Zavodnyik has lived in the city for about three years. He has been active as a volunteer but has not served on any city boards. He has seen quite a bit of change in his time here, too. A lot of issues are facing the city over the short and long term: the airport business park and marina, the environment, height limits. But the big one the one that drives or drags most of the others along is growth. Simmonds recognizes that growth can't be allowed to go uncontrolled, but he is sme- what more comfortable with, the pace at which it has occurred than we are. He said he's optimistic the joint planning agreement being negotiated between the city and the county will bring some clarity to what many perceive as reactive rather than planned growth, especially in "North Venice." He does not see the need for stronger lim- itations, however. He said he is worried about the side effects they might have and correctly pointed out, "Growth is all of us." We've cer- tainly never heard a prospective new resident suggest the door should be shut in front of him. Zavodnyik thinks it's time for sterner mea- sures, even to the extent of halting major new development until current projects can be assimilated. That sounds like the "M" word - moratorium, which we think would be going too far. But he thinks the city needs a master plan so that all growth within its boundaries is integrated. That's not the same as a comprehensive plan, and it's something we seem to be missing. We think Zavodnyik is also right ,that council often seems not to take a very close look at new projects. Simmonds said he can't recall voting against an annexation, though he attributed that to city staff's ability to derail bad projects and beat acceptable ones into approvable shape. True to some extent, no doubt, but we think a higher level of council scrutiny is war- ranted. City Attorney Bob Anderson is confi- dent the city can say "No" without repercus- sions as long as it articulates a good reason. On other topics Simmonds and Zavodnyik aren't very far apart: They think the city and county zoning districts should line up better; would cap building heights generally at about four stories; and support annexing Caspersen Beach. Our views on growth are somewhere between theirs, and we think both are capa- ble of serving the city well. If we were making a decision purely of growth issues, we'd lean to Zavodnyik. But Simmonds gets our endorsement because of his much greater familiarity with city matters. Zavodnyik was in the dark on too many things a city council candidate ought to know, and he was long on issues but short on solutions: We recommend John Simmonds for Venice City Council Seat 3. A rare kind of politician BOB VEDDER FIlIRU^ rf .nil, iLl.'I ,I*nIh ,,.,,, ,1 I Jeb Bush is so different from his brother he really has a likable personality. Last weekend Jeb addressed a meeting of pub- lishers from around the Southeast. He exhibited the traits that have made him such a popular governor, traits we rarely see in politi- cians. That doesn't mean I have agreed with all his positions, but it is refreshing to have someone who means what he says and does what he says he is going to do while making you understand why he did it. He has been quite open, invites communication and has not been afraid to boldly move the state on some big issues. One area that he has han- dled exceptionally well was the disasters created by the hurricanes. Even his oppo- nents have complimented him on the job he has done. The preparation prior to hur- ricanes has been good, as well as his follow-up, being on site not just once but a lot of times. I know he has been in Charlotte County often. He has responded to needs and got things done. He talked about the strides made in education, about stopping social promotion by not letting kids go on beyond third grade. The percentage of kids not passing the FCAT has decreased greatly as empha- sis has been placed on getting all students' proficiency to a higher level. He was proud of the fact there were improvements in graduation rate, from 64 per- cent to 72 percent. He feels that standardized testing has advanced the learning level of the students and made administrators accountable. It has been controversial but it has worked. It is not where it needs to be, but it's a good start. He talked about the newest change, which is to require that a student declare a major, with hundreds to chose from. All of this is part of trying to get kids thinking of the future, get them engaged. This all an attempt to further improve the gradu- ation rates. It was refreshing to hear a politician talk about how .some things were not as good as he wanted. He said the state had an audit taken of the education system and there were many areas, that needed improve- ment. The one he felt was most important and needed the most attention was stan- dards. ; While the students are improving to the Florida stan- dard, that standard is just not high enough. We need to raise the bar. He commented that our science measures weren't specific enough and the math and social studies weren't demanding enough. His humor and relaxed manner are in such contrast to his brother. One of the questions he took from the audience was from a person who asked him * about his sister's book, which pointed out he had not intro- duced his wife to his mother until the day before the wed- ding. Jeb commented in a refreshing way that he has made a lot of mistakes along -the way, but that was one of the biggest bonehead things he had ever done. He didn't talk about his use of the line-item veto but I think he has really shown how good that can be at removing' pork or waste from govern- ment. He has eliminated hundreds of millions of pet projects from the budget each year. He has made a lot of leg- islators mad by cutting things, but also gained respect by doing it He doesn't want to leave office without doing more to ease the pain of insurance costs. He is planning a special session next month if Lt. Gov. Toni Jennings has finished her work going around the state getting thoughts on how to improve the system. They don't want to have a session if it doesn't look like something will get accom- plished. He is shooting for the second week of November. I think we all have a politi- cian or two that we really have liked. It might be John Kennedy, maybe Ronald Reagan. On a more statewide level maybe it would be Bob Graham. For me, Jeb Bush is in this category. Bumper sticker: If money is the root of all evil, why do churches beg for it? RobertA. Vedder writes a weekly column in this news- paper. SCopyrighted F Syndicated C( Available from Commercial ,,m '6 e. Material )ntent News Providers" w. p Obituaries are a hobby for Americans Editor: The No. 1 hobby in this country isn't fishing or playing golf, it's genealogy, and the obituaries in this newspaper are an insult to everyone who has the misfortune to die here and receive a "fill in the blank" obituary. Apparently the main accomplishment in their life was that they moved to Venice. The subheading for donations and the advertisement of the funeral home takes up more space than any achievements and life facts of the dearly departed. If the husband predeceased the wife he is never mentioned. This gives the impression that the woman is survived by a bunch of bastard children. If the woman has a brother men- tioned, perhaps his last name is her maiden name unless, of course, he was a stepbrother. Then there is the puzzle of why her sons all have different last names. This newspaper claims it isn't responsible for what is print- ed in the obituaries that it is the funeral homes that do the actual writing. Every funeral home receives a copy of the death certificate. Every death certificate lists the father and mother of the deceased with the maiden name of the mother in addition to the deceased's place and date of birth. Only the date and place of birth is put into the obituaries in this newspaper. A genealogist searchingtfor family to complete a family tree cannot find out where an ancestor died or is buried, or even if he is he correct ancestor without the name of the parents and the maiden name of the woman. Fifty years from now your ancestors will not be able to link you to their family tree. Thankyou, Jim Shea of Englewood, for bringing this out into the open. Let's hear from more readers about their thoughts on the obituaries that appear in this newspaper. Elaine Schwartz Venice EDITOR'S NOTE: Our free obituaries are intended to provide notice of deaths and information about funeral services and memorial donations. Including all available biographital information for each person would take up considerably more room, especially during the season, forcing us to join the many newspaper around the country that charge for all obitu- aries. Dysfunctional families are hurting society Editor: People are paranoid. It goes from fear of flying, going out of your house, staying in your house, afraid to drive, afraid to go to school, and it goes on and on. People are in this constant fear about this, fear about that, instead of being aware. As they say, it often takes awhile for art to imitate life, but if the reality of real life cir- cumstances creates paranoid people it is terribly unhealthy. Perhaps some people have had a sheltered life, which is unhealthy as they will be ill equipped to deal with the real world when they grow up, if they ever do grow up. Adult children from dys- functional families have been a crisis in this nation, as a sick family creates a sick society. Unless there is separation from family when you are an adult, the unfortunate cycle will continue to manifest itself. Most sexual predators were victimized, themselves, and it usually starts at a very early age. Even if you never print this, I can only hope that your staff somehow utilize your media to educate fami- lies on how the cycle is bro- ken. I see so much of it within the community. It is hard to just stand by and allow it to continue as it enters into the fourth generation. Thanks for your great cov- erage in th community. I believe one person can make a difference in a lot of people's live Helene A. Gomulka Englewood Act now or get Pelosi Editor: As a life-long registered Republican, 'thi; Foley thing just makes me sick. However, I do not want to see the Democrats regain control of either body of Congress. In my opinion, their 'stand on the war on ter- ror is very weak. The far left wing of the party is very pow- erful and is very well funded and behind all these antiwar protests; But in the wake of the Foley scandal, I do believe that House Speaker Hastert should resign. The House Republicans are bullheaded and don't want to shake up an already shaky house leader- ship. They should do the right thing and let House Majority Leader John Boehner take over. At least this will 'show new leadership in a very tight mid-term election year. Or let the voters do it for them. Come January, when the 110th Congress begins, welcome Speaker Nancy Pelosi. God help us. Tim Jarrett Englewood With conservativeslike these, who needs liberals? Editor: Recently a columnist re- ferred to "the conservative group" in Washington who are running things. Either he was ignoring the facts or he was trying to distort conserv- ative principles. Many people, at all levels, call themselves conservatives, but act and vote like liberals. In this time of more spending, more waste, more taxes, more wars, more government, Pleasesee LETTERS, 9A aumi1ifl UY .Lit 2 06WW .EIEGNOIR.O EIC ODLIRSN9 LET 'EMHAVEIT! .- - 2 , , I .' Venice will be part of solution You can't have it both ways Goosey gander. If the school board doesn't like what Tallahassee tells them to do, then why should the local schools be happy with what the Landings is trying to tell them? If it's good for one, its good for the other. If local control is not what the school board is promoting with Tallahhssee, then they shouldn't be promoting it at the school levels. Taxed. Reading Mary Kay Ruppel's column remarking that Vern Buchanan has such creative tax tricks that he's outsmarted the IRS and does- n't have to pay as much taxes as everyone else, I'm wonder- ing if she's .thought about the fact that because he's not pay- ing some of his taxes, that we're all paying more to sup- port his creative tax tricks. .Bravo. To the person who wrote, "Stop airing dirty laun- dry": I enjoy the important information provided by the Venice Gondolier Sun's South County Record. This person needs to take note that not everyone owns. a computer to gain access to this useful information. I would further more like to tip my hat of the brave photo, that was pub- lished on the front page of the Gondolier Sun's issue regard- ing the death of our beautiful sea life due to red tide. Other papers hide this information inside the paper, not on the front page. Since we are not allowed to make comments regardinglindividual political candidates, I have not seen any candidates of any race address this serious problem of red tide that will eventually kill all of us too. I went snokel- ing during the start of red tide and was only aware of a lot of seaweed. There was no men- tion of red tide in the paper at that time. I ended up with bloody sores in each of my nostils that had to be treated by a doctor. This might be a good topic to, add to the South County Record -, dirty air, from the red tide Nu'meou. - people I speak to, young and old alike, are having respira- tory problems, vertigo, severe sinus problems, etc. They should write about the health issues caused by the red tide. By the way, I am from a pub- lishing background and I think your paper is great. The photos and clarity that you have acquired in the past few years has very much improved, and I appreciate it. Bravo to the Gondolier Sun. Upside down? I had to make a comment on the award-winning picture of a ringtail by Larry Allen, Fresh Air columnist. Surely it should be positioned vertically instead of horizontally. It's a fascinating little animal and you should reprint its picture right-side up. At least I think it's wrong-side up. Puzzling. Why can't the TV magazine have more than one Sudoku instead of three crossword puzzles? Sad. To answer your ques- tion are lower gas prices relat- ed to the upcoming election? Of course they are. It's hap- penedinthe past and it's hap- pening now. Vern sad situa- tion. Bottom up. Perhaps the problem with our school sys- tem is that bureaucrats and business leaders are tuning to tell us how the system should be run. Perhaps vwe should start listening to those who are educated in the field of Shocked. I am calling about our main post office on Venice Avenue. I went there on Oct. 3 and what a shock to see the area in the front. The flower beds and plantings have terri- ble weeds everywhere. Now this is our main road in Venice. Where are your yard people? How come the mayor and council members don't com- plain? Do you only do it when the rich snowbirds come? Please, someone clean up our main post office area. Disturbed. I find it deeply disturbing that my insurance rates have increased and my insurance company has told me that they will be canceling us in December. Maybe Congress should investigate the insurance industry and the insurance lobby as to why insurance rates are going up when a hurricane hasn't hit here in many, many years. education our teachers, would like to participate, cal our principals and see the line at 207-1111. Please what theysay we should do to keep your comments brief; improve, our schools. Let's do they are subject to editing. some bottom-up instead of The line is available all hours top-dtvn. Tnop;4o,uAn uer..J__Calle.,enyfication is not works in die long run. required. j MARTY BLACK As Venice and North Port begin joint planning.negotia- tions with Sarasota County, it's clear that representatives participating actively at the meetings are committed to a successful outcome. Each agency has begun responses to the first draft of terms as prepared by the mutually selected facilitator. It's also clear that there is a general perception in the community that most, if not all, the growth and develop- ment since 2000 has occurred primarily in Venice and North Port. We offer the following information to help clarify that perception so people understand why Venice is concerned about impacts of county approvals upon municipal facilities and ser- vices. The 2000 United States census set a baseline of the actual population within the unincorporated areas under the development approval authority of the board of county commissioners and set similar population counts within the areas under city jurisdiction. In 2000, the total Sarasota County population of all indi- %iduals living in cities and in the unincorporatedi/county was just about 326,000 indi- viduals. Approximately 228,000 about 70 percent lived in areas where devel- opment decisions were made by ,the board of county comr -"hiksig~.ers. The population of Venice in 2000 was 17,864, or approximately 5.5 percent of the total county population. As reported by the Florida Bureau of Economic and Business Research, from 2000 to 2006 the total population of all areas in Sarasota County has grown by an additional 53,000 people, The board of county, commissioners ap- proved development that has accounted for more than 22,000 of these new individu- als. Venice in the same period approved development ac- commodating 3,700 new resi- dents. The Florida Housing Data Clearinghouse projects an additional 66,000 new homes will be needed by 2025 in Sarasota County (approxi- mately another 135,000 peo- ple). As we move forward, it is important to engage the com- munity in a discussion as. to first if, and then where and under what design parame- ters, it is appropriate to accommodate this growth. Venice is committed to a joint planning agreement that provides the entire communi- L: I I bR fiornopage more regulation and more promises and talking, no one can call it conservative. Common sense and hon- esty are lost in governments that are out of our control. John W. Lewis Venice *HATES GROWTH oi LOVES VENICE Y *WORKSFORYOuk l A ty with a sound set of princi- ples to guarantee a sustain- able quality of life and we wel- come the opportunity to use this process as a means to set a positive tone for moving ahead with a broader future discussion of community growth and development practices. Marty Black is the Venice city manager and a certified land use planner MedWise Patient Assistance Pregramn Yo can help! w I Seio i.ie Sino Take advantage of Fifth Third's great rate on Your Terms! Fifth Third Certificate of Deposit For a limited time only, we're offering a CD with this great rate and the flexibility to select your own term. Stop in today and take advantage of this great rate offer while it lasts. SCALL 1-877-579-5353 | VISIT E Fifth Third Bank Working Hard To Be The Only Bank You'll Ever Needa *Annual Percentage Yield (APY) accurate as of 10/22/06. $500 minimum required balance. Penalty for early withdrawal. Club 53 Account bonus not applicable. Offer may be withdrawn at any time. Fifth Third reserves the right to refuse any deposit. Not available for commercial and non-profit accounts. Fifth Third and Fifth Third Bank SHP -are registered service marks of Fifth Third Bancorp. Member FDIC. 1. 1. VENICE GONDOLIER SUN 9A SUNDAY, OCT. 22,2006 I I OBITUARIES 1 OA VENICE GONDOLIER SUN SUNDAY,pCT. 22,2006 Gerald BoVee Gerald "Jerry" Bovee of Sarasota died Wednesday, Oct. 18, 2006. He was 53. He was born April 17, 1953, in Lansing, Mich., and moved to Venice in 1974 from there. He was a cement finisher. Survivors include his mother and stepfather, Jean and Red May of Venice; and three sisters, Kathryn Abood and Janette, both of North Port, and Laura Justice of New Philadelphia, Ohio. Services: There are no services planned at this time. Ewing Funeral Home is in charge of arrangements. Judith A. Francese Judith A. Francese of Nokomis died Thursday, Oct., 19, 2006. She was 51. She was born Oct. 11, 1955, in South Amboy, N.J., and moved to Venice in 1991 from Spotswood, N.J. She was a receptionist and of the Catholic faith. Survivors include her fiance, Joseph T. Messmer of Nokomis; a son, Jared of Venice; a daughter, Courtney of Venice; a sister, Donna Mills ofVenice; a brother, Jack Anderson of Venice; her par- ents, John and Ruth Anderson of Venice; a niece and a nephew. Services: A gathering will be held on Monday, Oct. 23, from 5 to 6 p.m. with a prayer service to follow, at Ewing Funeral Home. Interment will be in Epiphany Memorial Gardens. Contributions: Memorial dona- tions may be made to the American Cancer Society, South Sarasota/DeSoto Unit, 2801 Fruitville Road, Suite 250, Sarasota 34237. Joseph C. Mangini Joseph C. Mangini of Venice died Friday, Oct. 20, 2006. He was 59. He Was born Nov. 24, 1946, in Jersey City, N.J.,and moved to the area in 1996 from the Florida Keys. He had a bache- lor's degree from Montclair State College and was a real estate broker. He was active in senior softball. Survivors include his wife, Elda; two sons, Joseph of Venice and Matthew of Utah; a brother, Glenn of Raritan, N.J.; and two grandchildren. Services: No services are planned. Wiegand Brothers Funeral Home is in charge of arrangements. Lillian Simendinger Lillian Simendinger of Venice died Friday, Oct. 20, 2006. She was 97. She was born March 9, 1909, in Millvale,. Pa., and moved to the area in 2003 from Avalon, Pa. She was retired from Williams & Co. in Pittsburgh, Pa. Survivors include a daugh- ter, Ruth Kloppenburg of Venice; two grandchildren; and three great-grandchildren. Services and burial will be in Pittsburgh. . Contributions: Memorial dona- tions may be made to TideWell Hospice and Palliative Care, i 5955 Rand Blvd., Sarasota,, 34238. ID tet comes in man frms 01Of* '' ; * KEN KLEINLEIN CRIME SCENE COLUMNIST' Identity theft is not going to go away anytime soon. There are new technolo- gies being used to steal from potential victims almost daily. This column will address some of newer ones you may not have heard about. I received an e-mail from former N.YED. Lt. John Kelly. In it he states, "Just got my MasterCard bill and spotted a charge of $91.25 by a compa- ny named Global-Smo- king.net, based in the Ukraine. The charge was by Internet purchase while I was vacationing in Alaska. A com- puter search revealed several references to the Web site and that it was listed as a hoax company." Thoroughly check your credit card statements and investigate any items that you do not recognize or appear suspicious. Earlier this month my wife, Kathy, received an e-mail from Fairwinds Credit Union that read: "Dear Fairwinds CU cus- tomer: . "This e-mail confirms that you have paid LWP Elec-, tronics $2099.50 using your Fairwinds CU Debit Card. This credit card transaction will appear on your bill as Best Buy LWP Electronics for a Sony PC notebook: Total price with shipping $2119.50." "If you have not autho- rized this charge, click on the link below to cancel the pay- ment and get a full refund." When the link is clicked a page appears asking for very sensitive financial and per- sonal information. Kathy does not have an account with Fairwinds Credit Union nor has she ever heard of them. - 'It appears that-a4ery legit-" imate looking e-mail forgery, is being sent out to trick peo- ple into disclosing informa- tion that coufd be used in future identity theft larcenies. Be very .careful what you respond to.. Medical identity theft is, on the rise. After obtaining an individual's personal and financial information, scam artists who are in need of medical treatment but do not have insurance assume the victim's identity to receive the treatments they require. When the bill finally come due, the con artist is long gone and the victim is dunned for the costs, This type of fraud victim- izes more than 250,000 Americans annually. AARP says, "People 50 and older are at the greatest risk because .they usually have govern- ment-issued insurance such as Medicare or Medicaid. Those systems are large and automated and they usually do not issue medical insur- ance fraud alerts." The Charlotte County Sheriff's Office reports that a male resident of Charlotte County received a bill for $704.00 from a collection agency regarding a Verizon North account. The victim, who has never POLICE BEAT Venice Police Department arrests James L. Hancock, 45, 100 block Magnolia Ave., Nokomis. Charge: disorderly intoxication. Bond: $120. Matt Palmer, 38, 200 block Mount Vernon Drive, Venice. Charges: possession of cannabis more than 20 grams, DUI. Bond: $1,500. James P Veigel, 31, 200 block Greencove Road, Venice. Charge: battery. Bond: $750. Sarasota County Sheriff's Office arrests Patrick J. Rosamond, 32, 200 block South McCall Road, Englewood. Charge: lewd and lascivious exhibition by a per- son over 18 years old. Bond: $2,500. Adam J. Abelson, 27, 100 block Kenwood Ave., Nokomis. Charges: contempt Ad eris i possession of marijuana less than 20 grams, no motor vehicle registration, attaching license plate not assigned. Bond: $15,000. Eddie R. Walker, 43, 800 block W Harvard St., \Englewood. Charge: writ of ily attachment. Bond: $40,468. Raymond E.' Eusden, 34, 1500 block Highlands St., Nokomis. Charges: posses- sion of a controlled sub- stance, obstructing or oppos- ing an officer with violence, possession of drug parapher- nalia. Bond: $1,870. GULF PINES MEMORIAL PARK ) LEMON BAY FUNERAL HOMES & CREMATION SERVICES . Is Offering for the First Time IS CREMATION FOR ME? "The Thoughtful Planning Seminar" Limited Seating to First 20 Callers ) When: Friday October 27,-2006 -1:30- 1:00 p.m. Where: Stephanos Hurry Call Today Seminars fill Quickly lived in Michigan, was ty 'on informed that someone in accreditE that state used his Social nation 'Security number to open an Cond account and run up a bill. The of Lake case is under investigation. Daniels, How can we combat this paricipE type of criminal behavior? benefit For reasonable annual fee, Sheriff's Equifax Credit Watch offers a will be s credit monitoring service thelawe from all three credit reporting nity. agencies that will alert you via Anoth e-mail to changes in your enforcer credit file within 24 hours of outstani being posted to their data officer a bases. You will also receive the Na $20,000 of identity theft Police I insurance and access to fraud away su specialists 24/7; one free Mike's d three-in-one credit report model, and unlimited access to your the Nass Equifax Credit Report. friend oi If you want more informa- They tion, contact Equifax at (877) number 474-8273; e-mail gold.Credit-. opened, Watch@equifax.com; or write to Equifax Consumer Services Inc., PO. Box 105496, Atlanta, GA 30348. , Happy retirement to Lt. I Bob Brongel of the Sarasota County Sheriffs Office after many years of distinguished .' . and dedicated service to the citizens of our county. Bob is arguably the leading authori- law enforcement atiori in Florida and ide. Big shoes to fill! olences to the family County Sheriff Chris who was killed while acting in a bus race ng the Florida Youth Ranches. He orely missed by all in enforcement commu- her sad loss for law ment: Mike Archer, an ding former police and paramedic with ssau County, N.Y., Department, passed iddenly this month. dad, George, his role was an inspector in ;au County PD and a mine. came to Florida a of years ago and the successful Economy Pool Service 'in Venice, which his wife, Yvonne, and brother Andy now operate. i Mike is survived by his wife, three daughters, five brothers and one sister. Take care, be careful and I'll see you at the next Crime Scene. . Ken Kleinlein, a former detective with the N.Y.PD., Special Frauds Squad, works as a frauds and crime consul- tant with the Sarasoit and Charlotte County sheriff's offices, along with locil, state, and federal law enforcement. Let Gondolier Sun Classifieds work for you. . GRADY HUIE Attorney At Law . J. V- '1oint,'..86009 '- Living rusts J o, n 50 SSingle ...$500. Simple Will ...............$75 Vi Probate & No Consultation Incapacity Fee ' 143 East Miami Ave. *Venice, FL 34285 488-8551 Hiring an attorney is an important decision thatshould not be based upon advertisements alone. Before you decide ask for our free information package including attorney qualification experience & fees, i Been Told You Need Back Surgery? J~yii^^rn IT iujlu7^'Fimui7 Non Surgical Solutions of Venice 941.408.8100 *It Is our office policy that the patient and any other person responsible for payment has a right to refuse to pay cancel payment or be reimbursed for payme for any other service, examination, or treatment that Is performed as a result of and within 72 hours of responding to the advertisement for the free, dscouned fee, or reduced fee service, examination, or treatment. ,; ,* ,' i .' Ofering cremation and offernLn7 1-li-boUSC cremation are t o entirely diffe rent options. \Vhen other funeral homes Sauithey offer cremation, they use other facilities, other firms, sometimes far away. S\Ve, on the other hand, do nor. Your ; loved one remains in our care vith our V'. -, firm and our compassionate staff. Our in-house crematory is just one way we show that closeness counts. LEMON BAY FUNERAL HOMES and Cremation Servt i e 2 Buchan Landing ,- I'35 TamruamiTraiJ 5. Englew- ('Sd I ) (941) 474-5575 (941) 493-4900 i corn COxl APr.,rV '-'ASSIFIED. .-. Iivenice Gondolier Sun To Advertise call 207-1200 I SARASOTA COUNTY BRIEFS Early voting starts on Monday SOE offices in Sarasota (Terrace Building, 2001 Adams Lane), Venice (Robert L. Anderson Administration Building, 4000 South Tamiami Trail), and North Port, (Biscayne Plaza, 13640 Tamiami Trail); the North County Library (2801 Newtown Blvd.), Fnruitville Library (100 Coburn Road), Gulf Gate Library (71. Public meeting on Osprey library Sarasota County officials will seek opinions and ideas from the public about the design and construction of the planned public library to be located in Osprey. The public input session will be held from 5:30-7:30 p.m. on Monday, Oct. 23, in the Pine View School Auditorium, 1 Python Path, Osprey. Currently in the prelimi- nary design phase, the library will be part of the larger Bay Street Village & Town Center project at U.S. 41 and Bay Street. The approximately 25,000-square-foot library will be east of U.S. 41 and will front on Bay Street. The preliminary plan calls for ground-level parking with the library occupying the sec- ond and third floors. The Sarasota County Commission has endorsed a proposal for a "green," or landscaped, roof on the building. Crossgate Partners, the developer of the commercial portion of the Bay Street Village & Town Center, will have input into the final design of the project. County staff and the library design team, consist- ing of the architectural design firms of ADP Group and Harvard Jolly Inc., will offer a short presentation about the project and be available to receive comments and answer questions. For more information about the construction pro- ject, call the Sarasota County Call Center at 861-5000 and ask for the Public Works Facilities Services office. South Venice cleanup is Oct. 28 It's time to empty the clos- ets and garage, clean off the lanai and gather up the stray brush that hasn't made it down to the curb for pick- up. Sarasota County will hold its annual community clean- up from 8 a.m. to 3 p.m. on Saturday, Oct. 28, in South Venice. Dumpsters will be provided by Waste Man- agement and available at three locations to receive materials from residents: 720 Alligator Road (South Venice Community Center) 2000 block of Lemon Bay Drive (Ferry Landing) Seaboard Avenue (be- tween Grove Road and Orange Road) Residents can dispose of most appliances, household items, scrap materials, un- bundled yard waste and other materials during this free event. Paint, pesticides, auto parts, televisions, computers and other hazardous materi- als cannot be accepted. County employees will be available at each site to offer assistance. For more information, call the Sarasota County Call Center at 861-5000 and ask about the South Venice com- munity cleanup. Landfill tours are back Free public tours of Sarasota County's landfill and its hazardous waste and recy- cling plants were so popular earlier this year that 22 addi- tional tours have been sched- uled in October, November and December. To accommodate demand, tours will be offered on Monday and Tuesday from 8:30 a.m.-12:15 p.m. on the' following dates: Oct. 23, 24, 30 and 31 Nov. 6, 7, 13, 14, 20, 21, facili- ties and traffic entering and leaving the grounds. Guests should also be pre- pared for loud noises and an industrial environment.Waste. Suarez named director of emergency services Mike Suarez, who has served as interim director of Sarasota County Emergency Services since April, has been named director of emergency services, effective immediate- ly. Suarez has been with the fire service since 1982, includ- ing service as assistant fire chief. He was recognized as Firefighter of the Year in 2005 by the Kiwanis Club of Sarasota and in 2001 received the Freedom Award for Public Service by the NAACP in Sarasota. Suarez holds a bachelor's degree in business manage- ment and public safety and an associate degree in fire sci- ence technology. Due to technical problems, the mortgage and CD rate tables were unavailable at press time. Create your own web page ,or FREE! We shOW you how. Shotoenmoing *Yoeurceifeg HypTnosisT* Workstf^ Stop Smoking Reduce Weight Control: Stress Anxiety Fears Phobias Insomnia Call Venice 492-41 14 BILL . BAUERS, C.H. This meeting will be broadcast on Comcast Channel 21 re -Wednesday, October 25, and Saturday, October 28.. 2906, at 9:30 a.m. For further information, log on to. I SWEARING IN Fire Chief John Reed Ig. BOARD REAPPOINTMENT Fire Pension Board of Trustees R. Sanford Fogelson to Serve a Term from September 30, 2006 to September 30, 2008 III. NEW BUSINESS A. PRESENTATIONS 1. Alfred Guerrero, Johnson Controls, Inc.: Performance Contracting Solutions (10 min.) 2. Jason Weaver, Chair, and Don Hay, Advisor, Young Professionals Group: Design of Tramonto Vista Park (10 min.) B. RESOLUTIONS / 1. Resolution No. 2006-23, Turnover of Water and Sewer Utilities, Magnolia Park Condominiums, Albee Farm Road and Happy's Landing ' C. COUNCIL ACTION 1. Developer's Completion and Payment Bond for Shoppes of Laurel Square, Laurel Interchange Business Center, Submitted by Ruben- Holland Development, LLC IV. PUBLIC HEARING 1. 2:30 P.M. Amending Chapter 62, Streets, Sidewalks, and Other Public Places and Chapter 86, Land Development Code, 06-2AM V. UNFINISHED BUSINESS ORDINANCES FINAL READING AND PUBLIC HEARING 1. 3:00 P.M. Ordinance No. 2006-47, Rezoning 1.3 Acres, Metes & Bounds, Venice Eastside Condominiums, 550 Substation Road, from RMF-1 (Residential, Multiple Family) to RMF-3 (Residential, Multiple- Family), 06-2RZ VI. ADMINISTRATIVE REPORTS A. City Clerk !"Cancellation of December 26, 2006 City Council Meeting B. City Manager ,. ITEM 1 Professional Engineering Services, Updating the Water Master Plan, $135,000 ITEM 2 Professional Surveying Work as Outlined in the Scope of Services for 2007 Road,Improvement Paving Project, $34,800 ITEM 3 Waive Competitive Bidding for DEP Consent Order Project and Utilize Airport Contractor, APAC, $90,000 ITEM 4 City of Venice Flexible Spending Plan ITEM 5 "Consent to Easement" from USACOE and Payment of $300 Administrative Fee ITEM 6- Construction of Venetian Waterway Park Segment 7A-1, Frederick Derr & Company, $255,651.90 UPCOMING MEETINGS Architectural Review Board: October 26 at 9:00 a.m. Municipal Code Enforcement Board: November 2 at 9:00 a.m. Planning Commission: November 7 at 1:30 p.m. Airport Advisory Board: November 8 at 2:00 p.m. Architectural Review Board: November 9 at 9:00 a.m. Board Vacancies: The City of Venice is looking for a city resident volunteer to serve on the Construction Board Adjustments and Appeals. 263043 Quality I'sed Furniture Antiques Collectibles & Gifts Florida's Largest 60,000 sq. ft. Booth Space Arialable 941-474-9776 N* londay Ihru Saturday 9-6_; Sundays 10-5 I *'^ i" )' ,lS --P' T -r 4 I "P' , ^ -ft -' , A*H -I PTE I N Lenu.'tI Good Neighbor. GREAT RATES. \ SiNGC, 'C,-jlNTS MONFY MlPKFT ,-LOUNT,.. r ni... l. *.4.9"4 |.-,,". P *. ,u.,iI ".. \P.. . ' ;t ; 111111 ..: $2 9' "" O .. f'5 AP iiii " "' I ",, \P' " ....... , ; 11 ," 4 i ",. \P' i Sr, ,,..... CER TiFiC AlTES 1OF DFPOSIT ll fl.4 4.-rr, p . '* 'ar 5.15-. \P' ear 5.. 1 Kr 5.35 \P\ 'I ?. Stanley Dean CLU CPCU -, I,....a. cBank. ^ ': ^,h, ,^, ^ ;,:,,,i, ,1 .,.,i , .l .'. ,1. Lii -. .... O D ri fitH B ... .. . .. . .... " NIay 15. 2006 %as the Medicare Part D ' enrollment dale. Did ',,:i,, nis it /it -" ill not be able [.:i ericl again unn' ' No'.ember 15. 2i:)h & ',ou Ill p. Ja, penal:, / f.r 'e dela,,. Don 'I be concerned! There iM I a program ijt otters ,,ou a R-- Pre cnpti.'n Drug Card ihj[ ia jb.olutel. FREE I FREE Rx PRESCRIPTION CARD OFFERS: 1- l .' J,-r-:.,4 SL '.' : Call loda% & recvitc infl'rmalion on hovw In j. e " [a\eson vou current in'estmenLs & 'aini! ;. Be one of the first to open an account with us and enter a drawing for a $500 CD!* Minimum of $100 required for a new account. Visit our new branch for details. *Be one of the first to open a checking or savings account with a minimum of $100 or a minimum of $1,000 for a CD with new money (not currently on deposit with The Bank of Venice) from L October 1,2006 through March 31,2007, and you will be eligible for a drawing for a $500 one-year ,IE- CD. Drawings will be held monthly from those eligible accounts opened that month. CD annual Member percentage yield (APY) will be APY in effect at the time of drawing. CD Redeemable at maturity. FDIC I ' YuNeve Nho Might Want to Dro. in ... :a';. -' : ll- -",+. ', "!r 4' .' '+ -: .' . y. '. ": : "" ' .. .. ,;7 .; y. 4 g"yy ., : ,-. . * Reduces potential damage from water and other debris entering the building * Deters forced entry, burglaries and "smash and grab" VENICE GONDOLIER SUN 11A SUNDAY, OCT. 22,2006 CONTACT US CLAUDE LEWIS SPORTS EDITOR 941-207-1107 lewis@venicegondolier.com Girls golfers off to 2A State Finals BY CLAUDE LEWIS SPORTS EDITOR' The Venice High girls golf team will tee it up against the best the rest of the state has to offer at the FHSAA Class 2A Finals this week in Port St. Lucie. Venice High is one of 16 schools vying for the title. The Lady Indians earned the trip to the east coast by winning the Region 5 Tournament last Monday in Bradenton. The tournament will be played at The Saints Golf Course. It is a two-day event with 18 holes played each day. Venice golfers will tee it up at 8 a.m. Tuesday, starting on hole 10. The Lady Indians will begin play at 9:30 a.m. Wednesday on hole 1. The girls will get a chance to play a practice round on Monday. This is the second straight year the Lady Indians have qualified for the state finals. Last year, they finished sev- enth inVero Beach. Venice is hoping to do bet- ter this year. "We're not going over there to finish third or second," co- coach Larry Sandburg said. "We're going over there to win." Last year, Venice finished 87 strokes behind champion Lake Howell. Lake Howell is back this year to defend its crown. Venice returns four of five who played last year. Casey Kennedy was low with a 77- 80-157. That was 22nd best opt of 88 players. Crystal Smith was 28th best at 80- 81-161. Megan Clipse was 58th at 98-88. Katie Kennedy was 66th at 95-101. - The four will be joined by senior Helene Gagliardi. Casey Kennedy is fresh from firing a 70 at the region- al tournament at the Manatee County Course.' Lady Indians begin title defense STAFF REPORT The Venice High volleyball team will begin its defense of the Class 5A State, Championship as Region 3 play begins Tuesday night at the Teepee. Venice (24-4) is fresh from capturing the District 12 title this past week at the Teepee. The Lady Indians breezed to three wins over district foes. The region quarterfinal opponent is Boca Ciega, which fell to St. Pete- Lakewood in the District 11 final. Match time is 7 p.m. Venice, ranked No. 3 in 5A, will be a heavy favorite, con- sidering Boca Ciega only has a record of 11-13. The Lady Indians enjoyed a fun weekend. Two players - Natalie Gaudreau and Ashley Graf were in the Homecoming Court. The players attended the Home- coming Dance Saturday night. Coach Brian Wheatley was off in the Bahamas celebrat- ing the district title -Venice's fifth in a row. It's back to business Monday as the team prepares for Boca Ciega. If the Lady Indians win that match, the next match scheduled for Saturday looms large. There could be a matchup with No. 1 ranked Tampa Plant. Actually, it would be a rematch of last year's region semifinal when Venice upset Plant in a five-game thriller in Tampa. Please see VOLLEYBALL, 14A No playoffs this year for indians Indians blow lead and drop must-win district game to Lakewood Ranch at Powell-Davis. BY CLAUDE LEWIS SPORTS EDITOR There will be no post sea- son this year for the Venice High football team. A lackluster second half against Lakewood Ranch took care of that. The visiting Mustangs pulled away for a 31-16 victo- ry the Indians Friday night at Powell-Davis Stadium. Venice fell to 1-7 overall and a final record of 1-3 in Class 5A District 11. That sim- ply isn't good enough to cut the playoff mustard. Meanwhile, Ranch im- proved to 5-3 overall but more importantly kept its playoff hopes alive. The Mustangs and Charlotte are each 2-1. They will have a showdown for the final playoff spot next week on the Ranch. Venice closes out its season Nov. 3 against a very good Naples team. A win could have kept the Indians in the playoff hunt. For a while, it looked like they might pull it off. Venice came out strong and jumped on the Ranch for a 10-0 lead. Ranch came back to go up 12-10, but the Indians responded with a TD with 57 seconds left before halftime to take a 16-12 lead. Instead of taking the lead into the locker room, Ranch deflated the Indians with aTD with just 21 dcks remaining before intermission. Ranch outscored Venice 13-0 in the second half with the game and the season on the line. The Indian offense went dead at the worst possible time. On four possessions spanning the third and fourth quarters, Venice only picked up one first down. The Indians went 1-2-3-punt on two of them. Another drive ended on an incompletion and the other on an intercep- tion. Ranch simply won the bat- tle in the trenches on both sides in the second half. It wasn't that way in the beginning, as Venice looked the hungrier of the two squads. ' The Indian defense held Ranch following the opening kickoff and the offense wast- ed no ,time striking. On the second play from scrimmage, Jimmy Laurie sped off for a 39-yard touchdown run. Ben Shipps added the extra point and it was 7-0. The D held again, forcing a punt to the Indian 43. Venice worked its way down to the Ranch 27 behind the running of quarterback Kyle Callahan and back Paul Costanzo. On a fourth down call, out went Ben Shipps, who banged home a 43-yard field goal with plenty to spare. Venice was 2-for-2 on offense and owned a 10-0 lead. It didn't last long, as a cov- erage breakdown on special teams allowed Ranch back into the contest. The Indians kicked the ball away to threat Marcus McNeal at the 21-yard line. McNeal appeared to be pinned in at the 30, but he bounced outside and raced down the left sideline for an 79 yard return for a touch- down. Venice got the kickoff and marched down the field again. Laurie had just busted eight yards for a first down at the Mustang 27, but he had the ball stripped. A big 46-yard pass play from Andy Slowik to Dan JI H'H.-OTC,: t, .EFF Tj -ES TOP: Venice High junior running bck Jimmy Laurieputs a juke on a Lakewood Ranch defender during a first-quarter touch- down run. .B EL O W i- t e w ha he BELOW: AI Mitchell tries to get what he can as the Ranch defense converges. Beasley put the ball on the Indian 24. Two strong runs by Bryce Johnston, and it was 12- 10 Ranch with 10:51 remain- ing in the second quarter. The Venice "0" didn't lose the faith, grinding out a trade- mark scoring drive. Playing sm'ashmouth style, the Indians covered 78 yards on 17 plays. Callahan scored the touchdown on a fourth-and- one quarterback sneak. The two-point conversion failed, but Venice had a 16-12 lead with 57 seconds left before halftime. Ranch started its final drive of the first half at the 36. A 12- yard scramble by Slowik gave the Mustangs a first down at the 48. Slowik then hit Beasley over the middle for a 27-yard gain. The ball flew out of his hands after a hit. An oppor- tunistic McNeal, also down- field as a receiver, picked up the fumble and sped 25 yards for the backbreaking TD that gave Ranch an 18-16 lead with 21 seconds remaining. Venice took the second half kickoff and began driving again. The Indians moved the ball to the Ranch 31, where they faced a fourth and seven. Callahan was hit and fum- bled, this killing the drive. Ranch got some breathing room later in the third quarter as Johnston rumbled 72 yards to the Indian 4-yard line. The ball came back to the 28 on a hold, but Mark Thomas rum- bled 21 yards for a TD that made it 24-16. For some reason, the Ranch coaches went for two instead of one. The Mustangs failed, leaving a crack open for Venice. Instead of prying the door open, the Indians allowed the Mustangs to slam the door shut. While the Indians' offen- sive woes mounted, Ranch clinched the "W" on a 27- yard run by Thomas late in the game. And any chances of post- season were officially dead. Stats, see 14A Freshman football drops season finale The Venice High fresh- man football team finished the season at 3-3 following a 14-6 loss to visiting Sarasota Wednesday night. The Indians fell behind as Sarasota scored on two long touchdown runs in the first half. The defense tightened the screws in the second half and only allowed three first downs over the third and fourth quarters. Venice scored with three minutes remaining as quar- terback Joe lorio hooked up with Justin Grant on a 43-yard pass play. Defensively, Chad Arm- strong, Evan Boone, Rashad McCray, Anders Ullrich and Taurus Washington were very active. Vemice Gondolier San P 0 12A SUNDAY OCT. 22,2006 ci iNir'AAV flCT ,, 'nnA wwwV~NICEGONDOLIER.COM VENICE GONDOLIER SUN 13A Swimming with attitude The Venice High boys and girls swim teams were busy all day Saturday, competing in the Class 3A District 6 Meet at the Selby Aquatics Center in Sarasota. The preliminaries were held during the day and the finals were at night. Besides Venice, other schools participating include Sarasota, Riverview, Lake- wood Ranch, North Fort Myers, Mariner, Cape Coral and Fort Myers. The top swimmers from the district meet will advance to the 3A-Region 2 Meet on Saturday, Oct. 28, back at the Selby Pool. &A I xtb-i 4& 1.16 I 1- 4 1 I ABOVE: Venice's Chip Whittemore, second from left, at the start of a boys 100 freestyle heat. BELOW: Venice's Mark Cox powers through the water to win his heat in the 100 butterfly. k~ st N .77P,. SUN PHOTOS BY CLAUDE LEWIS ABOVE: Steve Taylor is a picture of concentration at the start of his heat in the 100 freestyle. BELOW: Rachel Walsh, age 8, has her face painted to support the Indian swimmers at Saturday's Class 3A District 6 at the Selby Pool in Sarasota. She is the sister of VHS swimmer Tim Tudor. 4~.. -~ ~ ~ 4.7 I, ., *CC A c... { II' S 'r''t.,, LOWER RIGHT: Caitlin McCoy and Lauren Wietor cool off between races. BOTTOM: Mallory Brinkley strokes in a 100 freestyle heat race. BELOW: Heather Kuchar churns her way in the 100 butterfly preliminaries. Golf Digest 4 % Star Public Welcome RATES BEFORE 12:00 $39.00 AFTER 12:00 $29.00 BIG SUMMER CARD BEFORE 12:00 $27.00 AFTER 12:00 $20.00 Visit us at our award winning website: -(941) 429-0500 1 Located off 1-75, Exit 179 1 S697-3900. 12455 S. Access Road (S.R. 776) Englewood Are You Sitting 1 R FVFR1 E on a i Bundle of 'C ash? MEMBER OF C ash T NATIONAL REVERSE Call Mary Jo Frederick , LENDERTGAGE for FREE analysis! ASSOC. s a -k ', First Nationwide Mortgage Phone: (941) 575-4141 Local charlotte 1OUR REVERSE MORTGAGE SPECIALISTS Toll Free (866) 444-6722 R SERVING SOUTHWEST FLORIDA fnm-mj@comcast.net RESCREEN PLUS Pool Cages Lanais Doors Windows Hurricane Panels Pressure Washing Licensed & Insured FREE Estimates 941-492-2343 (office) 941-321-6217 (cell) r---.---------- -- --------- SA Barber Plus Barbering with Style VISIT SUE, JENNY or JAY Men's and Women's Haircuts I NO APPT. NEEDED I 664 Tamiami TrH. (Rialto Center) mon fri 7:30-4:30 sat 8:30-2:00 PM I 486-8802 L-------------------------------J A.G. EDWARD S. FULLY INVESTED IN OUR CLIENTS.- THE BETTER THE TRAINING, THE TOUGHER THE NEST EGG. Because we're one of the top 100 U.S. companies for employee training and development (Training magazine, 2005), our financial consultants are ready and well- equipped to give you their very best objective advice. With us in your nest egg's corner, you can take on the world. Past performance is no guarantee of future results. Training Magazine is not affiliated with A.G. Edwards and does not endorse any product or service that A.G. Edwards offers. 153339- vA117-o70 P.S. Today, the public takes a multi- pronged approach to health matters. TwIN PALMS CHIROPRACTIC 1214 Venice Ave. E., Suite C L412-3800 Dan Busch, DC IFl ~~l z~mk VILIM :644,T, N^ I I e patient and any otner person responsible for payment nas a rignt 10 refuse to pay, cancel payment, or be reimbursed for payment for any other service, examination, or treatment that is performed as a result of and within 72 hours of responding to the advertisement for the free, I discounted fee, or reduced fee service, examination, or treatment. 40MVh, aMF-'- -16 1., T VENICE GONDOLIER SUN 13A qJNDAY. nCT. 22.2006 J7 SUNDAY, OCT. 22, 2006 I AA ,/r- ir r peklr'e a EcD Cl IM Sheepies raid berry bait tree BY DAVE HACK noticed that some of the they are renovating and FISHING WRITER berries were dropping in the everything will be back to water. She also noticed that normal shortly. She also said Do you have a bait tree? If fish were gulping them up. that it's business as usual. not, maybe you should find She got a little closer and saw I walked into Dearborn one. The following sounds that they were (you probably Corner Store in Englewood unbelievable, but my source guessed this already) one afternoon. Captain .Dan is extremely reliable. sheepshead. This dizzy blond Bourcier of DJB Charters in This bait and tackle shop put a small aberdeen hook on Englewood was visiting. He owner swears this is true. I (very light and thin). She tells me an interesting story believe her and I hope you do. caught several nice sheepies. about my M4gic Formula. She says her 20-something Then she calls mom up and Not only interesting, but he daughter is definitely a dizzy says "I've got my very own showed me pictures. His blond. I've met her and she bait tree." party caught several beautiful may be correct. Mary lives off You may have guessed my permit recently. They kept of Sarasota Bay. One day this answer to this. In fact you seeing them around the boat, past summer she had a free don't have to guess, I'll tell but they wouldn't hit any- day and decided she would you. Next month, the local thing. Then he decided to put do some fishing in her back- bait shops will be carrying some of the juice on the small yard. She went to several bait packages of my berries. If you blue crabs. That did the trick. shops and found out that no don't catch anything you have The fish started biting. one had live shrimp. ; a nice snack. Dave Hack/Mr. Sheepshead She walked out near the Stacy at Big Bite Outfitters can be contacted at 486-1998 water on this windy day. She in Nokomis informs me that or 321-8849. Girl harriers 2nd at county meet The Venice High girls cross country team finished a respectable second in team points in the Sarasota County Meet held Thursday after- noon at the Celery Fields in Sarasota. The Lady Indians accumu- lated 60 team points to finish behind Riverview's 16 points. Seven schools participated. The Venice girls, missing their top runner, still had three place in the top 10. Chelsea Rose was seventh in 23 minutes, 8 seconds. Kim Pinkerton was eighth in 23:14. Rosa Canas was 10th in 23:26. Amberose Courville.was 15th in 24:33. Sophomore Sarah Britton is injured and out for the sea- son. Riverview had the first four finishers. Winner Ocean Cohen ran a 21:23. In the boys race, Venice placed fourth out of six teams competing. Riverview won with Sarasota second and North Port third: . North Port's James Grantham woh the race in 16:58. Venice's Ben Thomas was sixth in 17:59. Next up for the Venice cross country teams is the district meet, which will 'be held Friday morning at the Caloosahatchee Regional Park in North Fort Myers. The girls will run at 8:30 a.m. and the boys at 9:15 a.m. Feel the venom PHOTO COURTESY OF ANGELA QUINN The Venice Vipers 10-and-under fast pitch softball team won its bracket in the ISA Labor Day Classip played at the Foxworthy Complex. The locals defeated the Cape Coral Combat in the final, 12-10. They were 4-1 in the tournament. Shown are, front from left Aiden Suitto, Ledie Flerage, Carli DiMeo, Sharee Waggoner, Courtney Naylor; and back from left coach Angela Quinn, Emily Friel, Megan Quinn, Tori LeBarge, Brooke Carvey, Victoria Valleau and coach Mike Quinn. Missing when photo was taken was Nandy Zeledon. Fall instructional baseball on Monday nights at Venice High School. Kids who want to get in on the action should call Craig Faulkner at 488-6726. FOOTBALL STATS orm A RANCH 31, VENICE 16 L. Ranch (5-3) 6 12 6 7-31 Venice(1-7) 10 6 0 0-16 V-Laurie 39 run (Shipps kick) V-Shipps 43 FG LWR--McNeal 79 kickoff return (kick failed) LWR-Johnston 6 run (pass failed) V-Callahan 1 run (pass failed) LWR-McNeal 25 run with fumble (pass failed) LWR-Thomas 21 run (pass failed) -. LWP-Thomr. 2 run iLemon kick) - INDIVIDUAL STATISTICS RUSHING Lakewood Ranc'i Johnston 9-110, Thomas 13-92, Slowik 2- 19. Venice, Laurie 14-120, Mitchell 14-46, Costanzo 15-75, Callahan 3-22, Burton 2- 3, Hunek 1-0. VOLLEYBALL from 12A Plant must defeat Palm Harbor University in its quar- terfinal to advance. Venice returns all but one played from last year's state championship team.' Dana Dumas is now playing at Georgetown University. PASSING Lakewood Ranch, Slowik4-12-0, 95 yards. Venice, Callahan 3-5-0, 14 yards; Hunek 4-7-1, 40 yards; Laurie 0-1-0. RECEIVING Lakewood Ranch, Beasley 3-66, McNeal 1-9. Venice, Hayes 3-40, Laurie 3-16, Costanzo 1-minus 3. Every Vote Counts... mS FR Q Proven Leadership Served on City Council or 5 years and has beer, he City Council Liaisoni to tre Airport Aulrority Board arid the Parks & Recreation Board. ? Served on the Charter Review Board, Venice Police S Pension Board, Seniors Committee, Charter Review Committee, Risk Management Committee, Downtown Development Committee (Chair), Member Venice Nokomis Rotary Club. SJohn Simmonds will help preserve the character of Venice as well as protect our beaches, parks and J.. 3i.1-i.:.....-.. 3. .I... waterways. He will continue to help develop a diverse and vibrant economic base for the city and keep our tax rate low while maintaining quality city services. SEarly Voting Begins on = ,-r, ^ Oct. 23rd or Vote at the Polls Nov. 7th Paid political advertisement paid for by the Citizens for Quality Goverment, PAC P.O. Box 111, Venice, FL 34284 Independently of any candidate = a M W0 MnuatueIntal&uaane County Calendar Board of County Commissioners Oct. 23, 1:30 p.m. Special Meeting to consider Amendment to Ordinance No. 2003-052 of the Zoning Code and establishment of a County policy relative to real estate commissions, Commission Chamber, First Floor, Administration Center, 1660 Ringling Blvd., Sarasota. Call 941-861-5344 Board of County Commissioners Oct. 24, 9 a.m., Commission Chamber, Robert L. Anderson Administration Center, 4000 S. Tamiami Trail,Venice. Call 941-861-5344 Board of County Commissioners Oct. 25, 9 a.m., Commission Chamber, Administration Center, 1660 Ringling Blvd.,Sarasota. Call 941-861-5344 Center Gate Estates Special Tax Lighting District Oct. 26, 1:30 p.m., 1001 Sarasota Center Blvd., Sarasota, Call 941-861-0963 Early Learning Coalition Oct. 27, 8 a.m., LLP Conference Room ,Cavanaugh & Company, 2381 Fruitville Rd., Sarasota. Call 941-954-4830 Historic Preservation Board Oct. 24, 4:30 p.m., Think Tank, Third Floor, Administration Center, 1660 Ringling Blvd., Sarasota. Call 941-861-1183 Historical Commission Ordinance Committee Oct. 26,11:30 a.m., History Center, 701 N. Tamiami Trail, Sarasota. Call 941-861-1181 Library Advisory Board Oct. 25, 1:30 p.m., Conference Room A, Twin Lakes Park, 6700 Clark Road, Sarasota. Call 941-861-9844 Local Mitigation Strategy (LMS) Oct. 23, 11 a.m., Sixth Floor, EOC, Administration Center, 1660 Ringling Blvd., Sarasota. Call 941-861-5932 Osprey Public Library Public Meeting Oct. 23, 5:30 p.m., Auditorium, Pine View School 1 Python Path, Osprey. Call 941-861-0936 Parks Advisory and Recreation Council (PARC) - Oct. 23, 3 p.m., Conference Room A, Twin Lakes Park, 6700 Clark Road, Sarasota. Call 941-861-9831 RFP Meeting: 6318RC, Continuing Solid Waste Consulting Services Oct. 24, 1:30 p.m., Room 362, Third Floor, Administration Center, 1660 Ringling Blvd, Sarasota. Call 941-861-5266 Sarasota Public Forum to Identify Environmental Health Issues-Public Welcome Oct. 25, 7 p.m., Second Floor Conference Room, Waldemere Fire Station, 2070 Waldemere St. Call 941-861-6133 Special Joint Meeting Oct. 23, 9 a.m., 2nd floor Joint Conference Room, Administration Center, 1660 Ringling Blvd., Sarasota. Representatives of the Sarasota Board of County Commissioners, the Sarasota City Commission and staff will meet to discuss matters related to an interlocal agreement between the County and the City for the proposed spring training facility. Call 941-861-5344 Sarasota County scgov.net I 941.861.5000 I TV19 Advisory Board Vacancy APPLICATION CLOSING DATE: Nov 10, 2006 Advisory Board: Citizens Advisory Committee for Public Transportation (CACPT)lnformation: SCAT Administration, Kathy Beard, 941-861-1003 APPLICATION CLOSING DATE: Nov. 8, 2006 Advisory Board: General Contractors Licensing & Examining Board Information: Development Services, Kim Kintz, 941-861-6126 APPLICATION CLOSING DATE: Nov. 10, 2006 Advisory Board: Metropolitan Planning Organization Citizens Advisory Committee Information: Administration, Roberta Benson, 941-861-5912 APPLICATION CLOSING DATE: Nov. 8, 2006 Advisory Board: Mechanical Contractors Licensing & Examining Board Information: Development Services, Kim Kintz, 941-861-6126 APPLICATION CLOSING DATE: Oct. 11, 2006 Advisory Board: Parks Advisory and Recreation Council (P.A.R.C.) Information: Community Services, Parks and Recreation, Kim Lance, 941-861-9831 APPLICATION CLOSING DATE: Nov. 10, 2006 Advisory Board: Human Services Advisory Council Information: Health and Human Services/Contracted Human Services, Claire Alexander, 941-861-2882 APPLICATION CLOSING DATE: Nov. 3, 2006 Advisory Board: Water and Sewer Advisory Committee Information: Environmental Services, Michelle Walters, 941-861-0561 APPLICATION CLOSING DATE: Nov. 10, 2006 Advisory Board: Board of Zoning Appeals Information: Planning & Development Services, Donna LaDue, 941-861-6161 APPLICATION CLOSING DATE: Nov. 17, 2006 Advisory Board: Nokomis Special Tax Lighting District. Information: Public Works, Traffic Operations, Beth Smotherman, 941-861-0963 Public workshop to discuss landfill access Sarasota-County will hold a public workshop at 6:30 p.m., Monday, Oct. 30, at Twin Lakes Park, 6700 Clark Road, Sarasota, to discuss a proposed landfill access change that would allow entry to the landfill from Clark Road. Sarasota County landfill management and a land management consultant will be on hand to discuss a change to current regulations that allow traffics routine access to the landfill only from Knights Trail Road. The request is to remove this limitation and allow access from both Knights Trail Roadfrom the south and Clark Road from the north. County staff is concerned that the landfill's single entrance could be blocked by damage from a hurricane or even a catastrophic vehicle accident on 1-75. The change would also save fuel and time for waste haulers traveling from the north. Sarasota County AII-AlmricaCounts This listing is published weekly by Sarasota County Government. Board of County Commission agendas are available at net; to subscribe to the agenda via e-mail, go to scgdv.net/weeklycalendar. 2006 lfog&G~ .P;0, litA 14A VENICE (3UNUULILK )UN MMMO --m f UINIUAY, U. I. ZZ, LUUO VVV.WWWmVinCl.NUVILvul.lrn.i.riUv Zoning board complicates duplex dispute Last September, the county commission agreed to allow more duplexes on Siesta Key, to cover past mistakes by building and zoning officials. BYJACK GURNEY PELICAN PRESS A board of citizen appointees could complicate the anticipated legal show- down between Sarasota County and Siesta Key over more residential density on the island if it approves build- ing permits for two new duplex buildings on a pair of undersized residential lots. On Oct. 9, the county's board of zoning appeals post- poned until Nov. 13 a decision on whether to override Zo- ning Administrator Mary Beth Humphreys' denial of building permits for pro- posed structures at 330 and 336 Avenida De Mayo be- cause the lots are too small. "This board is supposed to follow the county's zoning code," said Siesta Key Asso- Sciation President Lourdes * Ramirez, "but because it has quasi-judicial powers, a deci- ,. sion to allow the permits Could become law if we don't challenge it in court." SKA has already threat- ened to sue the county if it ^ issues building permits for new duplexes on undersized Siesta lots, or if it adopts com- prehensive plan and code amendments to reduce lot size regulations. On Sept. 21, the county's planning commission ap- - peared to set the stage for a : legal showdown on more Siesta ^ Key density when it narrowly voted 5-4 to approve proposed lot-size reduction amend- ments and forward them to the county commission. A persuading factor in the decision was testimony from ' buildfi'g'and 'zodinig 6fficdial'R that the increase would only affect an estmnatecdr8 Siesta ' Key lot owners, plus about 1,700 more mainland proper- ' ty owners in the unincorpo- rated county. The county commission is also split, having voted 3-2 last autumn to have the amend- ments drafted. But that could change because Commis- sioner David Mills cast one of the prevailing votes, and he leaves office after the Nov. 7 general election. Mistake While the focus of this resi- dential density debate has been on the county commis- sion and planning commis- sion, the board of zoning appeals quietly entered the fray in May when it voted 5-2 to override Humphreys and allow a new duplex on an undersized lot at 505 Beach Road. The decision followed testi- mony from Humphreys that it was the county commission's policy to allow duplexes on undersized lots, a statement she has conceded was made in error and admitted to zoning board members at the Oct. 9 meeting. "In response to a question, I said it was the county com- mission's policy to allow them," Humphreys told the Pelican Press. "What I should have said was the county commission asked that code changes be brought back for a public hearing. I was con- fused and made a mistake." Florida's comprehensive planning law specifically states that local governments should "direct population concentra- tions away from known or pre- dicted coastal high hazard areas" such as Siesta Key, and not increase density through zoning decisions. On July 6, Siesta Key Association directors voted 14- 2 to sue the county if it issues any building permits based on 20 letters written by zoning officials to property owners that guarantee they can devel- op duplexes on undersized lots in multi-family zones. It has also promised to chal- lenge any comprehensive plan and zoning code changes that increase density on the Siesta Key through the Florida Department of Community Affairs and if necessary - through lawsuits filed in circuit court. With our two Sarasota locations doling for remodel, we're moving the remaining floor samples to our Port Charlotte location and we must make room. are in place to move merchandise - I - I1 -ib Ii *! Al, I- S ....- -_ . MT'n o - Akownsn oddong VENICE GONDOLIER SUN 15A -. Cl lKlr)AV nrT ')') ')f)Or IAIIAII#kl urmircr.nKinni IFR mm t Baer's is noted for its unsurpassed selection of exquisite home furnishings. Masterfully designed furniture & luxurious bedding...at the lowest price... that's a three generation Baer family GUARANTEE! BRING THE PASSION AND JOY' OF NORTHERN ITALY INTO YOUR HOME WITH "TOSCANA" BY BROYHILL Welcome to Toscana...Italian furniture styling, beautifully reinterpreted for today. Design elements include: fluted base rail motifs, felt lined silver tray, touch hinge lighting, English dovetailed drawers, solid wood overlays, and decorative cherry veneers all highlighted in a slightly distressed warm brown finish. Also on sale from Broyhill's "Toscana" collection: dresser, mirror, nightstand, armoire, chest. rectangular dining room table, arm chairs, china, occasional tables & home theater that are designed to provide plenty of space for electronics & media. *1297 < BROYHILL "TOSCANA" 52-INCH ROUND TOP DINING ROOM TABLE (extends to 70-inches) & FOUR X-BACK SIDE CHAIRS. Matching marble top server sideboard also on sale. 7, BROYHILL "TOSCANA" PADDED LEATHER AND WOOD WRAP-A-ROUND QUEEN BED. ,I . l ' '. ,. . We Export Worldwide SUNDAY 12 NOON to 6 PM, WEEKDAYS 10 AM to 9 PM AND SATURDAY 10 AM to 8 PM SARASOTA 5301 Clark Rd. / SR 72 (NE Corner Of Honore Ave.) 941-923-4200 .*1~..,fi PORT CHARLOTTE 4200 Tamiami Trail * (Just North OfKings Hwy.) 941-624-3377 *997<, SCALLOPED ARM SOFA WITH BUTT-ON ACCENTS An elegant casual design that offers an abundance of pure, unadulterated comfort. It's lush softness, thickly cushioned bench seat. graceful scalloped design arms and back pillows invite :,'ou to relax. Finely tailored in a neutral tone designer fabric with a button accented dressmaker skirt. LOVESEAT AND CHAIR ALSO ON SALE. purchases dusg. iOn In-Stock Items. Ask Store Personnel For Details. Design License #IBC00053 16A VENIICE GONDOULIER5 SUN' SUNDAY, OCT. 22, 2006 I& .i .. -,rr r einn ,-ipp zl IN ^-*iH ,.-,- i: i Io,: ,, SUNDAY, OCT.22, 2006 CONTACT US KIM COOL FEATURES EDITOR (941) 207-1105 kcool@venicegondolier.com SIP SOME COFFEE 2B Venice Gondolier Sun * ' GO WHERE THE GHOSTS ARE 88 VALANCES SW 'l I IMPERIAL BLIND & SHUTTER S U "Making Your House a Home!" FREE Estimate Venice FREE Install Englewood Call for details: North Port Port Charlotte & Punta Gorda 488-6022 1-866-488-6022 PETS PREPAR.F fOR HALLOWEEN t1:2S BY JOE GIORGIANNI CORRESPONDENTI Some 3,000 miles from Florida, as the crow flies, lies an island unlike any you've ever seen. An hour's boat ride off the North West coast of the state of Washington, San Juan Island is just 9 miles wide and 13 miles long, yet majestic, beautiful and historic. The island is accessible only by ferry, private boat or plane. There is no port where cruise ships can unload masses of tourists, nor are there any shop- ping malls on the island. There is no NMcDonald's nor any other franchise restaurant. Instead, San Juan is one of those unspoiled places where one can simply kick back, relax and enjoy the scenery and some of the best seafood in the world. Not just another pretty island, San Juan has its storied past., Many of the stories relate to the "Pig War," which nearly assured that the island would belong to the British, despite its location off the coast of what was des- tined to be a state in the United States. That tale dates back to 1859 when Lyman Cutler, an American settler, shot. a pig belonging to the Hudson Bay Trading Company, a British- owned firm. The pig had been eating its way through Cutler's garden. When the United States Army came to the defense of Cutler, a standoff lasting more than 12 years began. The stand-' off pitted a regiment of British soldiers against U.S. troops. It appeared the winner of the ensuing war would become the proud owner of the island. The matter was ultimately settled in 1872 by an ombudsman from Germany, Kaiser Wilhelm I. The Kaiser said the Americans should own the island, which was the last piece of U.S. soil ever occupied by the British. ... After all the bluster, when the matter was settled, the only life lost was the pig's. Living on the edge Today, the island houses more than 2,000 residents. Many live in Friday Harbor, which also is the county seat. Named after an Indian sheepherder, Friday Harbor is a town driven by tourist dollars. Townspeople do what they can to make the tourists feel welcome and appreciated. Both residents and visitors attend productions of the San Juan Community Theatre. Roche Harbor Village is the island's other major town. Listed on the National Register of Historical Sites,, it is roughly 10 miles from Friday Harbor. Another large area of land on the island is occupied by the University of Washington Marine Laboratory. The labora- tory is on a 500-acre tract that was a land grant during the pres- idency of Warren Harding, in 1921. The university offers year- round classes for the study of marine life and marine ecosys- tems. Orca whales, often visible' from the shoreline, frequent the waters of the Starits of San Juan. , Land-based wildlife includes deer, wild turkeys and eagles. Other popular activities on the island include fishing for salmon, bird watching, kayak- ing, hiking and bike riding. Residents raise alpaca and farm lavender which thrives in the often misty temperate coastal climate. Casual living is the rule. Leave the neckties at home. To learn more about the island, visit.sanjuanisland.org or call the island's chamber of commerce at (360) 378-5240. PHOTOS BY JOE GIORGIANNI In main photo at top of page, orcas break the surface of the waters off the San Juan Islands. In the second photo, the mist rolls in to the harbor. Middle photo at left shows the ferry boat waiting for island passengers. The pig that died for the cause might have lived in the tranquil farm area depicted in the lower photo.. ;. ,' ; ,. - SUNDAY, OCT. 22, 2006 2B VENICE GONDOLIER SUN Adopt-a-pet Fruit market PHOTO COURTESY OF ST. FRANCIS ANIMAL RESCUE Kirlee is a 5-year-old male who is extremely friendly and sweet. He loves other pets, lots of attention and food. He needs his own home as he is very stressed and is losing his hair because of allergies. His hair will grow back when he finds a loving home to call his own. Can you give Kirlee lov- able, adoptable pets at stfrancisar.org. ARC offers spaying and" neutering services STAFF REPORT Animal Rescue Coalition is a coalition of animal welfare organizations that focuses its efforts on spaying and neu- tering by offering low- or no- cost spays and neuters o. of Bee Ridge'Open Sundays 4227 So.TamiamlTr. (US 41) 'Tel. (941) 924-7114 NOW OPEN SUNDAYS )I ,'I pets of income-eligible fami- lies. The mobile clinic services are accessible to residents countywide. Call 957-1955, Ext. 5, in advance to schedule an appointment for a clinic at Fastk the following sites during the rest of October: * Wednesday, Oct. 25, Robarts Arena, 3000 Ringling Blvd., Sarasota. * Thursday, Oct. 26, Sarasota County Animal Services, 8451 Bee Ridge Road, Sarasota. SUN PHOTO BY SUSAN CAIRO Arrays of fruit are sold daily at Pike Place Market, Seattle. All of the fruit is grown by farm- ers in the Seattle area. The market started out as a city-sponsored street sale where farm- ers could sell their produce directly to homemakers. Items needed for SPARCC sale The fifth annual SPARCC toys; household items; tools; Venice Treasure Chest Sale holiday items; and small fur- will be held 8 a.m.-2 p.m., niture will all bie for sale. Saturday, Nov. 4, at the SPARCC is seeking dona- Woodmere Park Gymnasium, tions of items to be sold and 3951 Woodmere Park Blvd. in also is seeking volunteers to Venice. help the day before and the Gently used clothing and day of the sale. accessories for men, women To volunteer, call Ruth and children; jewelry; books; Wilson at 408-8587. I U-, C. -- To donate goods, call any of the following; Shirley Wansaw at 497-6951, Betty Kuhlman at 497-6852 or Ruth at 408-8587. All proceeds will go to ben- efit the Safe Place and Rape Crisis Center to aid victims of sexual assault and domestic violence. Aie-Up Your A/C & Heating rIr A/C & Heating System Will Enjoy Longer Life, Higher ' Greater Capacity & Fewer Breakdowns After this 30 Step Tuneh PUT NATONMWIDON YOUR SIDE FOR PdICE, SERVICE, AND CONVENIENCE The Ramey Insurance Agenrcy 166 Center Rd., Venice FL 34285 (941) 497-2468 SNationwide SOn YourSide' kn wl jv -r.II i ,r- .3r, iCA Nb'-: r A.iri l- MI.r- r 'i .:! C pa. i3 I r. ri? *,iFit lr.f.lr,,l-. i hi. lh',i J. i ,plh appw'*, ^^*rall F, ,L 3`&,,.-;i'-::o'r, ,',r.,r ,i j.labl rr al il| VPT .'n,' ,r,, m 11 .^ b Lh- "C ri 6T '*-jll~L- a.1 J.Cl:.~ltl~? 'T*j.i/c r'?'^- n?.'qii~awd ndb~l ??'fl' 3-.1 r-rj: - Lubricate condenser motor so it will run cooler v Hose condenser coil if needed, to reduce electric bill * Check & clean base pan to inhibit rust, prolong life s SArNow Service Today Or it's Free 39E. PRICE $5 REG. PRICE $59 * Inspect air handler blower wheel, chemical cleaning or repalnt.ng'. * p*'. :'.WEEKEND SERVICE AVAILABLEmr- p N .+ = i+ L 909% $s Payments S y? ystem, ]Tnt s r Mo. As Low As $56Per Mo. Venice Gondolier Sun CONTACT US DEBBIE SHULMAN ASSISTANT FEATURES EDITOR (941) 207-1106 dshulman@venicegondolier.com wwAwa vniropnnnrnliprrcm Bowling club ANIF Venice Lanes presents a free AIF Git R Done Bowling Club family and friends fun night, 7-9 p.m.. at 1100 South U.S. 41 Bypass. Weekly cost is S10 for adults, $8 for children in November. The first two sessions Oct. 22 and 29 are free. Call484-0667.Venice. All play- ers welcome. Variety show The Senior Friendship Center of Venice and the Jewish Center of Venice cohost the "Music and Laughter Can Make a Difference" variety show to benefit their food pantry programs for the needy, 2:30-4 p.m. at the JCW 600 North Auburn Road. For admission, bring items of nonperishable foods. A pre- performance bake sale begins at 1 p.m. with homemade cakes, cookies and pastries. The event is part of the Sara- sota Countywide "Make a Dif- ference 2006" weekend spon- sored by the Friendship Volu- nteer Center for individuals and organizations to work on projects benefiting the com- munity. Call 484-2022., Get out * The Venice Area Audubon Society hosts a free guided bird walk at 7:30 a.m. led by Carolyn Edmunds and Char- les Sample at the Caspersen Beach Area. Meet in the park- ing area at Service Club Park on Harbor Drive, opposite the Venice Municipal Airport. Call 496-8984. *scar scherer. Author visit Robert Shuster signs copies of his novel "Phase II" at 1 p.m. at Circle Books, 478 John Ringling Blvd,. St. Armands Circle, Sarasota. Call 388- 2850 . Bike ride Meet Ron Blazey of the Coas- tal Cruisers Bicycle Club at the Roto*nda Community Park (junction of Parade Cir- cle and Rotonda East Bou- levard), for a moderate 70- mile ride to Carlton Reserve, with a stop at McDonalds in Venice, and back. Ride starts at 8:30 a.m. Helmets required. Call 697-3100 or visit coastal- cruisers.net. Art classes * Josephina Espinosa leads a glass-fusing workshop at Venice Art Center, 320 S. Nokomis Ave. Fee for two half-day sessions: $60 for members, $70 for nonmem- . bers. Call 485-7136 or visit veniceartcenter.com. * Marion Worthington leads an ongoing copper enamel class Mondays, 1-3 p.m. at the Venice Art Center, 390 S. Nokomis Ave. Fee: $12 per class for members, $15 for guests. Call the center at 485- 7136 or Worthington at 493- 9685. Senior Friendship Center, 2350 Scenic Drive * 9 a.m., Mah Jongg * 9 a.m.-1 p.m., Oct. 23 and 24, 55 Alive Safe Driving Course. Fee: $10. Register with Debbie at 584-0075. * 9:30 a.m., Life history class. Li. L t wJ..1 an PHOTO COURTESY OF EUROPEAN SPACE AGENCY Sun Fiesta 2006 Film night The Women's Sertoma Club of Venice sponsors "Venice Rocks," Sun Fiesta 2006, downtown Venice in Centennial Park. This family event features a parade, bed races, craft vendors, live entertainment and more. Call 266-4074 or 480-9785, or visit sunfiesta.net. Car wash The Venice High School Chorus holds a car wash 11 a.m.-3 p.m., Sunday, Oct. 22, at Pit Stop, 913 South Tamiami Trail, just north of the Circus Bridge. The chorus is raising funds for their upcoming trip to Carnegie Hall in New York City, where they Will perform Sunday, March 25. To donate, send a check payable to VHS Choral Boosters Inc., and designate your donation Carnegie Hall Fund. The mailing address is Venice High School, 1 Indian Ave., Venice, FL 34285, care of Stephen Johns. Call 488-8513. * noon, lunch with 24-hour reservations. $3 donation. Call 584-0031 or 584-0090. * 1-3 p.m., The Upbeat Band performs in the Great Room. Call 584-0075. Monday games * The Venice Florida Chess Club meets 1-5 p.m. at Venice Public Library, 300 S. Noko- mis Ave. All are welcome.. Storytime Jacaranda Public Library holds free preschool story- time sessions 10-10:45 a.m. Monday at 4143 Woodmere Park Blvd. This program for ages 3-5 includes finger plays, songs, guests and craft activi- ties. No registration neces- sary. Call 861-1275. Friendship Club The German American Friendship Club meets at 8 p.m. at the VFW Post 8118, 832 E. Venice Ave. All mem- bers are invited. Social hour following the meeting. Call 473-0327. Great Decisions The Great Decisions program meets at 9:30 a.m., in the Meeting Room at Venice Public Library, 300 S. Noko- mis Ave. There will be a 30-45- minute presentation by the speaker, followed by discus- sion and questions and ans- wers. Speaker is Aleda Klec- kauskas, director for commu- nity and physicians relations, TideWell Hospice and Palli- ative Care. Call 484-1157. Quilters PHOTO COURTESY OFTHEVAQG.COM The Venice Area Quilters' Guild meets at 7 p.m. at the Venice Community Center, 326 S. Nokomis. Speaker is Jan Wildman of Orlando. Guests are welcome. Visit the- vaqg.com. Currency Club The Venice Coin and Cur- The John and Mable Ringling museum of Art and Sarasota Film Festival presents "Cocaine Cowboys" (USA,' . 116 minutes)..as part ofjts.Monday Night Movies at 8 . p.m. on the Historic Asolo.'leater big screen at 5401 Bay Shore Road in Sarasota. Tickets are $7 per film or $30 for the film series. Call the box office at 360-7399. Birthday party Senior Friendship Centers of Venice hosts an October birthday party at 2 p.m., Tuesday, Oct. 24, at 2350 Scenic Drive. Celebrate with music, dancing and cake. Donation: $3. For noon lunch, RSVP 24 hours in advance at 584-0013 or 584-0090. Volunteer coffee Mote Marine Laboratory holds a volunteer recruit- ment coffee, 10 a.m.-noon, Tuesday, Oct. 24, at the Mote's Buchanan Meeting Room at 1600 Ken Thompson Parkway, Sarasota. Volunteer at Mote and discover the many treasurers of the underwater world and the sci- ence that helps us understand it. Volunteers are needed with secretarial, customer service, teaching or retail experience. Training provided. RSVP to Andrea at 388- 4441, Ext. 438. ,rency Club meets at 7 p.m. at Venice Public Library, 300 S. Nokomis Ave. Doors open at 6:30 p.m. An auction will be held; refreshments available. Visitors are welcome. 'Remember Hungary' Selby Public Library hosts survivors and eyewitnesses of the Hungarian Revolution of 1956 in a program at 4:30 p.m. at 1331 First St., Sarasota. Excerpts from newspapers and underground poetry .of the era will be read. Call Eva Kisvarsanyi at 927-1200. Smile! The Venice Camera Club meets at 10 a.m. Monday at the Venice Audubon Society building behind the Robert L., Anderson Administrative Center at 4000 South Tami- ami Trail. All photographers are welcome for discussions on digital imaging, photo cri- tiques and Photoshop tech- niques. Call 497-4811. Prostate group The American Cancer Soci- ety, Sarasota Unit, offers a free Man to Man prostate cancer education and support pro- gram at 2 p.m. at Sarasota Memorial Hospital, 1700 South Tamiami Trail. Call the ACS at 365-2858, Ext. 37. Seniors group Seniors Without Partners meets at American Legion No-Vel Post 159, 1770 E. Venice Ave., Mondays, 12:30- 3:30 p.m. for a meeting and cards. Call Marie at 485-8739. Music makers * The Venice Gondoliers Men's Barbershop Chorus rehearses Mondays at 6:30 p.m. at Venice-Nokomis Uni- ted Methodist Church, 208, Palm Ave., Nokomis. All men who like to sing are welcome. Call 484-6333 or 484-3966, or visit venicegondoliers.com. * The Venetian Harmony Chorus rehearses Mondays at 7 p.m. at United Church of Christ, 620 Shamrock Blvd.,. Venice. All area women are welcome. Call 907-9545. * Venice Beach Jam, 6:30-8:30 p.m., Venice Beach Pavilion, West Venice Avenue (weather permitting). Visit swinging- bridgebluegrass.com. * Bluegrass and Country Jam, 6:30 p.m., Indian Mound Park, 210WinstonAve., Engle- wood. Call Morris Campbell 473-4022. Computer classes The Venice Area Chamber of Commerce's Senior Outreach Committee, in conjunction with the Venice High School Future Business Leaders Club, offers free classes to area seniors on basic com- puter instruction, the Inter- net, e-mail, and Internet pro- duct purchasing to senior cit- izens, 2-3:30 p.m., in the high school's computer center at 1 Indian Ave. VHS students conduct the instructional classes on an individual basis with the seniors. Each senior will have a computer to oper-. ate with a student alongside. RSVP to Dave Pierce or Michelle Ryan at 488-2236. Meditations Serenity Gardens hosts Con- necting to your Core, morn- ing meditations with Kim Braun, 8:30-9:30 a.m., at 602 E. Venice Ave. Donations wel- come. Call 486-3577 or e-mail serenityofvenice@aol. com. The great outdoors * The Venice Area Audubon Society meets at the Venice Community Center, 326 S. Nokomis Ave. Social at 6:30 p.m., meeting at7 p.m. Owen Comora, senior volunteer bird interpreter at Myakka State Park, discusses Con- fusing Shorebirds of the Gulf Coast. The public is welcome to this free event. Call 496- 8984. * The Manatee-Sarasota Sierra Club holds a conserva- tion rela- tionship enhancement pro- gram, meets 6-8 p.m., Tues- days, Oct. 24-Dec. 5, at Love- land Center. 157 South Hava- na Road in Venice. To register, call Vimce at '953-5507, Ext. 127, or sign up online at chil-. drenfirst.net / programsclass- es/classsignup.cfrnm. Candidates forum The Nokomis Area Civic Association hosts Cookies and Candidates, Part II, at 7 p.m. at the Nokomis Com- munity Center, 234 East Nip- pino Trail. Meet the final can- didates for the U.S. House of Representatives, Congres- sional District 13 and the Florida House of Represen- tatives,. Al- len Jelks will present a pro- gram on Australian railroads. Call 497-6356. Golf tournament The Sarasota Manatee Coun- cil of the Navy League of the United States is sponsoring its first charity golf tourna- ment at 11 a.m. at Misty Creek Golf & Country Club, 8954 Misty Creek Drive, Sarasota. All golfers welcome. Cost is $100 per person and includes 18 holes of golf, a buffet dinner and great pri- zes. Format is best 2 of 4 balls with a shotgun start. Pro- ceeds, Please see VENUE, 13B 3B SUNDAY OCT. 22, 2006 vvwvv.vt=l I[Lt:yui luunal.Lul 11 lv W--ml Venice Gondolier Sun FIIEH AIR CONTACT US DEBBIE SHULMAN ASSISTANT FEATURES EDITOR (941) 207-1106 dshulman@venicegondolier.com 'Ding' Darling Wildlife Refuge: wonderful resource close to home LAIRY UAj-N' *We just returned from a trip to Sanibel Island. Of course, that trip had to include a visit to "Ding" Dar- ling National Wildlife Refuge. The refuge offers a wide vari- ety of species for you to see and enjoy. Birds of all types and colors abound, and toward sunset, raccoons be- gan to appear. One of the easiest ways to see wildlife at this refuge that provides food and roosting places for migratory and per- manent resident species, is along the Wildlife Drive-a one-way road that's about five meandering miles long. You don't even have to leave your car to watch egrets, herons, spoonbills, osprey and other colorful critters. It is easy, however, to pull to the right so other cars can pass by, and walk a bit. The drive is open during daylight hours, but it's closed on Friday to give the wildlife an opportunity to feed along the roadside undisturbed by humans. This, closure also gives refuge staff a chance to do any repairs or mainte- nance along the roadway that might be necessary. There is a $5 charge per car; $1 per hiker or biker. Golden Eagle and other similar federal passes are accepted. r-.drive,-there are-alse-three-hik- ing trails that intrigue the, curious: Indigo Trail, Wulfert Keys Trail and Shell Mound Trail. The Indigo Trail leaves from the education center and ends at the cross-dike, which extends from Wildlife Drive. The Wulfert Keys Trail is only a quarter-mile. It runs from Wildlife Drive to Pine Island Sound. Another quar- ter-mile trail, Shell Mound, saw a lot of damage to the WE -.,d A 04-v- l L3-, 4,I 70. ..-.A - i .. .. .. .. .. .... Greet v neayis o- LAhe-A 4N vegetation from Hurricane Charley in 2004. Speaking of hurricane damage. Hurricane Wilma shut down "Ding" Darling in October 2005. There is an additional 100- acre section of "Ding" Darling Refuge that's open to hikers and bikers at any time, the Bailey Tract. It's located off Tarpon Bay Road, and com- bines freshwater plants and wildlife in an interior wetland. The best time to visit this wildlife-rich habitat is between December and February 15, 2007 6:00 9:00 p.m. Plantation Golf & Country Club Sponsorship Levels: Champagne: $750 6 tickets; logos will be displayed at the' event: listing on all promotional materials; listing on OMH and Catholic Charities S " -| '' children attain self-sufficiency. 247407 10 March. when most feathered visitors are there. Low tide offers the best viewing of birds feeding on the exposed mud flats. By the way, Jay Norwood "Ding" Darling was a political cartoonist who encouraged President Harry S. Truman to sign an executive order creat- ing the Sanibel Island Wildlife Refuge in 1945, effectively blocking the sale of this envi- ronmentally valuable land to developers. It's so close. Take the time to check out what "Ding" Darling helped create. Sarasota resident Larry, 'Allan is an (lu'ard-u'inning photographer. See his work at preserveourwildlife.org. DRIVE OVER TO YOUR ORECK STORE FOR A VACUUM THAT WILL LAST LONGER THAN MOST CARS. ,Il B.. , ..,, BUY THE NEW XI.27 TITANIUM AND GET: * 21 Year Guarantee 21 Free Annual Tune-Ups * Free Compact Canister Free Cordless Iron .* f ranv risel-frog trial "i" - 'cip 5100 S. Cleveland Ave. Oreck of Sarasota in Sam's Plaza Hours: Mon.-Fri. 10am-6pm N Sat. 10am-5pm S Proctor Rd. Sun. 12pm-5pm 1* 239-939-4445 / | (Kesrel Parkway) 4892 S. Tamiami Trail, Landings Clark Rd. Sarasota Hours: Mon.-Fri. lOam-6pm = Shopping 3 Sat. Oam-Spm Sun. 12pm-5pm Center u Located in the Landing's Shopping Center 941-924-1841 S2006 Orek Holdins 11LLC All rihts reserved. Oreck Direct. LLC 100 Plontotion Rood. New Orleons, LA 70123 450 LOCATIN * Oreck of Ft. Myers St SAM'S CLUB SAM'S D PLAZA OFFICE MAX WORLD GYM* F le 4B SUNDAY OCT. 22,2006 r7 CONTACT US DEBBIE SHULMAN ASSISTANT FEATURES EDITOR (941) 207-1106 dshulman@venicegondolier.com Venice Gondolier Sun WELL-BEING WELLBEING BRIEFS Prostate group The American Cancer Society, Sarasota Unit, offers a free Man to Man prostate cancer education and sup- port program for men coping with prostate cancer at 2 p.m., Monday, Oct. 23, and Monday, Nov. 27, at Sarasota Memorial Hospital, 1700 South Tamiami Trail. Other area meetings include 2 p.m., Monday, Nov. 6, at Venice HealthPark, 1201 Jacaranda Blvd.; 4 p.m., -Monday, Nov. 13, at Englewood United Methodist Church, 700 E. Dearborn St.; and at 5:30 p.m., Monday, Nov. 13, in the Englewood Community Hos pital cafeteria at 700 Medical Blvd. Call the ACS at 365- 2858, Ext. 37. Screenings * Sunset Lake Assisted Living facility hosts a free memory clinic screening, 1-5 p.m., Wednesday, Oct. 25, at 1121 Jacaranda Blvd. Services pro- vided by Sarasota Memorial Memory Disorder Clinic. Call 497-1117. *., Saturday, Nov. 4 at Gulf Coast, 4115 South Tamiami Trail. If you have a hearing loss, you can receive at no charge a vol- umecontrol telephone. Call st4 921-5447 for art appointment. * H2U Health Happiness and You offers cholesterol and blood pressure screenings at 9 a.m., the third Monday of the month (Nov. 20) at Englewood Community Hospital, 700 Medical Blvd. Blood pressure checked for free; cholesterol screenings are $3.50. Reservations required; call 473-3919 or (888) 685-1598. Stroke support The Stroke Support and Education Group meets 11:30 a.m.-1 p.m., Wednesday, Oct. 25, in the Suncoast Audi- torium of the Englewood Community Hospital, 700 Medical Blvd. RSVP to 475- 3558. Sj6gren's support The Venice Sjogren's Syndrome Support Group meets at 4:30 p.m., Thursday, Oct. 26, at Venice HealthPark, 1283 Jacaranda Blvd. Charles H. Davis, DDS, discusses Alternative Solutions for Dentures, Partials and Missing Teeth for Sjogren's Syndrome Patients. Call CA Fulmer at'484-8542. Immunizations Senior Friendship Centers inVenice offers drive-through flu shots for handicapped individuals, 8:30-11:30 a.m., Friday, Oct. 27, at the Pat Buster Health Services, 2350 Scenic Drive. A handicap tag or license is required. Flu shots are covered by Medicare Part B, and individuals with the card will not be charged. The fee for those not covered by Medicare Part B is $25. Call the clinic at 584-0041.. Library staff members will be available for tours and demonstrations of assistive devices. To learn more, call 861-1260. Cancer workshop, lunch The Wellness Community Southwest Florida hosts a free workshop for cancer patients and their caregivers, 10 a.m.-l1 p.m., Saturday, Oct. 28, at Jacaranda Trace, 3600 William Penn Way, in the Cadbury Commons Building. Frankly Speaking about Cancer Treatment is designed to help people understand and man- age the physical and psycho- logical side effects of treat- ment. A nutritious lunch will: pe prepared by the Jacaranda 5B SUNDAY OCT. 22,2006 Blood Bank to help food bank as part of 'Make A Difference Weekend 2006' STAFF REPORT Suncoast Communities Blood Bank will take part in the "Make A Difference Weekend 2006" organized by the Friendship Volunteer Center of Sarasota Oct. 20-22. The blood bank is not only going to be a recipient but also a participant of this out- reach event. The blood bank has chosen All Faiths Food Bank as its focus project and will hold a food drive to sup- port hunger relief. Employees and volunteers of the Blood Bank will donate food as part of their support. "Partnering with Suncoast Communities Blood Bank is such a natural for All Faiths Food Bank. We both rely heavily on individuals that care and give back to our community. I want to thank SCBB for including us in the "Make a Difference Weekend" I Trace Chef. To register, call (941) 735- 1290. Physician lecture Englewood Community Hospital sponsors a free lec- and especially the people that attend the weekend," said Dan Dunn, executive director for All Faiths Food Bank. "As services to the commu- nity, Suncoast Communities Blood Bank and All Faiths Food Bank, have a common- ality: we rely on people to donate and reach out to help others in need whether it's for life-saving blood'or life- nourishing meals. We both need constant deposits, of time and resources so that we can make life altering trans- actions," said Julie Platt, pub- lic relations and marketing manager for Suncoast Communities Blood Bank. As part of the "Make A Difference Weekend 2006," the blood bank encourages people to donate blood as part of their service project during this special weekend. Donating blood is a conve- nient way to help the com- ture at 5:30 p.m., Monday, Oct. 30, in the administrative conference room at 700 Medical Blvd. Kevin Hohnwald, DO, board-certi- fied family practice physician, discusses low back pain. munity because it takes less than one hour, helps to meet the needs of hospitals in the area and saves multiple lives. Those interested in giving their time and efforts toward the blood bank can visit one of the convenient bloodmo- bile sites or donor centers. Donors must specify that they are donating on behalf of "Make A Difference." - Source: Suncoast Communities Blood Batik What: Suncoast Communities Blood Bank Where: 1097 North Tamiami Trail, Nokomis (In shopping . center at corner-of U.S. 41,and Laurel Road) Hours: 8 a.m.-6 p.m., Monday through Thursday; closed Friday; 8 a.m.-1 p.m. Saturday Contact: 954-1600, Ext. 272 or scbb.org. Participants may go through, the cafeteria line. before the' presentation. All are free and open to the public. Reservations required by calling 473-3919 or (888) 685-1598. A * I-, 9, *LW Board Certified in Obstetrics & Gynecology Complete service in gynecology including major and minor surgery Accepting new patients 600 Nokomis Avenue South. Suite 101 A, Venice, Florida.34285 "I Lost 2 Dress Sizes After 5 Body Wraps" Guaranteed Permanent Quick and Easy Kevin Miller, MD, board certified in Family Medicine announces our new location at 1101 S. Tamiami Tr.. #108. Paradise Family Healthcare welcomes Alex Petreas, PA-C to our practice. Call today to schedule your appointment (941) 488-2332 . You Are Invited Venice Regional Medical Center's THE ORTHO/NEURO CONNECTION A Monthly Lecture \ [ "Living with Parkinson 's Disease" presented by: Lila Hurst, MCD, CCC/SLP Monday, October 23, 2006 6:00-7:00 p.m. 540 The Rialto, The Auditoriums Refreshments will be served iie gated north lot on the corner of Palermo Place will be open for parking at 5:00 p.m. RSVP your registration by calling 486-6057 )% VENICE REGIONAL MEDICAL CENTER I went from a size 14 to a 4 I lost 39" after 3 Body Wraps , I LOST 49 POUNDS FAST "Only SLENDER LIFE has this system. It tones, tightens, and Temrves cellulite." ASK ABOUT FREE BODY WRAPS! m LENDE2 CPT. CHARLOTTE SARASOTA LEN 624-5673 918-1966 E CORAL WEIGHT LOSS NAPLES FT. MYERS CAPE CORAL OPEN HOUSE EVENT! Our Doors Are Always Open... But We're Holding a Special Open House. SCome discover your affordable dream life at America's Award-\Winning Senior Living Community. Find out how you can live a carefree, resort Lifestyle for less than you ever imagined! 175 I< \,,When: Thursday, October 26' Time: 1:00 to 3:00 p.m. S ', Where: Aston Gardens ac Pelican Pointe 1000 Aston Gardens Drive, Venice Tel. (941) 240-1000 S 1 7 Light refreshments will be served. Visit a world of caring friends, exciting activities, a first-rate staff and total care free living. Join us at our Open House Reception and discover why Aston Gardens was voted "America's Best Senior Living" and "The Best Senior Living in Venice." b--AstonGardenS S.- .'. T F E L i ..'. M N P i N TE "_:_ II E,%//enen' in Sent-r LLturm l"':' !Independent & Assisted Living 1000 Aston Gardens Drive Venice, FL 34292 (941) 240-1000 or toll-free (800) 8-76--042 Visit all our pet-friendly communities at Girdenu.com C2)006 .4sfon Cary Sis:cn. IneX-' low. Asfio4cd Living Facilin imLene #AL 10612 Heritage Health Care Center 1026 Albee Farm Road, Venice, Florida 34285 Phone (941) 484-0425 Fax (941) 484-6203 Resident Testimonial Eldward tGriffin, .Vte -, r muntth. fri ~psient r.-l,.,biutai,,r ,.,. I'l b.red, t: r,-lurr, Ihona 4a1,-h' i sunmuch strffrtgr now. I COMOut I'~A ,nv*.. arm up ,ft r fllin ,iorld it N,:.-., r(an n r tu' Iip qu~r!. I'ulq'W ! 3 IL-rig and1 .A r-, .r.ud. '~r h trnllI r, ,r trt'.- .1 .. %r I '.c,Idv,111l r.,,*r r i~ .zI Hn r,t u H itr, I I ,.l- rI, in I,,A d~,ru1 it. is G im a ioba, m.p .... ........... SEOOH06 SUNDAY, OCT. 22,2006 6B VENICE GONDC )LIER SUIN eto b ompsm n or r. , "Copyrighted Material : iaerSyodicated Contestr Available from Commercial News Pro I T T &I JAM 480& *40 wo -40 * ow 0-b w D 0as. 0 o 4 owfdll n mobl 0m Making lemonade out of those lemons Venice Rocks! OCIA-L COLUMNIST Start your day today with Tim and Nick Gissal and other members of Boy Scout Troop 77 who are serving sausage and eggs in Cen- tennial Park to help celebrate the Sun Fiesta, "Venice Rocks". Cochairmen Jackie Kennedy and Mary Moyer invite you to spend the rest of the day in the park enjoying crafts, food and music. Sharon Brown, Laura Bennawy, Sheila Kau- fer, Dora Banes, Nancy Jordan, Patty Corona, Danny Swain, Glenn Markos, Nanci Fisher, Pat Orr, Syd Gibson, Beih''MIartin, Syhia Schmin, Joce' Sco(t and'tl1se'DIE6- haze promise a rockin good time. Members of the Women's Sertoma Club know how to throw a party. So be there. Tea for two or more If you are looking for the perfect gift, shower or party ask Kay Goodman to bring some charm to your home by catering a tea party. This tal- ented lady wants to bring her - various teas, sandwiches, and delicious food to your family and friends to help create some wonderful memories. Call Kay at 493-1319. The par- ties include linens, flatware, china and flowers. Know what to wear The Women's Board of the Foundation fr Nlanatee Conrhi m nityi '611"ege"6 W ts you to be fashion trend setter this season. Their annual fashion show and luncheon at the Plantation Golf and Country Club promises to help you be queen or king of every party you attend. Jean Pritchard guarantees everyone a mental fashion make over. Tickets are $40 and you can reserveby calling 493-3044. Going in a new direction The Suncoast Choral is excited about their new sea- son and believe they are heading in a new direction. Their new musical director Roy Engler comes from Ft. Myers. The group hired John Renfroe as the accompanist. Officers for the new year are President Bonmie 'Kaiser., Vice President Pete Petrie, Secretary Suzanne Hartzler and Treasurer Geoff Stroud. Other members of the board are Joan Byron, John Cianci, Joel Morrison, Janet Davison, Toni Samsel, Tine Marquart, Dagmar McLaughlin and Addison Wareham. The group meets on Monday evenings and is look- ing for new members. Call 493- 1677. To get a brochure listing the concert schedule send a request to Suncoast Chorale, Please see VALENCIC, 11B SLIM RANDLES GUESTCOLUMNIST Leave it to Dewey to come up with a new idea. In some ways, it was inevitable, of course, because Dewey was so accident prone it got to the point where no one would hire him any more. When you turn over a friend's grease truck on the interstate, and when you manage to get your dad's truck stuck in a mudhole ... during a drought ... you just plain have to be Dewey. He's a good guy, and he works hard. It's just that ... well, things happen to Dewey. So here was a single guy in his early thirties who hadn't yet managed to whack off any arms or legs, and he was stuck for something to do. He was finally able to do some yard 'work trade-out at the gas sta- tion to get his dad's old pick- up running again, and Dewey was in business. But what business? He'd talked with most of us about what kind of a job he might do that wouldn't.end in disaster. No orne wbuld'd"flt him on the payroll or the company insurance plan by this time, so it would have to be something he could do on his own. He thought at first of doing yard work, but Doc talked him out of that. "Dewey," he told him, "before you do yard work I want you to consider several things. Lawn mowers, trim- mers, hedge clippers and saws all have sharp edges." "What you need," said Please see RANDLES, 11B Oasis Hair & NailSalon Specializing In Razor Cuts Up To Date Colors With Color Specialist N Highlites & Lolites Sculptured Nails Prizma Acrylic Pink & White Manicures & Pedicures Nail Techs Nicole/Laurie Hair Stylist Milena 740 Shamrock Blvd., Venice, FL 34293 941-492-5383 Malone 9's ~I/ I PACK MIL FAX SERVICE NOTARY PUBLIC PACKING & SHIPPING 24 HR PRIVATE MAIL BOXES k CALL US FOR A FREE ANALYSIS MORTGAGE A REVERSE MORTGAGE CAN SEoRT AESUC MAKE YOUR LIFE BETTER! Serving Venice, Englewood & North Port areas Reverse Mortgage Associates, LLC I., ofi JC, No Mortgage Payments *No Up-Front Costs *No Credit Approval Required Receive Monthly Payments, Cash Lump Sum or Line of Credit Call Jack Cork for your Reverse Mortgage Analysis 1-800-954-1020 Toll Free Q MEMBER OF NATIONAL REVERSE MORTGAGE LENDERS ASSOCIATION Lawn Replacement No Job Too BIG or Too small --------------------------------- ----------I $50 OFF $100 OFF Minimum 3 windows. I Minimum 5 windows. .... Any window treatment Purchase with this ad. S-------------------- N ALiTY' DATs AT L- ha The Venice Christims BOAT PARADE OF UGHTS SAT. DEC. 2nd, 6PM ENTER YOUR BOAT TODAY! FOR APPLICATIONS VISIT OUR WEBSITE @ a More Than The Basics. -N t Top of the Line Dentistry, Featuring Affordable State of the Art Technology 488-1075 Davis & Beyer 1218 E. Venice Ave., Venice . .... $ l I 2 CONTACT US DEBBIE SHULMAN ASSISTANT FEATURES EDITOR (941) 207-1106 dshulman@venicegondolier.com Venice Gondolier Sun SENlR SCENE Down a lazy river in an inner tube The other day I was reclin- ing in my armchair and remembering the time I went tubing down the beautiful Muskegon River in Big Rapids, Mich., with a group from United Church. I must have been about 64 years old and at the time I thought, "Gee, I'm pretty old to be so venturesome." Now I think 64 is young, just about the beginning of middle age. How our perspectives change! Then I started wondering how tubing got started. Now, of course, it is a thriving busi- ness and a wonderful way to spend a sunny Sunday after- noon, floating in an inner tube down gently moving waters. My three children went all through high school with the Muskegon River practically running through the school's front yard, before tubing was known. I suppose that ever since inner tubes were invented some people must have been creative enough to figure out ingenious uses for them. Take, for instance, my friend Nancy, my helper with all improbable tasks, such as recopying this 55 times. She Lels me ,daL, when she was, a id., her. dald used-to piu hler in an inner tube with his tied next to hers as they floated down the Mahoning River in Warsaw, Ohio, at their sum- mer cottage. That was 70 years ago! My friend Caroline tells me her daughters went tubing while at camp in the Ozarks when they were children. Suppose one wanted to tube around Venice. Can you picture floating down the Myakka River in an inner tube with your neck and feet dan- gling in the water, neck to neck, cozying up with.an alli- gator? They are not supposed to feed in the daytime, but I don't suspect they like their sunny repose bothered either. I dunno! Just when I ruled out tub- ing around Venice, I received a phone call from Tory Pinney, my former typist, ask- ing me how I was. I was telling her about this article and she said, "Oh, I've been tubing in the gulf." I asked, how in the world did you do that? "I was pulled in an inner tube behind a boat," she replied. Peggy, one of our wonder- ful aides here at HarborChase, said she and her three children went tub- ing down the Suwanee River in Northern Florida. Still trying to find out how tubing got started.as a nation- al pasttime, I asked my side- kick, Endrus, if she would look up tubing on the Web. So imagine my surprise when she called back with her find- ings. "Guess what? It says Big Rapids is the tubing capital of the country." Of course, the people up there know that, but I guess I lost touch with my city of 24 years. The gently winding Muskegon River is very safe, being not too 'deep, with scenery of gently sloping lawns and gardens and a cur- rent that changes periodical- ly. It makes it ideal for tubing. It was about 1971 when Ferris State University in Big Rapids decided to use tubing for its fall orientation pro- gram. So, do you suppose that was the beginning of it all? Even when we lived there you could hear dozens of Ferris students enjoying their two-and-a-half-hour trip down the Muskegon, singing their hearts away, with per- haps five or six tubes tied together and one in the mid- dle holding snacks and drinks. Sometimes residents can still hear them, long into the night. Dr. Jerry Conrad, who always took an interest in the safety of and enjoyment of the Muskegon River, spear- headed the task of designing and building the paved walk north of the city that connects the three parks. I guess he also had a lot to do with the fiandicap-accessible bridge across the river, Way back when I was writ- ing for the paper in the 1960s, I remember Jerry, after going over the dam in a canoe, say- ing "I don't want anyone ever to do that again!" The rocks below are far too dangerous. And so, to paraphrase an old song: "Tubing down the river on a Sunday afternoon." Virginia Deupree is 92, and almost blind. She is a: graduate of Indiana Univer- sity, rioted for its School of Journalism. Virginia was a city editor and a columnist for many years, and now- irediWes,4hiVeMe .i-.- (.i;hh'a i ) WJh( Want to.Connnect jL) --^ to the n -e*? - .---,-, ---I CALLSUNLINE: Sun [in (941) 629-8256 or A livisin r Sun CjaI Med Group Inc (941) 483-4848 Dublisher, O lhe Sun Herald rev soacer Lunch is served at noon at Senior Friendship Centers, 2350 Scenic Drive, Venice, 584-0090 or 584-0031. The Senior Friendship Englewood Cafe is open every Tuesday. Please call Venice for reserva- tions in Englewood. Re- servations are required 24 hours in advance. Suggested donation: $3. All meals are served with bread and milk. . Monday, Oct. 23: Sliced turkey with turkey gravy, whipped sweet potatoes, gar- den peas, mixed fruit Frozen alternative: Pork riblet with barbecue sauce, old fashioned baked beans, confetti corn Tuesday, Oct. 24: Beef stroganoff casserole, broccoli, carrot cuts, tossed garden salad, French dressing, diced pineapple Frozen alternative: Frank- furter with baked beans, pars- ley yellow corn, green beans Wednesday, Oct. 25: French onion soup, barbecue chicken quarter, mashed potatoes, chuck wagon corn, fresh banana Frozen alternative: French onion soup, batter-dipped fish filet nuggets, green beans, mixed garden vegetables Thursday, Oct. 26: Broccoli rice and cheese casserole, peas and carrots, green beans, diced peaches Frozen alternative: Un- breaded chicken breast patty, seasoned carrots, broccoli cuts, diced peaches Friday, Oct. 27: Pork cutlet with brown gravy, black-eyed peas, collard greens, choco- late chip cookie Frozen alternative: Italian meatloaf with tomato sauce, mashed potatoes, mixed veg- etables SENIOR RsJ Respite care A free, year-round respite care program for caregivers and their loved ones takes place Friday, 1:15-3 p.m. at St. Mark's Episcopal Church, 508 Riviera, Venice. Registration required. Call Pam Baron at 366-2224. Driving class Senior Friendship Centers of Venice holds a 55 Alive Safe Driving Course, 9 a.m.-1 p.m., Oct. 23 and 24!at 2350 Scenic Drive. Fee: $10. Register with Debbie at 584-0075. Computer classes The Venice Area Chamber of Commerce's Senior Outreach Committee, in conjunction with the Venice High School Future Business Leaders Club, offers free classes to .area seniors on basic com- puter instruction, the, Internet, e-mail, and Internet product purchasing to senior citizens, 2-3:30 p.m., Tuesday, Oct. 24, in the high school's computer center at 1 Indian Ave. \-HS students conduct the instructional classes on an individual basis with the seniors. Each senior will have a computer to operate with a student alongside. RSVP to Dave Pierce or Michelle Ryan at 488-2236. Pre-Thanksgiving potluck Senior Friendship Centers holds its fifth annual early holiday potluck luncheon at area locations. For last names beginning with A-K,-bring a main dish; L-R, a salad; and S- Z, a dessert. All are welcome. No RSVP required. Call Kathie McMurrian at 584-0052. * 11:30 a.m.-12:30 p.m., Tuesday, Oct. 24, Venice Community Center, 326 S. Nokomis Ave. * 11:30 a.m.-12:30 p.m., Friday, Oct. 27, Community Presbyterian Church, 405 South McCall Road, Englewood * 11 a.m.-noon, Wednesday, Nov. 8, Epiphany Parish Hall, 305W. Tampa Ave. Birthday party Senior Friendship Centers of Venice hosts an October birthday party at 2 p.m., Tuesday, Oct. 24, at 2350 Scenic Drive. Celebrate with music, dancing and cake. For noon lunch, RSVP 24 hours in advance at 584-00.13 or 584- 0090. Donation: $3. Aging assembly The next Aging: The Possibilities Community Assembly is scheduled for Friday, Oct. 27,8-11:30 a.m. at Flanzer Jewish Community Center, 582 McIntosh Road, Sarasota. The program is enti- tled On the Move: Mobility Options and Oppofrtnities. Fran Carlin-Rogers, consul- tant and national expert, will be the keynote speaker. Carlin-Rogers works closely with AARP on senior mobility issues. This is an opportunity to consider how the commu- nity might create and support the best options for individu- als who can no longer drive. RSVP to SCOPE at 365-8751. Halloween party Senior Friendship Centers of Venice holds a Halloween costume party at 11 a.m., Tuesday, Oct. 31, at 2350 Scenic Drive. Special enter- tainment, prizes, goodies, music and dancing. For noon lunch, RSVP 24 hours in advance at 584-0013 or 584- 0090. Donation: $3. 'Aging' documentary SCOPE releases its latest doc- umentary. VOTE EXPERIENCE* VOTE Preston DeVilbiss For Circuit Judge (Group 21) Endorsements: *Manatee Sheriff Charlie Wells State Representative Bill Galvano S* Manatee Commissioner Pat Glass S Sarasota Commissioner Shannon Staub ,. Honorable Bill Evers Former Tempo News Judge of the Year Dr. Ed James & Helen James Reverend Charles McKenzie Preston DeVilbisstalks.with Sheriff CharlieWells. -L- Experienced -- Fair -I- Impartial -1- Honesty I Integrity -I- Temperament * Johnny Hunter Sr. * Sarasota Mayor Fredd "Glossie" Atkins & Sheila Atkins * Sarasota Vice-Mayor Danny Bilyeu * Sarasota City Commissioner Ken Shelin * Sarasota School Board Member Kathy Kleinlein * Venice Gondolier Sun /,624- * DeSoto Sun / /0 , * North Port Sun Wolo, * Intracoastal Civic Association 4 ,/ * Englewood Sun rom * Holmes Beach City Commissioner H. Roger Lutz Highest Rating "Exceptionally Well Qualified" Sarasota County Civic League U1ni[ely [rX' !Qualifri[]ju! e[ Years as Attorney Years as Judge Cases as , Judge Certified Circuit Mediator Former Special Prosecutor DeVilbiss Curley 33 12 72,000+ YES - lPretnr i eViliss ~ rIs Clearly The- Mos~kt Q alfl ied. -oltialadvrtse entpad or ndaprovd y resonDeilbs J. Non .-Patsn fr1t.udca.icutJde- Gop2.. uO CT.o 23-27 7B SUNDAY OCT. 22,2006 YES Venice Gondolier Sun SUNDAY OCT. 22,2006 CONTACT US KIM COOL FEATURES EDITOR (941) 207-1105 kcool@venicegondolier.com Chatanooga becomes ChataBOOga this month Oktoberfest like specialty beers frothing at the top of the glass as you toast to \our friends,. family\ and fall. When you \isit Rock City in October, get ready for the month-long celebration of Rock City's German heritage and the \iew\ of Chattanooga's fall foliage from the peak of Lookout Mountain. Enjoy live music from from Laureniz und die Kaiven. The Wurstbrats and the Gootmon Sauerkraut Band. Rock- toberfest is presented by Big River Grille and Bre\wing Works. Rocktoberfest is open e- very Saturday in October. from noon-6 p.m. For more information, visit twv.see- rockcity.com or call (800. 854- 0675. Tennessee Aquarium offers Thrills and Gills From spine- tingling sharks and barracuda to spineless wonders like the infamous octopus and slimy jellyfish. the Tennessee Aquarium's Tluhills & Gills in October fea- tures frightening fish tales but it's all fanmily-friendly, finny fun. Visitors will uncover the real facts about the Aquar- ium's most notorious ani- mals. such as moray eels, piranha, barracuda, alliga- tors, crocodiles, anacondas with bizarre seahorses, squirming octopus and elec- trifying jellyfish. obu'll see mystical creatures ranging from dragon-like fish to men- acing. toothy sharks and peculiar, hovering cuttlefish. Watch in fascination as divers feed the beasts of prey in the deep sea. journey through die galleries for some trick or treat goodies, play games to win prizes and listen to story- tellers share spooky tales. Continues through Oct. 31. 10 a.m.-6 p.m. daily. For more information, visit tnaqua.org or call 800-262-0695. Historic and haunted? Hunter Museum of American Art 'Even before the Hunter NMuseum's original mansion was built in 1905, the muse- umrn cliff-top site was used as a battery for both Union and Confederate troops during the Civil War. Before that, the ground was considered a holy place by the Cherokee. Given the area's history it is no won- der that some Chattanooga residents and visitors \wonder if spirits might still linger in the mansion and its grounds. A ghost hunter did visit the museum in the 1990s and some Chattanooga residents have stories of strange hap- openings in the mansion por- don of die museum. During the month of October, visitors can tour the museum's collection of American art long recog- nized as one of the country's finest and discover works from the colonial era to the contemporary. Guests can also participate in a scav- enger hunt width a Halloween dtheme and explore the muse- um's Edwardian mansion. For more information visit wwwx,.huntermuseum.org or call (423) 267-9844. Trick or treat at the Chattanooga Choo Choo Holiday Inn Wrap up your entire favorite heart-stirring, eye-popping experiences throughout town into one package you'll need some- place safe and secure to rest when you're done. Packages include overnight accommo- dations in an authentic train car or a standard room, din- ner voucher and special treat bags for the children. Chug, chug. chug, chug, choo choo! The Chattanooga Choo Choo Holiday Inn, made famous by the Glenn Miller Orchestra in the song, Please see BOO, 11 B PHjlTOC', .-OuRTES, ''.F HLI.IH IU )IG'r.lIFE IIF .. Fi FALL" This is one bus ride that every rider will remember, except for those few who do not survive and end up on the "other side:' STAFF REPORT a When ChartaBOOga trans- forms itself from Chat- tanooga in October, it's not the typical haunted venue. There's a haunted cavern carved out of the side of a mountain; an amazing corn maze friendly by day, but a heart-stopping labyrinth by night; and there's a killer crit- ter craze where fear factor creatures and their "habits" are explored in all their gorey detail. October in Chat- tanooga offers thrilling, chill- ing adventure and family fun you can't experience any- where else. run- ning rampant above and below and have an insatiable hunger. Explore thousands of feet of twisting caverns lined with live actors, gasp at horri- ble mutations, but whatever you do... Don't Look Back! The spooky cavern will be open after dark (8 p.m.) every week from Thursday-Sunday in October and on Halloween. Closing time varies by date. Call if you plan to arrive after 10 p.m. Not recommended for the faint of heart or chil- dren under 10. Slither through the Enchanted Maze at Rock City Gardens First you think questions and a corn maze, can't be too hard, right? Your correct answers get you straight into the heart of the maze. Then, as you're looking for your Way out, you suddenly begin to question your answers as the trails get harder to figure out. Getting the questions right is the key in getting out of the challeng- ing, 10-acre labyrinth of trails, answering them wrong will only take you deeper into the maze. Panic. As darkness sur- rounds the field, the maze turns into the Spooky Acres Maze where the 10-foot stalks outlined by the moonlight creates a hair-raising chal- lenge ol haunted twists, rustling stalks, eerie spooks and other mysterious crea- tures. Additional fall festivities include hayrides, a play- ground, a kiddie hay maze and a Rock City Barn. The 2006 Enchanted MAIZE design celebrates Rock City Gardens' 75th Anniversary. The maze will be open through Oct. 29, Thursdays from 9 a.m.-8 p.m.; Friday and Saturday from 9 a.m.-10 p.m.; and Sunday, noon-8 p.m. The maze is recom- mended for all ages. For more information visit enchanted- maze.com or call 800-854- 0675. Oompa over to Rock City Gardens for Rocktoberfest Transport yourself to Germany where the sweet smell of bratwurst, knock- wurst, German sauerkraut and Polish sausage waft through the air. Polka music rings throughout Rock City's scenic mountain beauty, beckoning you. to do the "Chicken Dance" on the polka stage. And nothing says All kinds of characters will be parking in the Ruby Falls parking lot. and sharks. Plus, check out the bulbous, eight-legged octopus and the stinging ghouls of slime: the jellyfish. Special dives and gallery pro- grams will focus on the myths and mysteries of some of the most feared animals on earth. Visitors can also register to win a behind-the-scenes tour to watch biologists feed some of the Aquarium's most dan- gerous creatures. At the IMAX 3D Theater you can face off with a wolf eel, hunt with hungry stand tiger sharks or dodge hun- dreds." On Oct. 27, dress to impress in your Halloween costume at the "Phantom of the Aqua" Halloween Party. Celebrate the spooky night Happy Heart Tours I 484-7568 HHTours@aol.conm Dec. 4.7 ............. Return To BILOXI! AirTour! Imperial Palace Hotel/Casino! Callfor flyer! Nov. 23-24 Belleview Biltmore of Clearwater Thanksgiving + Show Palace Dinner Theater. Hurry! Nov. 29Dec. 3....... Nashville Country Christmas Dec. 24.26............Belleview Biltmore Christmas! Dec. 29.Jan. 2...Myrtle Bch "Big Band" NewYear Jan. 23-25.....St. Augustine Inc:. Nights of Lights! Mar. 13.15..................... Visit Miami & Key West! March 24-April 5.......Tour State of Texas & LA!! Apr. 18.26 ..............Visit&TourWashington, D,C. 10/26 Nunsensations-The NunsenseVegas Revue! 11/114,12/13 Tampa's Hard Rock Casino! Rec. $20 Free Play +$5 meal voucher., Reserve Early! .........$33 11/8 Broadway Palm "The Full Monty!" Last one! 11/15 & 12/7 Dixie Stampede Christmas Show! 11/19 "Dirty Rotten Scoundrels"Tampa HURRY! 11/23Thanksgiving Matinee "Spirit of the Season" 11/23 Thanksgiving Matinee "Singing in the Rain" 11125 Cypress Gardens Lights +GeorgeJones 12/1 .......Gaylor Palm's Main Holiday Event- ICE! 12/5 & 12/12......Arabian Nighs Holiday Shows! 12/9... "On Golden Pond" starring Tom Bosley & Michael Leamed!Tampa+ Lunch inc. Hurry! 12/6 ........Broadway's Hairspray!"Tampa + lunch! 1/27 Bill Gaither"Give it Away"Tour! + Dinner Call for Current Tour Booklet With Many Many More Day & Extended Tours & Cruises! Other Upcoming Day Tours: ChristmasTours, Riverdance, Boston Pops, Englebert, Guy & Ralna,Carl Hurley, Spelling Bee, Mt. Dora+ Many More! F* L Reg. #10319 * Holland Tulip Cruise Amsterdam to Belgium' Hosted by our President! FREE shore excursions, cocktail party, tours and visit to Kuekenhoff ulip Gardens! Rate $2]98 now 2nd is Free HAWAII CRUISE $999 15 Days/Free Air! Cruise Honolulu, Kauai, Maui, Kona, Hilo. Waikiki stay included! BUY OF THE YEAR! GERMANY/RHINE $1299 21 Days/Free Air! Cruise to Europe & Germany. Add to RHINE RIVER! PANAMA CANAL $349 12 Days/Free Bus! Choice of Cruise itineraries that include Southern Caribbean & Panama Canal. Great! TUSCANY Cruise $1199 21 Days/Free Air! 6 Days in Italy with breakfast/dinner daily. Cruise Rome, French Riviera, Barcelona, Morocco, Florida. FREE bus home! Venice Gondolier Sun CONTACT US DEBBIE SHULMAN ASSISTANT FEATURES EDITOR (941) 207-1106 dshulman@venicegondolier.com DINING TRAVEL ENTERTAINMENT! OUR TOWN 9B SUNDAY, OCT. 22,2006 li. ht-finwgrl r nrtauste? nis, a restraining hadu S- . m d- 400 4 - "W~ "111p- . .do ob -o OP-4 - 401 lipI ~ "Copyrighted Material_ _.Syndicated Content"- do M w . 4Dmma" o-f ~-G- - - :Available from Commercial News Providers" -.~ - - __ - * - * - - ~ .~ * -.~ -. - ~- -~ -a * ~ ___ m Q _______ * - -.- - - -d-w ON - m - m Ow -* .4m 40 41 -mqm mm .9m 4WD a.-M -m .m -.d ---m 4 p41 a G -m 40M doom 4w-qw f w ,- - qv 0 A man,4 - 4b Sh mim,- GOD aw- o m- O-lo mii moo* mm t u - awfwma,41MA LIBRARY BRIEFS VPL film festival Film historian Jim Orville will produce and host the 11th season of the Venice Public Library annual fili festival. All films are Thursdays at 6 p.m. Oct. 26, see 1940's "Ghost Breakers." The theme for November is It's Murder, Ladies. Nov. 2, Hayley Mills and Britt Ekland star in "Endless Night" (1972); Doris Day stars in "Midnight Lace" (1960) Nov. 9. Nov. 16, see "Sunstroke" (1992) with Jane Seymour. Gene Tiemey and Dana Andrews star in the mystery "Laura" (1944) Nov. 30. Great Decisions The Great Decisions group eti.ast 9'30 a.m. designated Mo'daiys to discuss local issues and organizations dur- ing the fall, and international issues during the winter. Oct. 30, Kindra Muntz will speak on behalf of the Sarasota Alliance for Fair Elections. International Cinema See Krzysztof Kieslowski's "The Decalogue" (1988), 10 short films presented on four days: 5 p.m., Tuesday, Oct. 24: Decalogues One, Two and Three; 6 p.m., Monday, Oct. 30: Decalogues Four and Five; 5 p.m., Monday, Nov. 20: Decalogues Six, Seven and Eight; and 6 p.m., Tuesday, Nov. 21: Decalogues Nine and Ten. The films are in Polish. with English subtitles. No reg- istration necessary. BROUGHTTOYOU BY: Il' W f A ..... .,:." l- :i... ,:,a:nl ,.-,J, ,"..u h',," Remodeling & _ repair, kitchen & bath cabinets, painting & wall paper, tile & grout, doors & windows, cage, caulking. Pearl River $1 89 ppdo Receive back $40 in meals and bonuses. Biloxi $219 ppdo Receive back $105 In meals and bonuses. October 291h and November 21' THANKSGIVING TRIP ESCORTED MOTORCOACH TRANSPORTATION (941) 473-1481 1 (800) 284-1015 1546 S. McCALL, ENGLEWOOD 34223 ON THE ROAD AGAIN TOURS Live jazz Bring a lawn chair to the front of the library and celebrate. Halloween, 11 a.m.-2 p.m., Tuesday, Oct. 31. Enjoy music ,by Ed Stoddard and his Jazz Quartet, a pumpkin raffle, face painting, popcorn and refreshments, and a large book sale, all sponsored by the Friends of the Venice Public Library. Author visit Anna Monardo, author of "Falling in Love with Natassia," speaks at the library about her novels and the writing experience, noon-. 1 p.m., Friday, Nov. 3, as part of the Booked for Lunch pro- gram. Bring a lunch and have refreshments provided by the Friends of the Venice Public Library. No registration nec- essary. Women on the go Women who want to travel are invited to a support and Th1 iB491ea1 a 3 eggs 3 pancakes 3 bacon, Only $3.99 Monday Saturday 6:30 a.m. to 11:00 a.m. Saturday is now included! Only $5.99- Monday Saturday 11:00 a.m. 3:00 p.m. ISe"a e Pla"te Mel's 7 famous deluxe plates complete with soup, salad, potato, and vegetable. Only $9.99 ------------ Bring this coupon for 20% Off any entree from Mel's regular breakfast, lunch or dinner menu including Deluxe Plates Dine-in only and I cannot be combined Switch any other offer. Expires 10/31/06 ) discussion group that meets 2-4 p.m. every third Monday of the month. Members share travel experiences and give encouragement and help in independent trip planning to others in the group. Next meeting is Nov. 20. Short story discussion A series of selections from the book "Great American Short Stories: From Hawthorne to Hemingway'" (Barnes and Noble, 2004); will be dis- cussed Fridays, 2-4 p.m. through Nov. 3. No registra- tion required. But of course Practice your basic French language skills Fridays at 10 Rhode U I "AWARDING WINNING BREAKFAST, LUNCH, DINNER" EXPIRES SOON! 30 MEALS $9.95 Twin Maine Lobster Tails... $13.95 Early Bird $2 Off Select Menu Items on Reg. Dinner Menu. Order must be in kitchen before 7:00. Exp. So PLEASE don't come late 10/24/06 Reg. Dinner Portion Closed Monday Call ahead seating Downtown Venice 220 W. Miami Ave. 484-5187 Featuring Authentic Italian Cuisines a.m. with the VPL French Club. The group practices French conversation during the first hour, followed by readings from French litera- ture and current topics dur- ing the second hour. Copies of the readings available at the VPL circulation desk. New members welcome. Adult computer classes One-hour computer lab classes are being taught by VPL reference librarians. Register within six days of the class. Stop by the reference desk or call 861-1340. * 2-3 p.m., Tuesday, Oct. 24, Oct. 31, Beginner's Windows X . Please see BRIEFS 10B NORMA JEAN'S BAR & GRILL . Jacaranda Plaza, 193541 By Pass 492-5524 A (Opposite Bad to KImat) R-GB ILL WE HAVE THE The Best Friday Might FSH FRY BEST BURGERS In town 3 to 9 i Only $6 becauseue oup customers say so. In Restaurant Or To Go S We'reYour rharite eu or hood Venice L a 'S' J 4369 S. Tamiami Trail (941) 496-8383 "COOKING OAK FIRE GOOD" TRADITIONAL 1 Lb. 1/2 POUND SLOW ROASTED T-BONE SIRLOIN STEAK i lO OZ. STEAK PRIME RIB DINNER DINNER DINNER DINNER Sun. All Day -Mon.after 4:00 PM Mon.thruThurs. Fri. & Sat. $099 1099 $1 099 -------1- BUYILUNCH,1 I 5 OFF I I GETONEFREE Lunch Menu Only IA $25 Purchase Or More I Mon.- Sat.11:30 AM 3:00PM One coupon per table, per party. Offer One coupon per table, per party. Offer I Cannot be combined with any other cannot be combined with.any other offers specials or coupons, offers, specials or coupons. Sales tax and gratuity are not included. Sales tax and gratuity are not included. I Exp.10-30-06 VG Exp. 10-3006 VG 9Marina Restaurant LH & TAVERN 2006 Our 30th Anniversary Celebration! September 29 October 28, 2006 Enjoy 30 Days of Food & Drink Specials! Saturday, October 28 at 10:00 am Wy Cruise the waters of Venice on a scavenger hunt, gathering dues to find the Treasure'r 100 boat entry (4 people to benefit the South County YMCA Bring yordi gnal camera! Call the Manna at 941484-766L oemq - -~ Season's First Dance Venice Community Center 326 S. Nokomis Ave. Thurs., Oct. 26 7:30 PM to 10:30 PM STickets at the door $7.50 Sponsored b3 Friends of the V.enice Community Center. Inc. Information Call Barbara at 497-3227 43 h Restaurant Chains e AlteawThey are all the same tO M Althea's Food & Prices Puts them to Shame. , . w b long& qw 4- o mIn SrI -.Irr -rrkira .irn CI 11 IBUD VENJICE GOJNDO'LIER SU BRIEFS from page 98B * 11 a.m.-noon, Wednesday, Oct. 25, Libraries Web Site, part 1. * 11 a.m.-noon, Wednesday, Nov. 1, Libraries Web Site, part 2. Registration begins 9 a.m., Oct. 26. * 2-3 p.m., Tuesday, Nov. 7, Internet. Registration begins 9 a.m., Nov. 1. * 11 a.m.-noon, Wednesday, Nov. 8, MS Word, part 1. Registration begins 9 a.m., Nov. 2. * 2-3, Tuesday, Nov. 14, E- mail. Registration begins 9 a.m., Nov. 8. * 11 a.m.-noon, Wednesday, Nov. 15, MS Word, part 2. Registration begins 9 a.m., Nov. 9.. Oct. 24 and 26: Fall Leaves; Oct. 31 (Preschool Storytime): Pumpkin Fun; Nov. 2 (Tot Time): Fall Leaves: Nov. 7 and 9: Be Healthy- Nov. 14 and 16: Gobble, Gobble! Nov. 21: Thank You, Pilgrims! Nov. 28 and 30: Get Ready for Winter. * After-school fun for ages 4-9: Wednesday, 3:30-4 p.m. for ages 4-9. Oct. 25: Fall Festival; Nov. 1: It's Fall!; Nov. 8: Be Healthy; Nov. 15: Gobble, Gobble! Nov. 29: Wintry Days. * Doggy Tales: Thursday, Oct., 26:3:30-4:15 p.m. * Forty Carrots Family Center- activities, 9:30-10:30 a.m., Friday through Dec. 8, for babies through age 5. Free. Register in person on class days.. 301 So. Tamiami Trail =. Venice, FL W (941) 488-2488i FOR OUR SENIORS ANY TWO DINNERS (Senior Menu) A ..-I ALL DAY ANYTIME Does not include $10.49 beverage DAILY DINNER KIDS EAT FREE! SPECIALS W/Purchase of Adult Entree Tuesday & Thursday $5.99 Kids (menu 12 & under) A Waterfront Ago 'Qod'F 1 Sea1odd' 'feiS "Old FlordaAt Ifs est. -risH HOUSE" ;:: EARLY BIRD SPECIALS 4-5PM 2 For 1 Chablis Baked Stuffed Shrimp Sauteed Snapper $ Crab Cakes Chicken Francese Shrimp Scampi All dinners come with rice and vegetables. ~J H~r-Tru'r~iinJ~~ r***-,.. Residency not required. Golf, Social & Tennis / memberships available. If unable to attend please call Candy Mausser, Membership Director for a tour Miss Zackon, where are you now? DICK HARISON GUEST ,COLUMNIST I was hopelessly in love! That she was more than twice my age didn't matter. When Miss Zackon became my fifth-grade teacher she was probably fresh out of teacher's college. PS. 51 had never seen her likes, nor had I. My scholastic frame of ref- erence was long on tenure but woefully short on charm. There was Miss Sappington, who weighed just short of a ton, taught second grade and put disorderly children in the knee hole under her desk, blocking all light with her pil- lar size legs and black, floor length dress. Mrs. Smith, who looked like Eleanor Roosevelt, inspired a life-long love of books by daily reading from "Dr. Doolittle's Adventures in a Drop of Water" and "Silver Chief, Dog of the North" to her third-grade classes. There was red-haired Miss Edith, who made us fourth-graders memorize and recite embar- rassing lines such as Joyce Kilmer's, "a tree who's hungry mouth is pressed against the earth's sweet flowing breast" and fierce Miss Adams, who lay in wait for me in the sixth grade. Compared with them, Miss Zackon was a vision of beauty, sweet temper, gentle guidance and an object of what I later realized was unbridled lust. The only teacher who might have come close was Miss Riggs, my first-grade teacher, whose daddy bought the famous sheet of misprinted upside down Jenny stamps. She passed out chewing gum in school, taught us all to save stamps and- was very pretty. But I was too young to appre- ciate much more than the gum and stamps. As soon as the shock of seeing such a sparkling gem in' the dreary setting .of our fifth-grade classroom wore off, I began a campaign to become teacher's pet. Suc- ceeding beyond my wildest dreams, I became a willing and deliriously happy slave to her slightest whim. I was waiting when she arrived in the morning and stayed at her beck and call until she left in the afternoon. No task was too great; there were no erasers more vigorously beat- en, no blackboards more carefully washed and pol- ished. I stacked books, straightened desks, sharp- ened pencils, filled ink wells, pinned work on the bulletin boards, ran errands and prat- tied joyfully to her about the things I did, the books I read, about life, learning and long- ing. She loved children and I was a bright little boy who doted on her company and did all I could to be sure she enjoyed mine. Because I knew she valued achievement, I became a star Live Music Great Food Bruce Nye Boat Rentals "The Elvis Guy" Family Fun RVP...will sell out! PARTIES WELCOME Lunch & Dinner . 1-75 Exit 191 Venice Ave 485-7221 i IAll New Galleria 'Rec Room Free Lunch & Dinner for Players on... Tues., 10/24/06 and Thurs., 10/26/06 Be here by: 12:30pm By here by: 6:00pm Lunch is at: 1:00pm Dinner is at: 6:30pm I Come check out our NEW Video I Skill Machines w/redemption , (Located in Bingo Hall) 2077 S. Tamiami Trail -Venice 492-6696 Open 7 Days 11:00 AM 11:00 PM OPEN 7 DAYS 11am to 2am SSERVING LUNCH, DINNER t LATE NIGHT MENU & FULL I SERVICE BAR m epy S Call for reservations I pub &9rife 480.9244 231 W. Venice Ave. Downtown Venice EARLY BIRD SPECIALS SERVED EVERY DAY 5 TO 7 PM 10 Oz. Sirloin Steak............................ $9.99 Fried Shrimpp...... ..................$9.99 Chicken/or Steak Fajitas.................$9.99 Crab Cakes ................. .........$9.99 Grilled Grouper ...................$9.99 Plus (9) Other Choices All............ $9.99 Entertainment by the G Force Band Every Wed., Fri. & Sat. 8 PM -.12 PM student. When she became advisor to the Science Club, I joined and willingly prepared reports on any subject she thought I would enjoy. She also ran the Student Safety Council, which I joined forth- with and became president out of readiness to undertake any task no other kid wanted. With her encouragement and help I wrote an essay on safe- ty in a citywide contest that won the first prize of $15 and the chance to read the com- position on local radio. As the school year drew to a close, I realized that next term I would be in Miss Adams' class and, except for the fact I could help Miss Zackon after school, .the prospect was almost too sad to bear. She encouraged me to enroll in the local library's summer reading program and asked me to write to her about the books r liked. Spurred by the chance to con- tinue shining in her firma- ment, I chose massive tomes' from the adult section and devoured works such as "The Grandeur. That Was Rome," and "The Glory That Was Greece" in such short order the librarian grew suspicious I was taking the books out only for show. A couple of weeks before the fall term, Miss Zackon vis- ited me at home. I was ecstat- ic until I heard her crush- ing news. She came, in per- son, to tell me she was getting married and would not be returning to P.S. 51. We both cried. Richard Harrison is a Venice resident and a fre- quent contributor to the Venice Gondolier Sun. BROUGHTTOYOU BY: Sunime A divion of Sun Coast Media Group, Inc., S publishers of the Sun Herald Newspapero j Your Neighborhood Bar To Watch All The Games! NFL Ticket & ESPN College game plan. 100WestVeniceAve.,-nic i.i ; 3 BLUE PARROT'S OHANACAFE' 1262 Jacaranda Blvd., Venice Pines Shopping Center Bringing you a taste of the Real Hawaii... along with Mainland & Continental Favorites Kitt & Mike Moran Friday Evenings Reservations Suggested 492-5366 Specials All Day & Evening Except For Friday Jazz Night a low price, movies and DIY shows for me Give me SpongeBobSquarePantsWandSabrina'the 319,99.th 40 fa*Mly-frndl hneds n5Ce. 0-4w .YrAM America' Top 120 $20.9.t~,h 0onr16 P dnatchnnl Choose to add Local Channels,[just $5 0t (,teuwi FREE DVR Receiver Upgradew ms FREE Standard Professional Installation (up to 4 rums) NO Equipment to Buy ishHD' Bronze S49.99g ., Incldes 23 high-definition channels plus over 70 standai channels . AKattn e e3 a maCO 51,., KUSTOM SICHTI SOUND -NETWORK 8 SALES SERVICE SATELLITE a Better TV for all. S493-7744 426-8393 2233S.Tamiaml lall, 12693 S.Tamriamlall, Venice North Port W~(p^I .Ua acNxJllla4rP2~i~kfmlMf~ntteRmo^ SUNDAY, OCT. 22,2006 no M111 NOW,- OLDNENICE PUB EST 2006 N IN E I! Illjo lp I 'III!!'! IL_ ,.. SUNDAY, OCTI.22,206WLUENLU3NO~tK. VENICE GONDOLIER SUN 11 B , Cl N~nV rT )) )(Or R.AttAA f imirrrf.Iflfi IFR-rom RANDLES cowboy Steve, seriously, "is a job where you just can't hurt anything. Especially yourself. If you have a product to sell, for example, make sure it's worth exactly nothing. That way, if you ruin it, you won't be out anything." So Dewey gave that some thought and came up with his new idea. His pickup now says "Dewey, the Fertilizer King" on the door, along with his phone number. Each day BOO he goes out to the dairy and to the feedlot and shovels manure into the truck, then goes to town and spreads it - for a price in people's yards. It seems to be working so far, too. "Only Dewey," said Doc the other day, "could become an entre-manure." Brought to you by Sun Dog Days, a novel of real cowboys. Check it out at slimrandles.com. -. ~ .* ~ -r *~A..~j:4~ - ~ .. ~ '5 .' *1~ VALENCIC PO Box 653, Englewood, FL 34223. Their first Venice con- cert is at the Church of the Nazarene on Dec. 1 at 7:30. Pat on the back Three cheers to Dennis Rodriquez and Chris Sharek for giving everyone a chance to purchase some official "Venice City Bottled Water." The bottles sell for $12 for a case of 24 and are available at the cashier's office at City Hall. With the holidays coming, , this could be just about the most perfect gift for the per- son who has everything. Look for this crystal clear deli- cious Venice treat minus sharks teeth on sale at major events, hopefully as a fund raiser for groups. . "The Chattanooga Choo Choo," offers tons of family,,- fun where you can toot a train whistle from your stationary sleeper traincar, delve into , the fascinating tales of the g conductor as you ride an .,3 authentic New Orleans trol- , ley, shop at unique retail ,r stores or eat at a restaurant, where the servers sing for . your supper. Special Hallo- ; ween packages are available ,g Thursday-Sunday nights only ., until the end of October, sub- ject to availability. For more information, visit 2 or call o (800) TRACK29. , Tickets to the ghoulish.,q ChattaBOOga attractions , include: Rock City Gardens, Rock City Gardens' Enchan- ' ted Maize and Ruby Falls' , Haunted Cavern. 1 For additional fall or .: Halloween events in the, Chattanooga area, visit chat- . tanoogapulse.com/vcalen-,; dar. .ZZ Ti,, IlLg "Copyrighted Material . ar Syndicated Content Available from Commercial News Providers" ^ *m PHOTO COURTESY OF HUGH LONGMIRE OF RUBY FALLS In case anyone becomes ill while in the cave at Ruby Falls, they should go to this doctor's office, which is within the cave. PAT'S BARBER SHOP Want a Better Haircut? Come Visit Us .' Kim Silvia formerly 0, o "Great Clips" & Accent On Beault Salon * Precision Cutting Color Foils * Perms Sets Walk-in Welcome Stil wnd By Appt..u I'a Open Tues.-Fri. 9-5 sal. S.i 199 NssauSt.U Onth sln Win Supto of the --- l J -upto- ,- -" .-- ':- upt -- . To enter, o to: Home & Office Furnishings * Honesty Quality Price 7,000 sq. ft. showroom Pre-owned, new, factory seconds ON OFFICE .We buy used office furniture NI Phone: S 941-485-7015 881 E. Venice Ave., FURNITURE Venice, FL 34285 TAY. .N If you have been suffering from a chronic condition that causes pain in your daily life, there is new hop< through the ASTYMTH system. ASTYMTI treatment, an innovative rehabilitation. i hrFloridaa SnWe oastCot . A^SPhysica Therapy! mo m 0 old mold too moidiold"1d moi M old mold W Coast Carpet Cleaning and Disaster Service E Licensed Mold Removal o' .... .. Member of the H Mold Survey Available "0 Odor Removal E 24 Hr. Water Removal 0 "Serving the Area for Over 25 Years Fa Smold E mold goid maln old mold M01 L) CLI.ILIC I I -117 S12 751 US 41 ByPass S. Venice. FL 34285 941-484-3313 Mon. Sat. 9 a.m 5 p.m. - CMR02041 amilv Owned & Onerated, Sin 0 K e *0o Os 3 Chamber of 3 Commerce 0 & Voted , "Best of Venice" ce 1977. 2 Sarasot 365455 )t i*t *I0gg336 54 - 3 -on 0L ts ~: II' - -. -, ., r Rattan Wicker & Cane SDo you have arthritis, herniated discs, Do sciatica, muscle spasms? IDD' therapy is NONINVASIVE, safe, comfortable and effective! ... Treatments can: Reduce or eliminate pain and need for medication Sr Increase activity %; ' Improve quality of life David I. Greenfield, M.D. Rheumatology & Osteoporosis Board Certified CALL FOR A SCREENING (941) 497-4069 Most insurance accepted (copayments may apply) !SS3BSI!5 R'C^^.'St -*^E By Vicki Connell. .i M.A., CCC-. - Certified Audiologist Q. Every time I open the paper I see advertisements for digital hearing aids at very low prices. When I asked my Audiologist about this, she said those digital hearing aids do not have computers in them. Help, I'm confused. A. Confusing you is exactly what those advertisements hope to do. "Real" .digital hearing aids contain sophisticated computers which process sound moment to moment. These tiny computers change the amplification in reaction to changes in the environment of the listener. They are able to perform hundreds of computations per second and provide clear, high fidelity sound to the listener at all times. It is these types of instruments people think of when they, hear the term "digital hearing aid." Some manufacturers, however, have chosen to remove the computers from their hearing aids while still keeping the "digital" label. These instruments do not do any moment-to-moment signal processing and cannot be reprogrammed in the future. Because these instruments do not contain computers, their performance is limited and their prices are low. The advertisers you mentioned are hoping you notice the low price and won't notice the difference between "their" digital hearing aids and "real" ones. In order to learn more about the benefits of various hearing aid technologies and which ones would work best for you, call the Audiologists at Woodmere Hearing & Balance Centers, Inc. at 492-4327 or 206-2136 to schedule a hearing demonstration. Jacaranda Office Park 4120 Woodmere Park Blvd. Suite 8A (across from Jacaranda Public Library) or 21234 Olean Blvd. #4 Port Charlotte a ft ADVERTISEMENT WORDS WORTH HEARING i. . U SAVE a a - Venice (941) 484-1939 S. Nokomis Ave., Suite 204 I .ute 204 St Suit i Engiewood (941) 47752022 0-1 -] 900 -7St, Suite 127 ;E PP'ihne(9 27 "11411- 11101cl "Jw- ---wxa Venice Gondolier Sun CONTACT US DEBBIE SHULMAN ASSISTANT FEATURES EDITOR (941)207-1106 dshulman@venicegondolier.com Understanding your dog's body language BERNIE THOMAS inter- pret various instinctual actions pf your dog is D{ critical to establishing Pe authority, respect and p control over our canine friends. ap Learning how to "lis- Sa ten" to your dog requires knowing its tongue dart in and out? To understand a dog's body language we need to focus on certain body parts, especially its .eyes, ears, mouth, tongue and tail. Because of a dog's pack men- tality, he will either follow the leader or be the leader. Your ultimate goal is to assume th leadership role with your dog; and a key to understanding your progress in this area is by observing the actions of his eyes and ears. Notice your dog's eyes. If he is staring at you, he maybe OGGY ATTITUDE ADJUSTMEN t owners interested in learning about sters'holistic, home dog training proach can call (877) 500-BARK, e-mai rasotaNorthPort@barkbusters.com, or rkbusters.com. demanding something from you or seeking confrontation. If his eyes are looking down, he feels respectful toward you and understands that you are the pack leader. If your dog's ears are forward, he may be listening to you or listening for noises. If his ears ate back, he is showing respect tor your leadership. His mouth can also hold clues tp his disposition. If it is closed, it could mean he is fearful of the situation he is in presently pr merely that something has caught his attention. If his tongue is' darting in and out wlile you correct him; he is showing you a sign of submission and respect. If his tail is up and wagging slowly, he is feeling dominant over you. When his tail is down and between the legs, he could be showing you that he is fearful or submissive. Expressive body language can also be seen when your dog moves T around the house. For Bark example, walk to your Bark back door. What does S your dog do? visit 1. Did he run to the visit door to beat you there? 2. Did he follow you there? . 3. Did he just lie down? If you answered yes to number 1, your dog feels he is COURTESY PHOTO You can learn a lot be studying your dog's eyes, ears and mouth. the leader of the pack. If you answered yes to number 2,' your dog sees you as the leader. If you answered yes to number 3, your dog may have separation anxiety, or he may be fearful of being left out-. side. Learning how to under- stand your dog's body lan- guage can be both fun and instructive. It is very reward- ing when you begin to feel a closer connection with your pet, and this only comes by speaking to him on his own terms. Bernie Thomas, Bark Busters Dog Behavior Therapist, is the local fran- chise owner of Bark Busters. Ready for Halloween ', I -wF PHOTOS COURTESY OF JUNE STRAYER Left: McDuff (Duffy) Strayer and best pal, Millie Perkins, are ready for trick-or-treating. Right: Baron is ready for Halloween: "Where are my kitty treats?" HT WW 'Hi there!' ,v VEU PHOTO COURTESY OF CLAIRE BERTEN Boots, left, greets a new Golden Retriever acquaintance at Pet Supermarket during Suncoast Humane Society's Venice adoption event, Sunday, Oct 15. According to Claire Berten of SHS, Boots "has been with us for several months and has never met a living thing he didn't like." SHS brings lovable, adoptable pets the second Sunday of each month, 10 a.m.-3 p.m., at 470 North U.S. 41 Bypass. Call the SHS at 474-7884 or visit humane.org. DoggyTales' Children of all ages are invit- ed to read to pet therapy dogs from-the Suncoast Humane Society. * 4-5 p.m., Tuesday, Oct. 24, Selby Public Library, 1331 First St., Sarasota. Call 861- 1133. * 3:30-4:15 p.m., Thursday, Oct. 26, Venice Public Library, 300 S. Nokomis Ave. Call 861- 1332. Auto show for guide dogs The fourth annual Sarasota 2006 St. Armands Circle International Invi- tation Auto Show takes place 10 a.m.-4 p.m., Saturday, Nov. 4. The event, featuring clas- sics, antiques, customs, hot rods and more, benefits Southeastern Guide Dogs Inc. Sunday, Nov. 5, visit the Lido Beach Holiday Inn for the second annual Cruise-In, si-: lent auction and pool-side party, 1-5 p.m. Proceeds from the silent auction will benefit Southeastern Guide Dogs Inc. Guide dog handlers will be on hand both days to accept donations, answer questions and give demonstrations. Call 388-1554 or e-mail dir@star- mandscircleassoc.com. \ Humane Society gala to auction piece of Wimbledon History A piece of Wimbledon his- tory is up for auction at November's Humane Society of Sarasota County gala: the tennis racket used by Martina Navratilova in her final Wim- bledon competition. "Ms. Navratilova is a very generous supporter," said Humane Society of Sarasota County Executive Director Deborah Robbins Millman. "She gives from the heart, and we and the animals appreci- ate it so much." Navratilova, who won the women's singles title at Wim- bledon a record nine times, retired from Wimbledon this year, expressing a desire to spend more time at home here in Sarasota County. This year's Humane Soci- ety of Sarasota County "Hot Dogs & Cool Cats" gala set for Nov. 4 at the Hyatt Sara- sota, celebrates the Chinese calendar's Year of the Dog. According to the Chinese zo- diac, those born in the Year of the Dog have giving, compas- sionate natures. Other items up for live auction at the Nov. 4 event include: "A Walk on the Wild Side" - A rare opportunity for the animal lover, the winner will get VIP tours and special bonus experiences at premier wildlife organizations in the region, including the Lowry Park Zoo, Mote Marine Labo- ratory, and the Center for GreatApes. "Grey's Anatomy Hits Sarasota" Veterinary Neurosurgeon Anne Chauvet gives you a set of your own scrubs and brings you into the world of the "OR" (operat- ing room) for a rarely allowed, behind-the-scenes look at the action. "Cookin' with Arthur" - Get "backstage" at Zoria's for some "Kitchen Confidential" action and work with Sara- sota Master Pastry Chef. Arthur Lopes, before eating the results of your labors. All proceeds from "Hot Dogs & Cool Cats" will benefit the Humane Society of Sara- sota County, which hopes to raise $100,000 to support the 4,000 abandoned pets it shel- ters each year and provide essential community ser- vices. Limited tickets are available at $200 per person. For reservations or informa- tion, call 955-4131, Ext. 101, or visit hssc.org. The Cat's Meow St. Francis Animal Rescue (SFAR) is hosting its sixth annual Cat's Meow Gala at 6 p.m., Saturday, Jan. 27, 2007 at Pelican Point Golf and Country Club in Venice. Sponsored by Halfacre Cons- truction, evening highlights include a fabulous buffet din- ner, music and dancing with DJ from Big Popa Produc- tions, door prizes and a silent and live auction. All proceeds raised from the event will benefit the homeless and abandoned animals cared for by St. Fra- ncis Animal Rescue. Spend a fun-filled evening and help homeless animals. Reserva- tions are being accepted for $60 each, or a table sponsor- ship of 8 for $450. Call Grace at 485-8082 or visit stfrancis- ar.org for a mail-in RSVP form. Reservations can also be made at the Adoption Center, 1925 South Tamiami Trail, and at The Cattery Thrift, 1651 South Tamiami Trail Pals PHOTO COURTESY OF PAM JOHNSON Sam the Golden Retriever and Woodstock are best bud- dies. They live with Pam Johnson in Venice. Auction donation prizes are needed and table spon- sorships are available by call- ing Jill at 485-5099. ARC spaying, neutering Animal Rescue Coalition is a coalition of animal welfare organizations that focuses its efforts on spaying and neu- tering by offering low- or no- cost spays and neuters for pets of income-eligible fami- lies. Appointments must be scheduled in advance. Call 957-1955, Ext. 5. * Wednesday, Oct. 25, Robarts Arena, 3000 Ringling Blvd., Sarasota. * Thursday, Oct. 26, Sarasota County Animal Services, 8451 Bee Ridge Road, Sarasota. 12B SUNDAY ZI INflAV(VT 3) '301 WWIJImlt-(AulmuOiErn.C VNCEGODLIR U 13 VENUE from page3B 326 S. Nokomis Ave. Last names beginning with A-K, bring a main dish; L-R, a salad; and S-Z, a dessert. All are welcome. No RSVP required. Call Kathie Mc- Mur Co- operation Model U.N. Security Council Session at 6 p.m. at Sudakoff Hall, New College, 5700 North Tamiami Trail, Sarasota, fol- lowed by a reception. This portion of the day's events is free. alp Beach walk Sarasota County Parks and Recreation offers a free guid- ed beach walk Wednesday, Oct. 25, North Jetty on Casey Key. Hike along the shoreline talking about the Gulf of Mexico, waves, tides and beaches. Identify shells, sharks teeth, fish, birds, plant life and other points of inter- est. Meet by the large white billboard in the parking lots. No reservations necessary. Call Bud at 488-4158. Ski Club The Ski Club of Sarasota holds its annual kickoff meet- ing at 7:30 p.m., Wednesday, Oct. 25, at the Michael's On East ballroom, 1212 S. East Ave., Sarasota. Admission is free, complimentary hors The Friends of the Venice The Americar d'oeuvres, cash bar. See dis- Community Center Inc. hold Equipment a plays about club trips and the first dance of the season, vided. Bring s events. Call 923-5677. 7:30-10:30 p.m., Thursday, repellent and Oct. 26, at 326 S. Nokomis John Sarkozy Basketball leagues Ave. Tickets are $7.50 at the Explore the Sarasota County Parks and door. Ice, cups and napkins River, 9 a.m.- Recreation presents Men's provided. Call Barbara at 497- Oct. 28. Lean 50+ and 60+ basketball 3227 for reservations fpr six or and fauna of leagues. Informational meet- more. No shorts, please. lunch. Fee: $ ings take place Thursday, Oct. $35 for gue 26: 60+ league at 6:30 p.m., in Monster Mash entrance fee. Room C at Woodmere Park, Marie Selby Botanical Gar- Kayak alo: 3951 Woodmere Park Blvd.; dens is calling all garden River, 8:30-11 and 50+ league at 7:30 p.m. at creatures to a- pre- day, Oct. 31; Laurel Community Center, Halloween party for all ages, Nov. 8. Fee: $ 509 Collins Road. League play 11 a.m.-2 p.m., Saturday, $25 for gue begins Dec. 4 and finishes in Oct. 28, on the bayfront entrance fee. April. Call West at 488-2803. grounds at 811 S. Palm Ave., Enjoy a sui Sarasota. Please come dre- light kayak Aging assembly ssed as a creative garden Sarasota Bay The next Aging: The Possi- creature. The Monster Mash 4-6:30 p.m., abilities Community Assembly will feature games, free face See birds, fi is scheduled for Friday, Oct. painting, story telling, trick Preserve and 27, 8-11:30 a.m. at Flanzer or treats, pumpkin painting the bay Fee Jewish Community Center, and more. Admission is $12 bers, $25 for 582 Mclntosh Road, Sarasota. for adults, children 12 and Quiet-wa The program is ended On younger admitted free until kayaking fr the Move: Mobility Options 2 p.m. Call 366-5731 or visit Point to So and Oppor unities. Fran selby.org. Oscar Schere. Carlin-Rogers, consultant a.m.-1 p.m., and national expert, will be Jewelry classes 15. See birds the keynote speaker. Carlin- Jewelry designer Melissa sorts. Fee: $2 Rogers works closely with Searle holds free adult silver- $25 for guests AARP on senior mobility smithing workshops, 9 a.m.- Explore tf issues. This is an opportunity noon; and jewelry-beading estuary, 10 a to consider how the commu- classes, 2-5 p.m., Saturdays in turday, Nov. nity might create and support October at Woodmere Park, Fee: $30 for n the best options for indvidu- 3951 Woodmere Park Blvd. guests. als who can no longer drive. Purchase gemstones and ma- RSVP to SCOPE at 365-8751. trials on site to create a Blues festive bracelet, necklace or earrings. The 16th a] Halloween at the Elks Beginners welcome. Reser- lues Festi The Venice Nokomis Elks vations required; call Searle at Saturdes F hold a Halloween costume 227-4335.Smith Stadiu party Saturday, Oct. 28, at Caribb. anNiht 12th St., 1021 Discovery Way, Noko- riean Night th rmers ii mis. Cocktails at 5 p.m., Laurel Civic Association Ailman and Italian dinner, 6-7 p.m. Music holds its annual fundraiser, Muldaur, Mn by RPM Duo, 7-10 p.m. Prizes Cool Caribbean Night, 6-10 Teardrops, I for best costumes. Tickets are p.m., Saturday, Oct. 28, at the Honeytribedrops, $10 at the door. Call 486-1854. Sandra Sims Terry Com- Honeytril munity Center, 509 Collins open at 11 Dances Road in Laurel. Dress is island $19 in adva * Gotta Dance Studio holds a casual. Music by the Trini- gate the da Halloween party, 7-10 p.m., dudes. Silent auction, cock- Children yo Saturday, Oct. 28, at 303 tails and hors d'oeuvres at 6 Prtiaproce South Tamiami Trail in Noko- p.m., dinner at 7 p.m. Tickets Partial proc mis. Costume contests, hors are $75 per person ($50 is tax Campaign d'oeuvres, music and danc- deductible). RSVP by Oct. 15 sotabluesfes ing; $15 per person. to 438-3338. 954-4101, Ex +E THE CADILLAC ESCALADE,, SLargest JlIsILI...,' st 'ie ,. i .r, E I r1,1' 1. 1 1', .:. .3 1.1 : 1'' 1 phPbrazkt ,:,L V8 -W 1P -1 '-'T .- torque U rts urpa3ssed hih't', i, It.',, .. ,t,'i.ii':,' I.'- its '.i ', n Littoral Society nd training pro- unscreen, insect Water. RSVP to at 966-7308. e Little Manatee 2 p.m., Saturday, n about the flora f the area. Bring 30 for members, ests, plus park ng the Myakka 1:30 a.m., Tues- and Wednesday, 20 for members, ests, plus park nset and moon- trip on Little to Palmer Point, Saturday, Nov. 4. .sh, the Neville other islands on : $20 for mem- guests. ter, open-seat om Blackburn uth Creek and r State Park, 9:30 Wednesday, Nov. , and fish of all 20 for members, s. he Peace River i.m.-2 p.m., Sa- 18. Bring lunch. members, $35 for al annual Sarasota ral takes place )ct. 28, at Ed im, Field 1, 2700 Sarasota. Per- nclude Gregg Friends, Maria magic Slim & the Devon Allman's nd more. Gates i.m. Tickets are nce, $25 at the y of the show. unger than 10 paying adult. eeds benefit the Circus Capital Visit sara- st.com or call t. 5454. Italian Society The Gulf Coast Italian Cul- tural Society holds a Wel- come-Back Brunch, 11 a.m.-2 p.m., Sunday, Oct. 29 at TCP Prestancia Country Club in Sarasota. Cost: $25 per per- son. Nonmembers welcome. Call 918-1466. Ballet auditions The West Coast Civic Ballet holds open auditions at 1 p.m., Sunday, Oct. 29, at the Deborah Vinton School of Ballet, 1611 Northgate Blvd., Sarasota. Dancers of all lev- els, ages 5 to adults, are needed for the ballet's pro- duction of "Cinderella" Dec. 16 and 17 at Booker VPA Theatre. Visual artists and costume makers welcome. Call 358-8349. WRCSC fashion show PHOTO COURTESY OF VEE GARRY-CHIULLI Linda Lynch and Linda Edge finalize plans for a November Fashion Show by Stein Mart to benefit the Women's Resource Center of Sarasota County. The center holds its annual fashion show, "Come Grow with Us" Friday, Nov. 3, at the Plantation Golf & Country Club, 500 Rockley Road, Venice. To register for this event, which includes a silent auction and a garden boutique, call 485-9724. OVERBROOK ANIMAL HOSPITAL LOCATION: 2011 ENGLEWOOD RD. (776) ACROSS FROM OVERBROOK GARDENS Dr. lolanda Habinyak Steinbrecher veterinarian 4| .: NEW MANAGEMENT NEW OWNERSHIP Free Office Visit For First Time Client (MENTION THIS AD) ph 941-474-7771 VACCINE CLINIC: Wednesday & Saturday fax 941-474-7772 YOU SAVE 50% ON VACCINES 284603 2007 CADILLAC ESCALADE 2WD THE CADILLAC NAVIGATION EVENT LOW MILEAGE LEASE EXAMPLE MN 5995$ ,J MONTHS& $u 99 $4,424 PER MONTH DUE AT LEASE SIGNING AFTER BONUS OFFER FOR QUALIFIED LESSEES. NO SECURITY DEPOSIT REQUIRED. TAX, TITLE, LICENSE AND DEALER FEES EXTRA. MILEAGE CHARGE OF $.25 PER MILE OVER 32,500 MILES. I IL ;r J ,IL-Li.r, 1 .r,.. I ..I equipped 2007 C :ii,,Ii.. Escalade with an "I i' of $57,815. I ;iirI..,i p..-neirin3ts tal j $23,361. Option to purchase at lease end for an amount to be determined at lease signing. GMAC must approve lease. Take h .'. ,. by 3/2/07, Lessee pays for maintenance, rFepair.and excess wear, , If lease terminates early, lessee i- i-i- I r.r ,ii urip, -iJ n I, tlhl/ payments. '" <.m nI may be higher in some states. Residency restiictionn apply. "*Requires purchase3 of .i.iiun package., I . GM Large Luxury Utility Segment, i Liit,-,i detailed routing. $Only while in park. #Based on EPA estimated 19 nlppg 'iili.-h and 2006 GM Large Luxury I ilii.' SegmRnt., 2006 GM Corp. All iitI-,t, reserved. CadillacI.Cadillac ,..-' -:.' .' 1.' VENICE GOINDOLIER SUN 13B qt)NF)AY-OCT-22.2006 VENUE f om, g 3 1 I ws ) 1 4B -,OOC ag~es raliv etae I pubV~c- SUN PHOTOS BY TAMI BULICSEK release. Roland Risse, 11, looks out the window of Jack Flavell's Citabria single-engine plane, prior to taking a 15-minute flight over the Venice and Sarasota areas during the Young Eagles rally pro- gram. Bill Shannon talks about the different parts of his airplane and the purpose they serve with 10- year old Alexandra Grujin during the EAA Young Eagles program, at Venice Municipal Airport last week. Charlie Harrison shows 10-year-old Nathaniel Blake how to steer a plane during the EAA Young Eagles Program, which welcomes young people into the world of aviation. Chuck Mason, who has been flying airplanes for 61 years, shows Andrew Grujin, 9, the control panel of his plane during the Young Eagles rally program prior to take-off. Ryan Risse, 16, climbs aboard an experimental homebuilt RV- 6A airplane, that pilot Bill Shannon (standing) built 6-1/2 years ago. SUNDAY OCT. 22,2006 -AiTPOTt 14. J'o- I M IL 'AT LAM ,E N T- w Page 1 Sunday, Oct. 22, 2006, Real Estate Classified SUN L*LASSIFIED 94 I -207- 1200 L View or Place Your Ad Online "SUNSATIONAL". I SIi- ,............ lonr, Po:n 1025. ........ Port Charlotte 1026. ............... Punta Gorda 1027 ........... .. South Venice t028 .... .............. Buv FOR RENT 1205 ...... ... Lease Option 1210 ,. .. . .. .. .. Homes 1240 ...... Condos.Villas 1280..... ... .. .. Townhouses 1300 ..... .. Dupie-es 1320. ... .... .Apartments 1330 Hoiei/Motel 1340 . Mobile Homes 1345 Miscellaneous Rentrals 1350 . . . . Efficiencies 1360 . . . .. Rooms 1370 '... Rentals To Share 1390 . .: . . Vacation 1420 .. Wanted To Reni LOTS 1500 Lils & Acreage 1515. .. Waterfront 1520 Out Of Town Lois 1530 ......: .. Commercial LoIls ............ Reciaurant'Holel 2050. . . . . . . killed Trades 2050 ............5iled Trade. 2060 . ......... Management 2070 ... ........... Sales 2090 ..-... Child,Adult Care Needed 2100 ...... .. General 2110. ....... Pantimme.Temporary 2115 ....... Home Based Business 2120 . .... Position/Job Wanted 3000iiiiii^TICE 3005 3010. 3015 . 3020 3030.. 3040 . . 3050 . 900 Phone Services . .. Announcemernts, Happy Ads P.rsonals S. Places To Eat .... Card Of Thanks . . .Singles 3060 SchIoOlsIn-Iruchion 3070 Burial Lots.'Crypi:- 3080 Travel/Ti.i -. h |00 | | FIN [ I 3090 . . . . . Lost & Found 4010 . ... Business Opportunities 4020 .... Financial/Miscellaneous 4050 ..... Investment Opportunities 4080 ...... .. Loans/Mortgages 5005 ............ Alteraihons 5020 ..... Appliance Service Repair 5040 ......... . Carpet Servi:es 5050 . ....... Child/Adult Care' 5053 ........... Computer Service 5054 . . .......... Contractors 5055 .............. Courier/Taxi 5060 :...... Domestic Cleaning 50 0 .'. ........ .. . Electrical 5075'......... .'. Errand/Shopping 5080" ..,. Excavating/Bush Hog 5083 ,. .. ......... Flooring 50835 ......... .... Fences 5086 ..... . Furniture Repair 5087 .......... Firplace Recreai.oni 5183 Re':yclin!Salvage 5184 ..... Restaurant Equipment. 5185 ................... Roofing 5187 .... . .... . .... . Soffit 5190. .. Secretarial/Bookkeeping & Tax 5193 .......... Telephone Services 5195 ......... . Typing Services 5200 ............. TVNCR Repair 5210 ...... Upholstery/Draperies 5225 Window Clearnng 5230. Miscellaneous GARAGE SALES 105 . .. Arcadia Area 110 ........... Englewood Area 120 ..... ... Lake Suzy Area. 125 ........ ,'ownisOsprey Area 130 ........... North Port Area 135 ......... ..Port Charlotte Area 140 ....... . Punta Gorda Area 145 .......... . Rotonda Area 150 ......... . . Sarasota Area 155 .......... South Venice Area 160 .... . ...... Venice Area 6015 ........... . Flea Market 6020 ... .. . . ... Auctions. 6025. . ....... Arts and iCrafs 6027. .. . .. . . .. .. . Dolls 6030 ........ Household Goods. 6040... .. TV,'Sereo/Rad 6060 ........ Computer Equipment 6065......... Clolhing/Jewelry 6070 . .... .Antiques/Collectibles 6075 .'. ....... Fruits/Vegetables 6090 ..... ...... . . . Musical 6095..... ..... ...... Medial 6100. ........... Health/Beauty 6110... ...... .. .Trees & Plants 6120 ............. Baby Items 6125 Goll Accessci, :. 6128 E..er ise'Flne^ . 6130 Spl,:rhing Good. 6135 ..... . . . Bicycles/Tncycles 6138 ..................... Toys 6140 ....... . PhotographyNideo 6145 .... .Pool, Spa & Supplies 6160 .......... .. Lawn & Garden 6170 ........... Building Supplies 6180... Heavy Construction Equipment 6190 ......... . Tools/Machinery 6195............ Farm Equipment 6220.... Office/Business Equipmeni and Supplies 6225 Restaurant Supplies 6230. Pels & Livesock 6250 Appliances 6260.... . .. . Miscellaneous 6270. .. ... Wanted To BuyiTrade' 7010 ...... .... . Audi 7020.. : . Buicd' 7025 . .. BMW 7030 .... . Cadillac 7040 . . ... .. hevrolel 7050 .......... . Chrysler 7060 ............ Dodge 7065 ............. Eagle 7070 . . ........ Ford 7080 ..... . . Jeep 7085 . . ... ...... Le, u 7090 ............. Lrncoln 7100 ... .... .... Mercury 7110 ........... Oldsmobile 7120 ..... ... ..... Pivmrr uh 7130. . ... : .......... Pontiac 7135 ........ . . .... Saturn 7140.... Miscellaneous Domestic Auto 7145 .... ... . ... ... ... Acur 7150 ....... . . . Daewoo 7160 . ............. Honda 7165................... Infiniti 717 JIa uar 7177 KIA 7180 . . .............. Mazda 7190 ................ Mercedes 7195 ............ Mitsubishi 7200 . . .............. Nissan 7205 ........... . . Sports Cars 7210 . . .............. Toyota 7220 ........... . . Volkswagen 7230 .................... Volvo 724" ....... Miscellaneous-Imports 7250 ........ Antiques/Collectibles 7252 Budget Buys 7260 Auio,: Wanied 7270 .. Auto Pans/Accressories 7230 . Auto ServiceRepair 7290 . Vans 7300 Trucks/Pick-Upbs 7305. . Sport Utility Vehicles 7310.............. .. .... 4x4s 7320 Aviation 7.341 . Trader U A:cesorines 7360 Moiorcvcles.'Mopeds/Scooters 7370 CampersiTravel Trailers 7380 Moicor Homes/RV5 7381. ... RV Storaje BOATS 7329 Bargain Baskei 73i. Boats-Powered 7331 Sailboals 7332 Personal Waler Vehicles 7333 Misceiianeous Boats 7334 Oultl:,,,ard,j.'Marine Engines 7335 ......... Charter/Rentals 7336 ...... Boat Storage/Docking 7337 .. ........ . ...Boat Repairs 7338 .. Marine Supplies Equipment 7339 ......... . Canoes/Kayaks 7340.... 0/B Marine Eng. Repair 1000 1000 1010 OPEN HOUSES 1010 OPEN HOUSES 1010 OPEN HOUSES A~~7 A~4 REAL ESTATE Nohom." 3 CONDO OPEN HOUSE All at the same popular complex, each with different amenities, furnishings and locations. All are 2/2 units with appliances and new hurricane shutters. ALL REDUCED FOR QUICK SALE Come Today, 1 to 5pm Deep Creek Gardens 25100 Sandhill Blvd. Deep Creek Your 3 condo tour starts at unit #V-103. See You There! Gulf Access Homes Inc. Ray Ward, Realtor. 941- 697-7442 Assist Sell Storage Buyers & Sellers Realty Team 1650 .Farm/Ranches OPEN HOUSE Sunday 1 4 pm 1020 Live Oak Cir., PC 1010 OPEN HOUSES 3/2/2, Call 240-2677 for gate code. $262,000 Sunday 1 5 pm 10/22/06 24124 Buckingham Way, PC. 3/2/2 in Kings Gate. ', -$235,900 (941)-639-8118 'A- Deep Creek 27175 17109 Waldrun, PC Tierra Del Fuego. Sunday Open Sunday 1-4pm lpm4pm, 3/2/2 Pool, Looking for something spe- $274,900. Shells.Realty cial? This is it! Not your everyday builder's model, LET'S MAKE A DEAL! this 3/2/2 is located on an OPEN HOUSE Sat, 12-3pm, oversized corner lot and 4279 Hamwood St. N.P. boasts 2212' under air, 2004, 1674sf. Sacrifice $229K exceptional features includ- ing a barrel tile roof, open NORTH PORT, 8am 1pm floor plan, imported granite 3/2/2 w/ Inlaw Apt., counters in kitchen and $52,900 941-423-1212 baths, wood cabinets, stain- less steel appliances, 18" OPEN 1-3 tile floors with berber in the HUGE 4 BR, 3 BATH bedrooms, a sprinkler sys- 22281 Yonkers Ave, PC tern, unique master bath Hardwood firs in liv rm and with garden tub! Offered at fam rm, updated kitchen & $329,900. baths, new windows. Lg lanai Call Stefania Garofoli 941- & caged pool. Many fruit 457-3388/Weichert South- trees. Hwy 41 to Gardner, ern Choice 941-6132300 east, take imm. right on frontage rd, left on Brooklyn, followsigns. $359,900 See at Need Cash? click featured listings. Have A Robyn Sigurdson Garage Sale Prudential Florida WCI 941-662-9636 OPEN HOUSE 10/22, 1PM 4PM @ 1291 Talhem Ave. Advertise in in North Port. Beautiful 3/2 T ve se in with pool and many perks! Call The Classifieds! Glenn of HomeChoice Real Estate, 941-575-9775. OPEN HOUSE 13457 DARNELL GGC 1-3 p.m. Sunday 2/2/1 updated Tami Patzer, Realtor, InvestorsChoice Real Estate (941) 875-6800, (941) 475-7011 Open House Sun. 800 S. Oxford Dr., Englewood, 1 - 4pm. 3/2/2, 1792 SF water- front home on 1.87 acres. Beautiful park like setting on secluded lagoon. MLS# 507017. Phyllis Rollo, Owner/ Agent, Prudential FL WCI Rity 941-416-1164. OPEN HOUSE SUNDAY 11:00AM 3:00PM 189 N. Waterway Dr. Port Charlotte BOATER'S PARADISE 3/2/2 pool home on S.W. canal. Reduced to $475,000. 41 to Port Charlotte Blvd. Follow signs 12:00PM 3:00PM 4436 Grobe Street North Port HOUSE WITH IN-LAW SUITE. Unique house. Use In-Law suite for fami- ly member. Just reduced $10K. $125,000. 41 to Grobe St. Follow signs 12:00PM 4:00PM 20012 Chalkleaf Court Port Charlotte OAK HOLLOW BEAUTY! Completely remodeled turnkey home with all the bells & whistles! Price reduced $199,999. US 41 to Forrest Nelson. Turn right on Corktree Follow signs. 1:00PM 4:00PM 386 Kostner Street Port Charlotte AFFORDABLE WITH POOL! Completely updated 3/2. New roof & cage 2004. $208,000. Forrest Nelson to Peach- land. Follow signs. Open House Today, 279 Barcelona Street, Deep Creek. 3/2/2 Pool Home on Canal. 12:00 4:00 PM. Hosted by Tim & Dianne Mar- tin, HomeChoice Real Estate, 941-258-4861 or 4862 OPEN HOUSE SUNDAY 1492 Hinton, PC Oct. 22nd 12:30 3:00 NEW CONSTRUCTION 3/2/2 on fresh waterfront canal. Upgrades galore! Tray ceilings & much more. RA#8589 Only $249,784 Dir: 41N on Midway, L on Faraday, R on Hilton DEBBYE FITZPATRICK 941-268-6030 OPEN HOUSE Sunday, October 22nd 1:00 PM 4:00 PM 18363 Grace Avenue Port Charlotte Directions: Going West on Edgewater take a right on Short St. Go to Koala Ave and take a Right. Take the first left on Hampton St. House is on the corner of .Hampton and Grace Ave. Seller relocating and very motivated. Like new and super energy efficient. This home has an 18.6 Seer air system that keeps cooling and heating at a minimum. Neutral colors and open spaces make this home very desirable. Pool wiring in place for your convenience. Great loca- tion and move in condition. RA# 8606 Call Sue Becker (941)-391-4377 ERA Randol Realty, Inc. (941)-625-4193 Open House. Sunday, 1pm- 3pm. 23493 Nelson Av, PC. By owner, spacious 3/2.5/2, vaulted great room, den or office, pebble tech pool, fenced backyard, east on Peaceland, left on Loveland, next left Nelson. $299,990. 941-743-4938 [ IT OUT! Use the Handy 'i: In Our New Improved Garage Sale Ads To Mark The Locations You Want To Check Out For Great Bar- gains. Advertise Today! Whatever You Need, Your Local Classifieds Have It!. 200 E Venice Ave. Gidolier Sun 941-207-1200 - I -,,, i :.. - Sunday, Oct. 22, 2006, Real Estate Classified 1010 OPEN HOUSES 1010 OPEN HOUSES 1010 OPEN HOUSES S PORT CHARLOTTE, SAT - M j *; ; P 1 TSUN 1 3PM, 133 PECK- HAM ST. S.E., LRG CANAL HOME ON DBLE LOT. EAGLE PROPERTIES INC. 941-228-5675 SUNSTAR REALTY, INC. MORRIS REALTYi INC. OPEN HOUSE ROTONDA WEST 1-4 PM $282,500 1 Broadmoor Lane Lovely 2/2/3 w/ pool & lots of extras. $5,000 credit at closing Sarah Carter 941-270-0027 PORT CHARLOTTE 1-4 PM $245,000 3200 Loveland #21212 Park Place Estates. 2/2/2 Villa. Joyce Dickson 941-626-2674 1-4 PM $239,900 3200 Loveland #24157 Park Place Estates. 2/2/2 Villa. Joyce Dickson 941-626-2674 GULF COVE 1-3 PM $199,900 13644 Bennett Gdns of Gulf Cove 2/2/pool home. Move right in. Ann Endres 941-263-4306 ENGLEWOOD 1-4 PM $275,000 503 Wekiva River Ct. Park forest waterfront Home. 3 Bed/2Bath fur- nished. Great buy! Merry DiNatale 941-468-1070 1-4 PM $169,000 6254 Rosewood Home warranty, freshwa- ter canal home. 3/2/1 with new'cabinets! Terry VandeKrol 941-429-4618 PUNTA GORDA 12-3 PM $329,900 7524 Pon Kan Burnt Store Meadows beauty. Immaculate. Upgrades galore. Sonny Miller 941-276-2026 BURNT STORE ISLES 12-3 PM $485,000, 442 Macedonia Great room design, over sized lot separate 3rd garage. Move in today! T6iy Honeycutt 941-626-6224 OPEN HOUSE Sunday, October 22nd 12-3 pm 4587 Fallon Circle Port Charlotte Directions: From Midway, turn right on O'Hara, then right on Fallon Circle. Great 2/2/2 Pool Home in a fantastic area of waterfront homes. You can see the water from the front door. Very motivated seller says "Bring Offers" RA#8562 ERA Randol Realty, Inc. (941)-625-4193 Ray Jeries (941)-391-1301 Diane Johnson (941)-626-3620 OPEN SUN. 1PM 4PM 2621 Carolina St; North port 2005 Built 3/2.5/2 2147 SF. A/C, Caged Pool with jets. You have to see this one !! Reduced to $334.900 Dir: San Mateo East on Nashville to Carolina to sign. HOST: Ray Ortiz 941-276-7878 REALTY QUEST Open Sun., 12 3pm, 373 Orange Dr. PC. 3/2/2 split, built 2004 per new codes. Screened lanai & all appli- ances. Only $198,813. (941) 815-7588. Open Sunday 4326 Via Del Viletti 4/3/2 Special incentives Sunday. Remax Properties Carl 941-416-0636 OPEN TODAY 1-3 PM Prudential Florida WCI Realty Burnt Store Isles 3713 Bordeaux Drive- Newer Fero Golf Course Home 3624 Licata Court-- Custom Fero Waterfront Call Theresa Murtha, Real- tor 941-205-2083 Cnlutu Aztec & Associates Open House Sun. 1- 5 24261 Captain Kidd Pirate Harbor, PG (Near Burnt Store Rd. & Yacht Club Dr) Key West style home on wide canal with 3 bedrms & 2 baths + playroom & possibly 4 car garage. $630,000. Hyrette Guenther & Brenda Davidson (941) 661-2101 Each office independently owned & operated SAILBOAT WATER $378K! SUN. 1OA-4P, Pt. Charlotte O'Hara to Crawfordsville to 18558 Van Nuys. 3/2/2. 941400-9341. Motivated! l i 'i, I L., I 941 480-9090. Weichert, Realtorg Southern Choice 941-613-2300 OPEN HOUSES SUNDAY IPM 4PM PORT CHARLOTTE .. 762 Red Bay '( } Street To rr ",,',,j r i;,',,- ,| 23314 Garrison Ave )r, /r..nt[.l., 23340 Mullins Ave o.1 0 - NORTH PORT 3567 Culpepper Ter I 1 11 l 1217 Fishtail ( i Palm 2-i .- , :.al.: h L SUN 14, 5036 Massimo, sail- boat waterfront, Burnt Store Isles, 3/2/2, $499,900 Call Susan (941)3800041 SUN 11-2, 4209 Flamingo Blvd., Pt. Char, Waterfront, 4/2 pool, sailboat access $549,900 Wanda (941)626-7406 SUN 12-3, 4414 Albacore Pt. Charlotte, Waterfront, 3/2/2 pool, $464,000 Call Susan (941)3800041 SUN. 1-4 pm 1100 Tarpon Center Drive, Unit #405 WANT TO OWN A PIECE OF THE GULF? Direct Gulf access, comer unit, beautifully furnished 2/2, covered parking very convenient to unit, laundry next to unit. $659,000. ELAINE COLLINS (941)-380-6641 ~~ Sunday 12 3. North Port 3/2/2 pool home priced to sell at only $239,900. Located at 4293 Acline Ave. Great location with CITY WATER and includes one year home warranty. For information or direc- tions please contact Shauna Platt, CENTURY 21 Almar & Assoc. at: 941-661-7377 or visit: Sunday 9am-? 3030 Yukon Dr. PC Spacious 2/2 "1560sq ft. a/c" Home on Pellum Water- way. $365k. (954)-309-7258 Seize the sales with Classified! SUNDAY 1PM 4PM CALUSA LAKES 2118 TOCOBAGA Nokomis Must be sold Drastically reduced to $479,000 Beautiful -.Qalusa Lakes, 3/3/3, Spa, "mint. free with pool, golf &'tennis. Beautifully landscaped. DIR: From 41 Laurel Road. to Calusa Lakes, 1st left Calusa Lake Blvd, last house on the right. TOM COLLINS 941-380-6651 VENICE CONDO 2 4pm, Absolutely great price, condition, location at Plantation, Center to Rockly to Tartan (East). $319,900. Call Mary at Sunshine Property 941-323-2422 1019 CAPE HAZE/ROTONDA BRAND NEW Custom built 3/2/2 on golf course. $375,000. Amick Realty, Liz Callahan, (941)-268-6817 Brand new Rotonda golf course home near comple- tion. 3/2.5/2, upgrades. Reduced $385,900. 941-' 628-0735 1020 HOUSES FOR SALE "LOOOK" "The Real Estate Lady" *"WATERFRONT" 4088 Harbor/298K Large Dock/Tropical *"LIKE BRAND NEW" 3171 Iverson/POOL/ $347K Gorgeous/MUST SEE *"LAKE/GOLF VIEW" Seminole Lakes $305K 26214 Feathersound /Gated *"2006 Adorable Home" 4488 Rifkin/208,800k / N. Port/Great location! *"POOL w/1900 + Under Air" 4471 Lullaby / N.Port / 235K "RV" & Boats welcome *"VENICE POOL HOME" 1536 S. Porpoise/219K/nice e"LAKE VIEW" 22322 Tennyson/ "Price Change"269K/ downsizing *"SAILBOAT/lot/w/dock 4212 SW Surfside / 335K Recent Price Adjustment *"OAK TREE LOTS" GREAT NEIGHBORHOOD 46k OR Best Offer Call Today....KIM PLATZER Re/Max Palm Realty 941.456.8544 1,2,3 SOLD! WE BUY HOUSES CASH! Any area, price, condition. (9411-475-2026 1020 HOUSES FOR SALE COOL POOL Relax at the end of the day in your own pool. Comes with 3 bd., 2 bh, split plan. home with family room and double garage. Easy access to 1-75. $189,900. RA# 8552 ERA Randol Realty, Inc. (941)-625-4193 DISTRESS SALE Bank Foreclosures S Free list of foreclosure properties. Receive a free, computerized printout. Free recorded message 1-800-951-5095 ID# 1051 DISTRESS SALEM! Free list of foreclosure and distress properties. Receive a free computerized printout.. corn Free Recorded Message 1-800-816-2056 ID#: 3098 RE/MAX Effort Realty LEASE OPTION Brand New 4Br/2BA/2CG Homes 1,750 3,000SqFt, Large Lots, $5,000 Down. Nu Home Finders, Inc. (941) 875-1333 MOTIVATED SELLER! - Brand New 4BR/2BA/2CG Custom Homes, 1,750- 3,00OSqFt. Make An Offer! Nu Home Finders, Inc. (941) 875-1333 1020 HOUSES FOR SALE Looking for a Good Deal? PRICE DRASTICALLY REDUCED! Welcome... That's the word for the new mat you'll place on the porch of this contemporary home in Port Charlotte. You'll enjoy the welcoming living room with cathedral ceiling, dining room, galley kitchen with tile floors. Owner very motivated. $195,999. including Home Warranty. Open House Sunday 12:00-3:00 4587 Fallon Circle, P.C. an easy drive to downtown. You'll enjoy a dining room, tasteful living room with wood floors, remarkable kitchen. Motivated seller has priced this to sell quickly. Include Home War- ranty. A must see. $122,900. RA# 86,13 THE KEY TO YOUR FUTURE Opens the front door of this easy-care home in Port Charlotte. Features include 2 BRs, 2 BAs, dining room, welcoming living room, cheerful eat-in-kitchen, shaded yard, screened lanai, walk-in closet. $169,900. RA#8628 ERA Randol Realty, Inc. 9(41)-625-4193 Need Cash? Have A Garage Sale 1020 HOUSES FOR SALE OWN YOUR OWN HOME For As Little As $199 DOWN *BAD EDIT *NO CREDIT *REPO CHRG OFF *FORECLOSUREE- BK WE CAN MAKE IT HAPPEN 941-629-6889 HOMESTEAD LENDING CORPORATION LENDER- P.C. UNFINISHED HOME FOR SALE. Save $10s of thousands. Section 15. $110,000. Call Albert, 941-629-2558. Port Charlotte, Florida 3bed,2bath,2CG currently being built. For sale $240K. Contact Mike at 516-263- 1906/mkfeny@aol.com Floor plans available. $149 **E. Englewood 2/2/2 Immaculate $199,000 1022 ENGLEWOOD FOR SALE Bay-Vista-Remodeled 3/2/2 1360SF pool home. $249K: Gulf Cove- new 1770SF home $199K. Sel-Fast List @ 3.5% 941-475-8282 496-9800 Toll Free # 1-800-775-7978 Lease Option Your Castle, Without A Hassle!0CdRpt pii Let us help you get into your dream home today with our unique _Pe K f EVln lease option program. You don't need good credit. We will qualify you for free to see what price range you need to stay in. $10r 0OF You then select any available home on the market in your price C o, ,;in C range and we'll make it happen. You are in control. Call today for more details on this great program. I L E "Let us show you the meaning ofpersonalized service:" " 1022 ENGLEWOOD FOR SALE BUY AT BUILDERS COST - INVESTOR DEFAULT Brand new 3/2/2 in best area Rotonda Lakes. 2120 SF. $209,000. 941- 232-3676 E. Engl. Affordable; updated. Some w/ pool; Move-In; Jon Bullock @ 941- 8449 Salefish Realty, Inc.! (Homes over $200,000 slightly higher) FSBO not being sol? List your home and get results; FREE CMA and ads; Jon Bullock @ 941-815-8449 Salefish Realty, Inc. GULF COVE, $223,000 13229 Gorman Ave. 3/2/2 split plan, cath cigs, new ac, plumbing, appli, tile & more. Priced below appraised value. Must see it won't last! Call (941-380-0746 HAMSHER REALTY, INC. 2 homes in S. Gulf Cove, 3/2/2, many upgrades, $270,000 w/$5k back to buyers"!! Kent Wolfe (941)-504-4019 HISTORICAL DISTRICT 3/2/1 Florida rm Ig lanai immaculate close to bay Local Real Estate Service 941-473-0272 1022 ENGLEWOOD FOR SALE ROTONDA, 3/2/2 on canal, new tile & paint, $275,900 Open House Sat/Sun 1-5, 278 Mark Twain Lane, (941)-544-8834 Florida Realty Network Penny More Seler to pay close costs! OPEN SUNDAY 1-4 ROTONDA WEST 289 Mariner Ln $279K 1999*3/2/2*heated pool. 34 Pinehurst PI -$287K Golf *3/3/2*heated pool Becky "L." Lippstreuer Remax Bayside RE 941-662-2345 TRADE IN, TRADE UP! - Trade In Your Old House Towards A Brand New 4BR/2BA/2CG Home Priced From $208,900. Call For Details! Nu Home Finders, Inc. (941) 875- 1333 WHY RENT WHEN YOU CAN OWN? Call Atlantic Mortgate Today! (941)-475-0481 NOKOMIS/OSPREY FOR SALE 3BR/2BA/2CAR GAR SORRENTO EAST HOME, Bright, open & spacious, cath ceilings, tile firs, fireplace, lania with garden area. $384,900 941-488-8143 SunAcreRE 486 Bellini Cir., Except. Canal front home, mins. to Gulf w/ partial Bay views, gt. loc. in Sorrento ..S.- Near 681 exchange. 3/2/2 2,000 sq. ft.,. Pvt. over-sized lot, 16' plus elev. $925K. (941)966-6995 VENICE/NKOMIS * Open Sun 1-4 W. of1rall 3/2, Keywest-Styfome. $319K,[941)-586-6513 1024 NORTH PORT 3BR/2BA/2CG In Villas at Charleston, Gated, NeA, Spectular oversized cor- ner lot, matured oaks, all apple, lanai, tile, carpet, cherry cabinets through. Many Extras. $328,000 (800)-649-1964 4 yr. old. 3-4BR/2BA on 3 acres in North Port Estates. 2 barns. 2 horse stalls, 2,200sf under air, Small cottage. Lots of open space. Addit. 3 acres also avail. $450K 941-628-1460 A MUST SEE!!! MAKE NO PAYMENT UNTIL 2007!! REDUCED $20,000-$30,000 OWNER FINANCING 2 completely updated homes. Move right in 3BR/2BA, FL rm, gar, $169,000 & $179.000 Call (941)716-0040 or (941)-423-1313 A-1 cond. Like new 2br, garage, catch. ceilings, oak style kitchen, private fenced yard, tile & new carpets, fresh paint in & out. Must see. $149,900. Off Cranberry (941)-429-9033 Sat. Dec. 2nd Offsite 5009 Jody Av. No Port 3BR/2BA home, 1 car attached gar, bright & open floor plan, cath. ceil, new ca et in all bedrms Absolutely Beautiful! Com- pare 3-4/2/2 2600 sq ft u/a, canal SPA, upgrades galore for sale or lease purchase, financing avail. 941-240-5508 or 850- CAL'- NY Uj80Iu2 I n 96 " Call AI 1024 NORTH PORT s03-2896 941-780-6600 Affordable homes with lot ww.WeBuyFlorida.com $0 DOWN $878/MONTH & prep included! 3BR/2BA HANDYMAN SPECIAL with double car garage. 3/2/1, CountyWater. $179,900! Very nicely 8261 Lombra Ave. 927-0040 appointed with PGT Wind $149,900 Guard glass for hurricane I BUY HOUSES NEW BUILD 3/2/2' protection. Special financ- CASH-ANY CONDITION! Icl. lot improvements. ing programs available. Call Al 941426-2999 View Models at Caliva & Price Blvd., North Port. 941-780-6600 $229,000. Priced for Immedi- Fred Shute Real Estate ate Sale. New 2900sf, 3/2/2, & Development Inc. w/ optional 4th BR. Quiet area Lic. #CB-C 058694 near 1-75. (954)-340-3352 Phone: (941) 429-4901, LEASE W/OPTION TO BUY web site New, Maint. free 3/2/2 BR/2B/V2CG ALMOST N E gatNew, Maint. freeont commu-3/2/2,. Oner may assi AVOID FORECLOSURE gatedi,water front commu- Ifinancing. $224.900 $1,500/mo. By owner. 941-928-2255 BEAFFULL RENOV I 1-800-987-3133 More Rotonda Homes 2BR North Port homes water & sewer starting at $148,900. 3/2/2 PoGolf $339K 941-488-8143 SunAcre R.E. Brand new 3/2/2. PRE- 3/2/2 Pool/canal $354,900 1 CONSTRUCTION PRICES] 3/2/2 Pool/canal $359,900 AVOID FORECLOSURE Many upgrades. 4 4/2/2 Newer Huge $344K WE CAN HELP TODAY Available. W 941-474-2897 Ext 127 Better Business Bureau Member consider rent to own. RE/MAX Bayside $500 Call Jim Today 927-0040 (866)420-8804 Credit at closing when youbuy from Terry Long! 3/BRAND NEW 4/3/2, 3,000 sq. you buy fro Terry Long! 3/2/1- 1320SF,$135K: ft. on oversized lot., screened NEED A MORTGAGE? 4/2/2- 2010SF,2005 lanai. 3145 Pericles Ave. No Money Down $209K Sel-Fast List @ $314,000. (941)284-7222 Call Kazwell 3.5% 941-475-8282 (941)-625-0015 3/2/2 1710sf $204,000 ,Care.te rm "Cry water Many, POSSIBLE LEASE with. 3/2/2 Pool, improvement. ,178..o ) (if OPTION to PURCHASE Avail- $219,OORE/MAXBayside Cranberry. All offers co:nWere able NOW 2/2/1 Englewood 941-474-2897 ext 127 Q4142.59F0 East Area $189,900. $500 Creditatclosingwhen "4 Engelwood Realty, Inc. you buy fromTerry Long! CUTE MAYBERRY AVE HOUSE 941-474-6000 3/2/2 by owner, Brand 2/1, a) updated, very clean New 1719 ua, all tile except $145K (941)-497-1288 bdrms REDUCED $220,000. RUiLEND L GREAT LOC. 941-468-4057 GORGEOUS 3/2/2 + den, by owner, brand new, gated Investorefinane loans 3/2/2 cath ceiling, tile, prof lakeview patiohnm, maint free! 1st time buyer loans landscaped $234,000. Open Rent to own option available! Stated inm-e.No dj- 10/22 & 10/29, 1-3pm, 3572 $320,000 obo (8471-361-6614 941-474-LOAN lnagua (9411-423-9585 forsalebyowner.com#20726869 ROTONDA, LARGE 3/2/2 3BR/2BA/2CG pool home, Advertise in W/ POOL, GOLF COURSE metal roof, endless upgrades. The Classifieds! VIEW. BY OWNER $315,000 $289,900. 941- 456-1330 or (941-2234781 941- 628-3408. JIA"Preferred PropertiesNP of Venice, Inc. REALTOR 325 West Venice Ave., Venice, FL 34285 (941) 485-9602 Toll Free 1-877-640-7653 E-mail:eravenice@aol com ANNUAL RENTAL HOMES. UNFURNISHED $875 $1150/mo South Venice, 2, 3BR/2BA/2CG $750 $1 85/mo North Port, 2 & 3 BR Homes, one with pool $850/mo Englewood, 2BR/2BA, screened lanai $995-$1150/mo Island of Venice, 3BR2BAN2CG, 2BRF2BA2CG or 3BR/2BN1CG $1200/mo City of Venice, 3BR/2BN2CG, fresh paint & carpet $1100/mo Venice Gardens, 2BR/2BA/2CG, lake view $1600/mo Venetian Golf & River Club, 2BR/Den/2BN2CG $1550/mo Waterford, 3BR/2BN2CG/pool, November $1800/mo Nokomis, 3BRM2BACP/For UF/onRobertsBay, Boating Water ANNUAL APTS/VILLAS/CONDOS/DUPLEXES $595/mo Nokomis, 1 BR/1BA Apartments $595 $1375/mo IslandofVenice AparentsConos, 1 &2BR,F or UF/Studo $1050. $1100/mo Tuscany Lakes, Gondola Park, Ravinia $1300/mo Venetia (US41 & Jacaranda), 2BR/2BA $1200/mo St. Anews Plantation, BRAND NEW, 2BROBNGRG, Comm.pool $1300/mo Pelican Pointe Villa, 2BR/2BA/2CG. $1100/mo Pinebrook Preserve, BRAND NEW, 3BR/2BA/1CG $2000/mo Gulf Front, Gulf Shores 2BR/2BA UF, great views Prime Seasonal Rentals Available for the Following Areas: Venice Sands Venetian Golf & River Venetia Venice Island Homes Gulf Horizons Valencia Residences R Costa Brava Pelican Pointe Waterside Village Plenty More! Call For Details. CHECK OUT OUR WBSITE FOR 2007 SEASONAL RENTALS 6O-FF SEASON RENTALS AlSO AVAILABLE BY THE MONTH g' Paae 2 - --., Ray Jeries $189,900 Brand New ! (941)-391-1301 10355 Euston/ 6162 Diane Johnson Shasta/,6184 Catalan. (941)-626-3620 No $ down! 270-1461 ACTIVITY Realty Co. Experience Counts! Rotonda Homes All with water & sewer! NEED A MORTGAGE? 2/1/1 Updated $182,500 Jumbo Loan Specialist 4/2/2 Pool $259,900 Call Kazwell, 3/2/2 Pool/canal $309K (941)-625-0015 3/2/2 Pool/canal $314K 3/2/2 Pool $318,000 Nee oPlcea 941-474-2897 ext. 127 S* RF,uXBayside $500 Cred- it at closing when you buy Enter your classified ad online from Terry Long! and pay with your credit card. 2/2 1200SF, 2002 Dbl wide in It's fast, easy, and convenient. Oyster Creek MHP, Comm. Go to sun-herald.com/classi- boat ramp to gulf. A must see fieds. $174,900. (941)-270-7280 Fast Convenient Easy Sun-Herald.com/classifieds 2/2 CONDO Gulf access, 2nd (Visa or Mastercard) fir. new A/C, floors, part. furn. appl. inc 240K 586-336-1192 SUN L sancasacondo@yahoo.com 3/2/2 FORECLOSURE, GDNS OF GULF COVE, bit 2000, $169,900. n I I mom.R.r(941)-628-4051 NEW HOMES STARTING AT 3/2Pool Home $194,000 NEW HOMES STARTING AT 2/2/2 New Roof $173,000 160K LEUNE AND CHAR- 2/1Updated duplex $189,K SOTTE COUNTIES. ONLY 3/2/2 Newer $224,000 1000 DOWN. 1.00% 941-474-2897 Ext 127 FINANCING AVAILABLE. RE/MAX Bayside 1-888421-0101. Realtors $500 Credit at closing Welcome! when you buy any home NORTH PORT from Terry Long Rent to own, $1,900 down, 7192 HOLSUM, 3/2/1, $1,100/mo. Move right in. E. ENGLEWOOD, SHARP!!! 3/2, City Water. NEWER ROOF, $189,900 5654 MacCaughey 204,900 (941)i628-4051 & 6837 Carovel $179,900 (941)716-4451 ATTENTION VETERANS - $1,000 Moves You Into A Not in MLS 3/2 on huge Brand New 4BR/2BA/2CG corner lot, city sewer Home! Prices from $164,900 or $550/mo. $208,900, Don't Wait, Call with 5% down and pre-qual. Today! Nu Home Finders, Shells Realty Inc. (941) 875-1333 (941)-724-1678 i Sundav. Oct. 22. 2006. Real Estate Classified 1024 NORTH PORT GREAT DEALS e NORTHERN STYLE Pool, workshop, cty wtr 4110 Allure $250,000 MOTIVATED SELLER 3/2/1everything new 3800 Nekoosa $165,000 e PRICED TO SELL Open plan, pool, newer 2870 Sadigo $219,900 *CANAL & POOL Large rms., great floor plan 5215 Ariton $317,000 e LOVELY 3/2/1 City water & sewer 5316 Malamin $164,000 TOWNHOUSE End unit, light & bright 2274 Mulberry $209,900 Gail Collins 941- 426-8965 1-800-452-8681 Prudential FL WCI RIty HAMSHER REALTY, INC. 3/2/2, built in 2004 on big comer lot w/city water, $189,000, 5004 Delight Ave. Brand new 3/2/2, 2,200 + sf, many grades, $314,900 Beccy Wolfe (941)-504-4009 HAMSHER REALTY, INC. Brand new in N. Port 3/2/2, 1,400 + 4f, upgrades, great location off Sumter. $230K Kent Wolfe (941)-504-4019 HAMSHER REALTY, INC. NEW 4/2/2, pool, FR, comer lot, many upgrades, $339,900, 3/2/2, nr Glenallen, 1,500 + sf, ready in Dec. $209,900 3/2/2, 2,100 + sf, READY SOON! $249,900 Kent Wolfe (941)504-4019 I BUY HOUSES VASH-ANY CONDITION! Call Al S941-780-6600 .WeBuyFlorida.com ib IBUY HOUSES 'ASH-ANYCOND'MON!' Call All 941-780-6600 .WeBuyFlorida.comn INVESTORS! INVESTORS! INVESTORS! Buyers Mar- ket, Motivated Seller, Prices from $73/SqFt!! Below Market Financing! Call Today Nu Home Find- ers, Inc. (941) 875-1333 1024 NORTH PORT 1025 PT CHAR 1025 PT CHAR FOR SALE FOR SALE LET'S MAKE A DEAL! - Brand New Custom Built 1251 Rosewell. Appraisal 3/2/2 pool, privacy 4BR/2BA/ 2CG Homes, $229. Sale price $215,000. fence, NY section, Prices Too Low To List! Call 3/2/2, like new in & out, split $225.5K Now! Nu Home Finders, Inc. floor plan, treeded large lot, or offer. 941-766-2407 (941) 875-1333 premium neighborhood. (941)497-1511 or 416-5407 3/2/2 WITH STUDY ON 2 LOTS ON A CUL-DE-SAC! $179,900 1515 Lanco St. Beautiful Why build? Newer home for Builder Clearance 3/2/2 w/ pool. Everything the discriminating buyer!!! New Construction updated. Private canopied $399,900. Call Kathleen Hi Quality- Many Extras yard & gourmet kitchen. White, REALTOR, CENTURY 1248 Dinsmore St. $249,900. Amick Realty, Liz 21 Aztec & Associates at 941- 941-232-0636 for appt Callahan, (941)-268-6817 661-6299. NEED A MORTGAGE? 17359 Harris, 3/2/2, 3BR/2BA/2CG + den & lanai, 100% Investor Financing immaculate, pool home. BRAND NEW. 1755 sf u/a. Call Kazwell Motivated seller! 376 Skyland Ln. Priced to sell (941)-625-0015 $229,900. Shellee Guin- at $189K. (941)-266-2835 ta (941) 586-8463. CEN- 4 Bedroomr, 2 Bath Home! NEW 160mph hurricane resistant TURY 21 Almar & Assoc. Only $33,000! Must sell. 3/2/2 energy eff., impact Call for listings. 800-366- glass, tile, granite, below 1st Time Home Buyers, let us 9783. ext. 5543 builder's cost. 941-915-8029 assist you. Homes starting at New 3BR/2BA/2CG, split $199,900. Quest Real Estate 4/3/2 WITH POOL IN NEW plan, screened lanai, great Karen Becker (941-628-2207 YORK SECTION. $279,000 kitchen, many extras. Owner will pay closing, or rent (941)-484-3750 2 POSSIBLE 3BR, car. to.own. Call 646-919-1589. NEW, corner lot, 4/2/2, Great port, scr. lanai. outside 4BR/1BA, new kitchen, loc. Custom, has it all! Schls & laundry room, updated all tile, by owner. Community $279,900. or RENT kitchen, very nice & $125,000. OPTION. (561) 234-0090 clean. For sale or RENT (94-575-6482 TO OWN. Call for details (941)-575-6482 NORTH PORT- FREE RENT (866)420-8804 797 Kellstadt St. Beautiful New 3/2/2 w/ appliances. 3/2/2 w/ pool & workshop. Pet friendly $950- 2/1 + office. Newer AC and $220,000. ALSO AVAILABLE $1200/mo 321-239-0647 roof Fenced yd. $105K adjacent fenced in corner lot, NORTH PORT 3/2/2 Sel-Fast List @ 3.5% $30,000. Amick Realty, Liz BRAND NEW HOME! 941-475-8282 Callahan, (941)-268-6817 Rent or Rent To Own Cell 248-910-0341 2/1/C, HANDYWOMAN ALL OFFERS WILL BE CON- SPECIAL! NEEDS MINOR SIDERED, DRIVE BY 5180 OWNER WORK, NEWER ROOF. Collingswood Blvd. OWNER $59,900 (941)-628-4051 REDUCED 2/2/1, All new FINANCING everything! Interior, exterior, $I12/AO 2/2/1 WITH FURNITURE, landscaping. Vacant & ready $1295/M DISHES AND TV's! New roof to go. Area of Million $ homes. NO BANKS and A/C. $174,777. Call $149,000. Owner. (941)- Brand new 3/2/2, Kathleen White, REALTOR, 764-3969 Family room, Lg. Lanai, Century 21 Aztec & Associ- 2482sf ates at 941-661-6299. AVOID FORECLOSURE MOVE IN RIGHT 2/2/1 WITH FURNITURE, Immediate Help Avail. AWAY DISHES AND TVs! New roof BOB 561-496-1264 and A/C. $174,777. Call 1-800-987-3133 Kathleen White, REALTOR, OWNER MUST SELL!! Century 21 Aztec & Associ- Brand new 1,600 sq. ft. CBS, OWNERS L ates at 941-661-6299. SELL" 3,2,2, cathedral ceilings, tile, 4170 LANSOM LANE 4/2/2 -6hurricane shutters, nice area, on beautiful fenced 1/2 acre 2/2/2 w/bonus room and $229,000. (305)451-1531 lot, 1600 sq. ft., new paint, screened lanai, remodeled carpet, tile, & kitchen, in NY section. High & Dry. Brand new 3/2/2. PRE- $264,900. Possible L/O (941) 258-8168 CONSTRUCTION PRICES! Many upgrades. 4 north_port 941-923-5700 r Availale Will STOP RENTING NOW. Lease Option 3/2/2, brand new N. P. home, upgrades galore $1300 (941)-356-3171'sdeals.com 4 Best Deals New or Newer homes Dud Kearney 743-6984 Gulf Access Homes Team 1025 PT CHAR FOR SALE P/2/CP, Lg. corner iot, great m .-.......... area, new roof, complete considerrent to own. remodel. Wood kit. cabinets, (866)420-8804 Swasher/dryer, $132,500,/ (941)-626-6969 BRAND NEW 3BR/2BA/2CG at builders cost, $189,900. S2BD/1BA Corner lot, fenced Still time to pick out your col- in backyard. Handyman ors. City water. 6-8 wks to Special! $89,000. obo. completion. (7321-349-7115 (941)-628-6687 Brand new custom built home. 2BR MINI MANSION Must see 3/2/2, cathedral ceilings, picsat many extras. Great central .com/mmaiure area with newer homes. Must Cal(941-628-8173 sell only $189K. Qualified buy- Call(941)28173 ers call (941)-255-8505 3/1/CP, new tile thruout, lami- nate BRS, new bathroom, new Buy of the Year W/D, & shed. MUST SEE! Brand new Deep Creek $129,900 (941)-6244838 3/2/2. Open floor plan, hur- .. ." . ricane.. windows,, manv -? 2." l 10 I ,r, ,- ..,, r i , 'I ,h F f"- r i' """" --.., .:, ,, r .'.l .,,:, " The F|,,(, uroup 1 R ,er.lar Palm Realty 941- 626-2040. Deep a'i.:.ount ir, Deep Creel 3/2/1 Affordable! Com- Brand new Dpe hhome.d4 '. pletely Updated! Fenced Yard. eiTarl. up wrjd- osBuilder O $139,900 Call Kelly, Home- h e l rvth,9 -l ir Lo Choice Real Estate, 941-575- ',90U .a .123 9775 -DON'T MISS THIS 3/2/2 plus Office. 4396 FABULOUS DEAL!!!!! sf, Newly remodeled, Spacious, immaculate, 3/2/2 Owner financing! tiled home in great area. $359,000. RE/MAX Powerhouse Call 800-372-6980 Code Call: Carol Schunk #3006 for details. (941) 661-8777 1025 PT CHAR FOR SALE, Great for Investors or Family Immaculate 3BR home priced right @ $148,750. Call Trish Williams, REALTOR. RealEstateByTrish.com CENTURY 21 Aztec & Assoc. 941-662-0723 HANDYMAN SPECIAL 2BR/ 1BA, retail value $165K, ask- ing $109.9K, Cash investors only. (954)-938-5002 I BUY HOUSES Cash IMMEDIATELY! No Bull!! 941-468-7614E,,.,r....n. I BUY HOUSES CASH-ANYCONDITION! IN LAW RESIDENCE Custom built 5/3/3, pool/spa. $425k. Fla. Golf Properties, (941)-235-2473 IT'S A BUYERS MARKET! - Now Is The Time To Buy a Brand New Custom Built Home Priced from $73/SqFt! Call Today! Nu Home Finders, Inc. (941) 875-1333 Nature Lover's Dream! 2/1/1 updated, wonderful yard with fruit trees & foilage! $149,900. Call Kelly, Home- Choice Real Estate, 941-575- 9775 NEED A MORTGAGE? 1st Time Home Buyers .Call Kazwell (941)-625-0015 POOL/SPA Hm. Sale or rent. 2/2/1 beautifully remod, lanai, shed, RV prkng $35K below apprais. $162,900. (941)400-6884 REDUCED! Must sell 3bd/2ba/2cg Great location. Call (941)-625-6045 after 5pm. Reduced to Sell, 3/2/2, fenced back yard. On fresh canal w/dock. All appl. Drive by 3665 Brboklyn Ave (offElmira), 258-0275 or 625-7455. Asking $234,900.See owner.com, enter AWD 5997 REMODELED 2br/2ba/lcg, 1300sf, immaculte cond. New roof & home warranty. PRICE REDUCED $159 000. SRQ Realty Garry Jenkins, (941)-716-2877 941-388-0820 office 1025 PT CHAR FOR SALE SECTION 15 GORGEOUS 3BR/2BA 2200sf; tile & hard wood, heated pool. hurricane- protection $334,900 SRQ Realty Garry Jenkins, (941)-716-2877 or 941-388-0820 Office Updated & Meticulous 4/2/2, Tile & Pergo Floors Fenced Yard. Great Value $189,900 Realtor/Owner 628-1195 Updated.& Meticulous 4/2/2, Tile & Pergo Floors Fenced Yard. Great Value $189,900 Realtor/Owner 628-1195 Updated/Remodeled Homes 2/1.5/1 Poss. 3BR $149.9K 2/1 Gulf Access $269K 2/1 Gulf Access, Pool $269K Realty Concepts, Inc. 941-743-8255'sdeals.com 4 Best Deals 3/2 pool under $250K Dud Kearney 743-6984 Gulf Access Homes Team 1026 PUNTA GORDA FOR SALE 3/2/2 5 acres, gated commu- nity, open floor plan, tile roof, built 1996: $449K. (941)-639- 1667 3/2/2 DEEP CREEK, handyman, pool, 1663 u/a, 2525 total. $199,900 (941)-628-4051 BEST KEPT SECRET IN PG 3/2 on fenced 5 acres w/pond, 5 min. to schools and shopping, overlooks golf- course, dead end paved street. Seller motivated. $260,000 obo. Call 941-575- 1295 or 941-626-6165. Bra. 139K 3/1, home dditional 80x100 lot avail 1407 Coral Ridge Dr. - ero out of pocket wit a 620 or better credit cor 941-504-546 Brand new 4/2.5/3, 2760 SF, appl. inci W/D, purchase, Burnt Store Village. $299,900 (239)-229-6418 BRAND NEW never lived in 3/2/3 Burnt Store Lakes. Many upgrades. Gourmet kit w/granite. $339,000. (941)- 628-6582 Burnt Store Meadow: Brand new 3/2/2 to be finished by mid-November. Eastern expo- sure, lots of tile, eat-in kitchen, open floor plan w/family room in addition to formal living room. 2200 sq ft. Under air. $349,000. 941-769-4201 Burnt Store Meadow: Over- sized 1/2 acre lot, southern exposure, 3/2/3 w/ pool. Built in 2004, 2200 sq ft under air, lots of tile, open floor plan, spotless. $396,000. 941-7694201 Burnt Store Meadows, PG 468 Tabebuia Tree Beautiful, 3/2/2. Striking Ig. kitchen. Open floor plan. Bit. 1997. 1808 A/C, 2563 total sq. ft. $279,900. 269-276-0746 1026 PUNTA GORDA 1027 SOUTH VENICE FOR SALE FOR SALE By owner, 3/2/2, Peace 3/BR Spacious pool River Shores. 1602sq' under home overlooking pond air, Ig. lanai. Reduced to with lots of lanai & patio $187K. Water frnt comm. area + mother-in-law Joining lot avail. Owner fin. if room. $339,900 qualified. Call 941-575-0043 941-488-8143 Sunacre R.E I.,UIV rrL V Drh I5LI5UUrLL /'FOR SALE BYX OWNER New Home in Punta Gorda This 3,2 spacious home is minutes from Golf courses, famous Burnt Store Marina (public boat launches) and beaches. Offers a large lot. 2 car garage, sprinkler and alarm system. Over 1800sf living. $289,500 941-493-0400 Harbour Heights 3/2/1 Call 24 hrs for recorded message. Priced to sell! 1-800-684-0918 ext 2001 Looking for space? 3BR/2BA/ 2CG Pool home. Great layout on '1/2 acre. xtra 2CG work- shop w/elect & water. Boat ramp & clubhouse. $325,000. Utopia Comm Realty (941)-575-7111 1028 VENICE FOR SALE MUST SELL.- REDUCED 236 Vista Del Lago 2b/2b w/den, 2 car gar, furnished, pond/pool views, approx 1,500 sf- $305,000 Owner (941)4084768 NEW HOME $225,000 2/2 +den, no realtor fees, financ- 1976SF 3/2 pool home Bit ing avail to qualified persons. 1997. Owner moved Call Deborah (941)-355-3034 $269K: 4/2/1-pool&fire S VENICE, must sell! place. $249K Sel-FastList 3br/2ba/lcg, fireplace in @3.5% 941-441-6530 LR, new tile & paint, ready 2BR/2BA/2CG in nice neigh- to move in, very cony loca- borhood, tile thruout, new int. lon. 2870 GENTIAN paint $210,000. 365 Conrad $209,500 (941)-400-7264 Rd,. (941)416-5997 STONYBROOK, 2/2/2 + family AVOID FORECLOSURE room & den, 2,000 sq ft, lots Immediate Help Avail. of upgrades, lake and pre- serve views. Beautiful pool & i 1-800-987-3133 fitness complex. Photos at rentalo.com #78788 $325K 941-284-9842 Home owners we will VeniceGardens 2/2 &3rd sm rm. pay up to 10% more \ Built 1959.349 Redwood Rd. AS for your home. Damaged IS!! RIGHT TO INSPECT. or not! Cash in 24 hrs.!!! beat any $169,900 (941)485-8469 aft 5 We will beat any offer (941)876-6517 .$158,000, SPACIOUS, well- maintained, 3/1/CP, concrete block, lanai, laundry rm. Lrg 1028 VENICE FOR SALE shed. Quiet St. (941)408-7809 539 Mt. Vernon Dr., 2/2/2 Bamboo firs, high-end kitchen, flat screen TV, New roof & plumbing, $249K 9414936448 BEST VALUE, 2/2, w/attached garage. New kitchen and appliances, lanai, all new ceramic, 100x100 comer lot, no deed restric- tion, all work already done. Quick possession. $189K 941-705-4600 or 927-2111. Atrium Real Estate. ISLANDWALK- Resort style living in this brand new Divosta Capri. Perfect water/littoral view 2/2, den, tilt, corian, lanai, 2 car $299,900. Call Henry Hamels 941-321-9634 Coldwell Banker Res. R.E. Inc V IT OUT! Use the Handy 0 In Our New Improved Garage Sale Ads To Mark The Locations You Want To Check Out For Great Bar- gains. ARE YOU ONLINE? INCREASE YOUR EXPOSURE! Add your internet address to your ad for a little extra! Advertise in The Classifieds! ktjk! ,k4', "(941)484-8080 or 1-800-366-0984 S . 7, i\.\enie e.. l Bl E. of Venice BeachI ..Nl"- .. I. ml S website for rentals: t Aur ican ,eGMAC :..T + .. n, =. D i IARealEstate S 2.. 51 1 S i i .. '., '. ,I._. ... i' 1 ,i' r lt ..L. PN EC. E TGLL E Ths SEL iE totall BRemodled OFiTER!"u .ne ,. ro N CE 2 BED. 2 BATH VILn L r qurt rti i. i .-i Sn Ps ..I (-Chirl.. llc rl e Ehir. ,,,,:,d G ,:ul a n ie. J 1e ; l' r -, -iia ,1 ..ri. -i[ -r'.pp, g ind i-I t Cr ji i ,., ~' ..I ..i .- '. ,, '.i" ,=:..'.9.. ,-| n 4 l,1 i LS'i 525153 GRD- YO lE EI NT! F.:.u lf-1 .:. 't L r.J r.. r,.:..r. '..:r.c rI. cr.' Tp .u i'.l clel l'., ....-. i l,. u u J .. . I r .:V... ., n' :.'u.i-i II,:.:.. I o d.t:.,:.. i ...ei .:, Seasonal leases in place 1 .--in i4 I i.W Sl" 414.ll i I MLS 51 l .53. W watch the iur.u .. I ,.-.,.: i 1.1+ I J... .11 ..1._.1h "., il 'ul j,-, r I'.:.r .:. i m'I' .r ;u k.ik h)o playhouse, v .. ie .1..:.f ,:.. ,. r_..1s .- ir,.j jP:. r..-. o' uer..: u1.275.0,l0 @ [L I 526775 ADD YOUR PERS(-)ON L TOLUCHES. i.,.:.] i-,J. irc.hlf. r pjrld uni acros- frrom Venice Bea.rI. L ': r.u n i.,- I-,:.J., .-r ., ,Ui h :..ir. ; .r. c -r., i.il nr,, jo.set t\ ,.3 like i-,uri in dining aid I,.'e.. i ..,. -t ., r.-r, .l _j.,,1 l *: I .,m mr e creencd land! ,299.900 MLS#531"14 CUTE 2/2 HOME ..: ic Il j h!.r....- i1 n:., i..:. r utn .h ntr .c Fluri l., oom p.lu.s screened lanai with ..,r]t. L.,.,,,. I,: ,.- ,- .11 .ialu: Jo, run S,-.- : icd. S17Q.9J0 9 N .S# 529409 Service You Deserve. People You Trust. @ 641,::6. ......-:-Venice Gondolier ------ ------- MaR" onaa mmn"a i. JouC V Go To: TO ADVERTISE ON THIS PAGE, EMAIL HOMEPAGE@VENICEGONDOLIER.COM HP 2 DEADLINE 5 PM MONDAY F EXQUISITE /ANNUAL RENTALS OPEN SUN 1-4 ENGLEWOOD ISLEi OPEN SUN 1-4 OPEN SUN 1-3 - BEACH HOUSE ISLAND WALK 60 Seconds to Deeded Beach Brand New. er,nd r,,. ....n,m.,TMuri, 318 Bayshore Rd. Thr-ee ei,..: I.:. Open Saturday & Sunday 1-4 328 11368 Baggot Ave. .i, .ER 1503 Scarlett Ave. ftjir i 7-. 1r. Easement I: r,, :, ..: .. ... t ,ul C ..[ H,:,r, r .:,r 3to r l T.: "m B .P:rn '.- r '1 4, 'F :,i i Oakwood Circle E-.l.'..-..: : I.: irJCE IjTi.'E' In.E: Tr ., r. .:.r, ir.- I. .-.,- Pl.,riai3.,r, Tr,e ..a-alior TI, 1, b ar ,;.u'lT, .l |,:r,, ,- SI .000 p-, m ,r,ir, ..,ir, p,..:.. l..I r S 1.200 '6v r,,:.,m r,.- ,' i r ,l n ," r r .". ,:r ,', ,', .,-.- '.-,,:.r,,. E ,I, Iy.r1 F 1u,-- ,,-,,:l".' i ,_,-'1 r.:,,:,rr, tl,-:.r -,pp.'.riu ,r,,I, r, e.,.; c,:,rn ,ur,,r 3B 1=H P l. T '. .' iu r.:.u r,, -,:,u ,,,,3 r ', ,,, -, 1 .l lu ll, I, rr,,.ir,.- l , ,.:.;lu l l, I ,-, a i, .. I ,:, l I ,,. l I.:. p l r, ,. 1 ,r,, r t ... q, r,, i r ,._ .. -," 1.,', i ,'r,,c R l 1r. ..m SmaTrl-, l..u. lu" r n,, T11 r.: ,,,ra,:ulal $565.000 ITmm, ,3, I,,, .,:,: up.,n,:, S325.000 i', r u, 5264 900 S264.000 rurr, r an,,,r,.i..n3,: 949.000 RANDY DAVIDSON GREG OBERLANDER ,-- SAMANTHA PEARSON MEGAN HESS (941) 809-0990 (941) 468-1460 (9411308-6769 (941) 223-7526 PARTNERSHIP PROPERTIES. INC. Town Center Realty, Inc. Prudential Palms Realty FOR SALE BY OWNER Re/Max Properties Venice Realty. Inc. K, (941) 232-5784 K (941) 929-9333 (941)486-0400 J (941) 460-9991 j (941)954-5454 J K (941)488-7345 J NEW LISTING OPEN SAT 1-4 BEAUTIFUL / PEACE & OPEN SUN 2-4 ( * GREAT 1ST HOME & PRIVATE TRANQUILITY .... .-Email 'Mi .homepage@n gondolier.co A Super 312/2 r.,:,,- r .r..m ,r,- gr,,-,,r 2648 Parley, North Por: :.m H..-r,n Come lake a look! Mu T. 3 Country Lyving T*.. ir. i, ,:n.r..r,,rn:. 500 S. Park Blvd. 11 Venice ir Deadline 5PM r,,u 3t,,l l. :p i ,a i, i r,: l r '.|.irl..p,':...l S245,000 C ..-, .1 ,, :,rE $449,000.. 0 Di CHARLEEN KELLEHER .pp.i,r,.:.'i 5 214,000 CHARLEEJ KELLEHER CHARLEEN KELLEHER 2 5;0- 1.:.- ,-:.. 5449.000 (941)266.9324 CHARLEEIJ KELLEHER 1941) 266.9324 KELLEHER KAREN TRECO ' ,- (941)i266.93249419 266-9324 1941126.93Help-U-Sell4R eayp tion: Century 21 Sunbell Realty, Inc Cenury 21 Sunbelt Realty Inc Century 21 Sunbelt Realy. Inc Cenury 21 Sunbelt Realty, Inc. Help-U-Sell Realty Options K^ (941)426-8811 2 (941) 428-8811 2 (941)426-8811 2 K (941)426-8811 J K (941)483-3810 2 --- Page 3 %.JLAI i%.A"Y) L. -) W, .--. Am-& OC COMPLETELY REM D Sunday, Oct. 22, 2006, Real Estate Classified 1028 VENICE FOR SALE 1030 WATERFRONT 1040 CONDOSNILLAS 1090 MOBILE HOMES 1120 WANTED TO BUY 1210 HOMES FOR RENT 1210 HOMES FOR RENT HOMES FOR SALE FOR SALE NW I AVOID FORECLOSURE 2BR/1BA w/carport & storage ANNUALS/ SEASONALS MYAKKA RIVER Deep water, HAMSHERR Immediate Help Avail. shed/orkshop. Convenient to AVAILABLE NOWI!!! BRAND NEW 2BR/2BA shopping & beaches. $975/mo. Thomas Ryan fishing, wild & scenic, REALTY, INC. in Sub-division on own Avail 11/1/06. Real Estate Mgmt. Inc. U P2br/2ba, VeniceTArea i v f 1-800-987-3133 Avai^l1/1/06. w.effortcom Real Estate Mgmt. Inc. UP TO 941-223-8200 Tarpon Bay, newly fumrn., 1st land. Just 3 miles from Chris Tritschler, RE/MAX Effort 941- 205-2140 floor, 2/2/1, waterviews, the NEW Super Wal Mart Realty, (941)376-7740 $500! I PGI Completely renovated, waterfront, pool $239,000 Kings Hwy. $85,000. PC 2/2 condos: newly 3/2/2 htd. pool. 2200SF Kent or Beccy Wolfe Possible owner financing. I BUY HOUSES remodeled $700 under air. $479,000. 50K (941)504-4019 or504-4009 941-380-2751 rCASH-ANY C ON /2/2 Brand New ton PC 2/223348 lea$700 JUST GIVE US YOUR below appraisal. 626-6263 AS34/2/2 Brand New Roten- PC 2/2: 23348 Olean J T V UOFRTH e lo ppasa.62-26HERIT AGE LA /Buttonwood, lovely 55+, Call Al da Sands, 2110 sf. under air. $750 OPINION OF THE HERITAGE LAKES Buttonwood, creeed 941-780-6600 LR, DR, FR, screened lanai, Dp Crk: 2/2 condos off VENICE GONDOLIER Deep Creek 2/2/CP brand- room, enclosed lanani, carpet $1,175. mo 941-743-2964 Rampart $825 $900 SUN! PGI, 3/2/2, Sailboat canal, new, fully furnished, 1st floor, & tile floors, many upgrades Drive by: 11 Lanteen Sail PG 2/2 condo: Harbor view, Pool, Dock, end unit, seller incentive, $29,750, (239)-825-4838 3/1.5/2CP, w/caged pool & 175 KingsPHig2hwaNeks850a You will be entered to win Boatlift. Must sell! $539K. $179,900. (941) 235-0740. 3/15/CP, w/caged Pool & NP 3/2/1: 221 Nekoosa Please call 941-628-2838 Heritage Oak Park 3/2/CP, By Owner P.G. Cleveland Mbl 1205 LEASE OPTION lana on $1,000 mo. Firt last & PC 3/2/1:19607 GRAND PRIZE Port Charlotte. Charming Ig end unit, bids starting at ome & some rn, deposit.(239-690-0306.$875 citywaterutilsometh itrn, I 3 & 4 BR BRAND NEW Ddeposit. (239-690-0306. $500 CASH 3brba/2. ter ector Fishermans Vii- $48,900. 941-916-1134 spacious North Port 3/2/1 Corner lot, quiet area, Dp. Crk: 4/2/2 995 $192,500. We finance large Realty 941-391-2606 CHARLOTTE HARBOR, 55+ homes. Rent to own, flexi- 1s t, Securitync2/1: 1ST PRIZE (almost) anyone. MARIA MANOR 2/2, ground Dblwide, 24 x 40, 10' x 20' 41-488-8143 e twnerbroker 941-780-26602322 Queens Ave 3254 Greatneck $100PC 3/2/ $100 floor. Newly renovated. 2 anai, 2 bdr, 2 bath, fully furn. NP New: 3/2/2 CROWS NEST GIFT Mike Glastonbury pools, clubhouse. 55+ Many upgrades!Double long DEEP CREEK Lease purchase. 3/2/2, BRAND NEW, N. PORT 4523 Butterfly $1050 (9411-240-2822 $121,900. 941-624-0169 Carport. Near banks, RX & DEEP CREEKLease purchase. 3/2/2, BRAND NEW, N. PORT 4523 Butterfly $1050 (942402822grocery. Reasonable lot rent. 4/2/2, New, close to shop- city water & city sewer, NP New 4/2/2: CARD SUNSTATE REALTY NEED A MORTGAGE? imied. Occupancy. $49,500. ping & schools. $1600/mo 1200sf, $895/mo 1st/L/Sec. 5332 Boxer $1125 2ND PRIZE Punta Gorda 80'sailboat 100% Condo Financing obo (740)-607-2762 F/L/S neg. 954-600-1511 (941)-809-3075 or 423-3050 PC 3/25/indoor pool; 2ND PRIZE obo (740607-2762 22465 Oceansde $1200 S water,3/2/2,$539k Rent Opt. Call Kazwell 100,6% RENT CREDIT 3/2/CP on Deltona in Punta NP Bobcat Trails NEW $50 Astonna Realty (941) 625-0015 DOUBLEWIDE FOR SALE IN Venice/Nokomis W. of Gorda. Brand new on canal w/ 3/2/2 pool $1500 BAY INDIES, UNDER $15K. Trail 3/2. Keywast Style fireplace*. $1,600. mo. 1st, PGI: Clipper Cove, Bogey's Gift Card 941-623-3720 OAKS IV CONDO 2/2 updat- SOME FURNITURE. $1200,no. (941-586-513 Last & Sec. (941)-624-0355 furnished 3/2/1's ed. Nice location. Sm. Pet OK (941)-441-6672 120 (94586513 Last & Sec. (94-624-0355 furnished 3/2/1's 3RD PRIZE'sdeals.com $120,000. obo (941)-766- MOVE IN NOW! 4 BEDROOM, big lanai, corner $1400-$1700 $50 Publix Gift 4 best canal home deals 7045 or (941)-380-9821, HANDYMAN SPECIAL IN GET THE LOAN LATER! lot lakeview, near schoolsinPG: 2/2 ssn urn. $50 PubDud 743-698 Gift 4 unP.C. 1/1 Condo, 55+, corner, PUNTA GORDA, 1BD, 1 BATH, Rent to'own, North Port. 4170 Port Charlotte. $1500 mo. condo: 1359 Rockdove Card Dud Kearney 743-6984 P.C. 1/1 Condo, 55+, corner, APPROX 12X50, $16,000. Langsom Lane, 4/2/2, 1/2 Call 941-743-0982 more info $1400 Gulf Access Homes am 1st. f, nr. Cultural Center $85500 OBO, LOW LOT RENT, acres, fenced yard, 1600 sq. PC 2/2 ssnl or annual TO ENTER, GO TO akeffr (941-815-8423 941-416-3800 ft., new kitchen, new paint, North Port furnished: 195 Salem 1035 GOLF COURSE PC. Oaks IV, 3/2, ground Lowest prices on new manu- new tile, new carpet. 4BR/2BA/1.5CG, $1500 COMMUNITY P.C.oor, new tile,3/2, g. fractured homes from factory $1375/mo. + option fee, 1,471SF., single-family PG 2/2 ssnl furn. w/d etc. Pool. Nice owned Prestige Home Center homes, $875/month in SWF condo:Windjammer 1030 WATERFRONT 3/2/2.5 GOLF COURSE $134,900, 941-625-9763 in Tampa. 3BR, 2BA. Multi-sec- north-port 941-923-5700 No Application fee, No $2000 HOMES HOME IN PORT CHAR- tion homes from $47,900 N.P. RENT/RENT TO OWN security dep. w/ approved LOTTE. Over 3,000 total P.G.I.- 2/2/1 2nd floor including Delivery, Set-up and Like New 3/2/2 w/lanai. credit. First comeFirstLLY 941- RENTAL HASSLES? .WIDE WATER FISHING I square feet. $219,999. Call unit w/ elevator, pool, A/C. 1813910-0465 $1095-$1195. Avail now! s 234-3061 for appt. LEASE OPTION YOUR FISHING!Kathleen White, REALTOR0, clubhouse, tennis,5gated. N9s1'485m2337 dN 0 234m-r pt hAoSme!wn your wide Myakka s river No red CENTURY 21 Aztec & Associ- Incentives. $239,900. Nokomis, Doublewide, 2BR/ New 03/06 3/2/2 lanai, laun--- pt o - tide. Catch snook, tarpon ates at 941-661-6299. 1.5BAw/new lanai, newly fum, proven Lease Option Pro- tide. Catch nook, tarponW 941 99. (239)-210-1521 /D, 55+ comm, small pets dry, oversized corner, room gram. Bad credit? No from seawall.Gulf access. OK. $59K (941)2287985 for pool. $4K downproblem Get started Pool. Quiet. 3BR/2.5B/ 1040 CONDOS/VILLAS PGI 2BR/2BA, canal, fur- $1250/mo pOK. $59K 941)22urchas7985 e availtoday! us: nished,3car gar. Pt. Charlotte, FOR SALE sd Open House in Emerald Lake 474-2257or 941-234-8983 EAGLE MORTGAGE CO. $1M Check harlisting FOR SALE ental$259,900. 7327934200 mustsellManufactured Community on Newer 3/2 on large corner 1-800-775-7978 or 20712461 @ $259,900. 732-793-4200 VENICE ISLANAirport Rd. New homes lot, for Lease/Option eaElemortaevenice corn or Mike: 941 993 9325' Beautifully updated flexible stgated community. Come see $95K A 55+ Call (941)-586-4014 1/1Prom. Condos $600 owned bus ess) *terms, close to beach/shop- the hidden treasure For details 1/1 NP house $650 *4/2.5/3 W/POOL* 1/*a sIg $349,900. 7the hidden treasure in Punta Minutes to harbor. All the 941- 8143 Ownerbroker Gorda or call Diane or Joe NO. PORT Option to buy brand 1/1 Oaks III Condo $675 BARNES & PHILLIPS bells & whistles for enter- for info. at: (941)-639-3800 new 2/2, lakeview, other 2/1 Lesiure Vii $675 training & fishing$499am900 175 Kings Hwy. Newport a entities. Owner motivated 2/1 NP house $700 REAL ESTATE Inc. tingNancy Retor-Noinutsy. N t Palm Harbor Factory portion of closing cost or 1 2/1.5 SF 1 cg $625 743-4200 hemng shing Rt Condos. This 2/2, 1st. Liquation Sale 2006 Models year ant fees. 941-284-3051 2/2 Oak Hollow $700 Fisherman Village Realty floor, end unit shows like Must Go! Modular, Mobile & year mant fees. 941-284-3051 2/2 Hm. Comm Poo$850 ANNUALS ***888-391-2606*** a model. Priced to sell, Stilt Homes 0% DOWN When North Port Lease With Option 2/2 Deep Crk Condo$850 NNUALS 1 A + boater's waterfront $159,500. Shellee Guin- You Own Your Own Land!! To Buy, flexible, 3/2/2, 1,600 2/2 Townhouse $1050 1/1 PG $700 dream, large 3/2/2 on deep ta (941) 586-8463. CEN- ke New Conditin FREE Color Brochures 1-800- sq. ft., very private, Call for 2/2 Venice Villa $1300 2/2/CP DC $700 canal 400ft. to Bay, 4 min to TURY 21 Almar & Assoc. Like New Condition 622-2832 more details. (877)-538-4440 3/2 New S/F Homes$995 2/1/1 PC $725 Gulf. Rent, buy or rent -All Appl., Roof & Paint 3/2 Hm Split Plan $1075 2/2/1 PC $725 w/option (941)-474-6633 1st fr. PGI, @ Vivante 2/2+ -New Storm Shutters PALM HARBOR Factory iqu- NP LOVELY 3/2/2 canal front 3/2 H/2 S/plit Plan $11075 2/2 PC $750 Gar., 12,000sf. Clubhouse -Major Kitchen & dation Sale. All Models must pool home on oversized lot, 3/2/2 S/F Home $1100 2/2, PC, Fireplace $750 Gar, 12,000sfll for free brochu. Clubhouses & fenced yard. Will rent with 3/2/2 Home w/den $1200 3/2 PC Pool $750 1% PURCHASE MONEY w/2 pools, full gym, tennis Master Bath or ee rocures & to buy. 941429-2620. 3/3 PG condo/elev. $1800 2/2 PG $800 $253. PER $100,000. court & much more. Restorations quotes. 1-800-622-2832 option to buy. 941429-2620. 3/3 PG condo/elev. $1800 2/2 P $8 ENGLEWOOD EQUITY $329,900. (941-268-6750 e Financial Pelican Pointe Country Club *Seasonal Rentals Avail* 2/2 PC Lawn Care $825 ENGLEWOOD EQUITY $329,900. 94-2686750 PORT CHARLOTTE Lease option. 3BR/2BA/2CG, Visit our web site for details 2/1 Condo, PGI $900 (942 Specials of The Week -Assn. -474-3600 Fe-Low $ 475.00 VILLAGE beautiful lakeview, close to of all our rentals New 3/2's in N.P. & P.C. 2 Specials of The Week -Asn. Fee, $475.00 VILLAGE clubhouse (941493-1244 starting at $900. 12258 Defender ',.ilwjier 932BirdBayWay,Beautiful2BR -Compare To New RESIDENT OWNED CO-OP clubhouse, (941-493-1244 3/2/2 DC $1100 New roof, d:,: iT,.,ore "Bayhouse" condo wlg lanal Condos Over 55 Mobile Home Park Several homes to choose 4/2/2 DC $1150 $269,900 Jessic Menel ,'. overlooking Curry Creek, Call (941)-637-8731 86 Acres 4 Lakes from. Call Debra Peters @ 3/2/1 PC Boat Lift, Pool 815-8451 Salerh.r, Realrv, i,,.: Roberts Bay-For only $259,900 For Appointments 435 Homes ReMax Anchor Realty $1300liilll 4/2/2 N.P ol 1350 2368 Harbour Cr. I r,,- 1126 Bird Bay Way, another (No Agents) HEATED POOL 800-898-7353. lO il 4/2/2 N.P., pool $1350 "brampionrbeautifu l ceiling 2BR SHUFFLEBOARD bamesandphillipsrealestate.net up from count ba[ rmp r beaiful cathedral ceiling BR CLUBHOUSE VENICE EAST, 2br/15ba A Faith Based Business .Peate .Ri er Mai-. o}: ,wulglWaeloverloalongfountaln. QUAIL'S RUN -55+ prime -CLUBHOUSE VENICE EAST, 2br/1.bae r to 1. i ,,. "- r t.r nd feoced yard, 3LE 2 ,E4 2/Cu leawkforonly$2.000 Englewood location. Updated 10 ,i i L +gar, completely updated. . pool home w/,vc -ew b a c ground floor. 1BR/1 t.5BA, lO00 "Kings Highway Low down p 'yment. .'941-475,7011, 3/ 2 r,,orre ,r i clorn open floor ww.birdbayrealty.com end lanai. New HVAC, Phone 625-4105 Call for inf. (941)-488-9069 website: Port. $1095. m. (813)-793- $449,900. (941)485-4804 or appliances, more. Call Tami Patzer beautiful 3/2/2 N. Port house 2334 Dorsey Lr. 38F 26A 1-800464-8497 $128,500. Appointment only Punta Gorda 2/2/CP, NEW 1210 HOMES FOR RENT allmi Ptz beautiful 3/2/2 Port house home, open greal room Owner/Occupant Siding, CP & lanai, 55+ park. 3/2/2 dock, completely furn., styling, workshop & 1 car gar. 2/2 Condo in Cedar Woods, 941-473-7529 Visit: 3/2/2NOTU" ion GCC $2145a 0. 0. see unit #4. $68,900. 941- 'Y NOT U" Plantation GCC $2145a $1400. ann. $1800. seas. currently additional4 hobby Port Charlotte. Must sell Reduced to $94,950 639-6587, 317-379-9027 Nobody Beats Us SGC Melody, pool, $1600A until. incl. (941)-743-2564 room. Fruit, Ig. lot, perfect before 10/15. Wood floors, Why Pay 1st, Last & Sec. GGC Thorman, $2200S for family to be close by. tile. $102K. (941)-456-1626 20 rin #203PC SALE OR RENT Eagle Point 3BR2BA/2CG, 1/4 Acre NPFitzgerald,$975A Bndne 4/.5/3, 60 $ 1 2 9 9 0 0 23- S i T E F I N A N4IN G Both homes are within 1 block /2 Condo in Venice Gardens. Call for appt. 941-587-8572 55+ Park-Waterview! 2/2/CP ON-SITE FINANCING NP Richardson, $1150A SF, apple incl W, rent or Both homes iNew Fla. room, roof, carpet New Home S987/Mo. NP Peake $1300 A purchase, Burnt Store Village. of Harbour Heights park & New kitchen/bath, tile, carpet, Some Owner Financing and appl. $109,000. Possible All Appliances & W/D NP Haberland $1100A $1400 mo, (239)-229-6418 Civic, playground, ramp, dock granite countertops. Possible. 2/2 on 2nd. fl. owner fin. 941-286-6218. Window Blinds, Satellite NP Sister Terr. $975A BURNT STORE VILLAGE- New & amenities. Will consider $219,900. Neal Van De Ree & Renovated $155,000. obo Ready. Quick onto 1-75 NP Woodrose $1000A 3/2/2, 1700 sf. Only $950. package deal. MOTIVATED Associates. 941-223-8402 697-0710 or 626-8082 Snowbird Retreat under $60K, 941-429-0239 NP Toluca, $1250A mo. Flexible terms. Sm. pet SELLER. Ann M. Vituj, ,55+ Comm. ffurnin Won't Windemere Homes NP Pratt, $1300A OK. (239)-989-9353 Owner/Agent 941- 629-8538 Talon Bay, North Port, NEW last Jessica Menzel @ 815- NP Pinstar, pool, $1425A lose to Myakka River. S. Owner/Age 941- 629-8538 0855.2/2 CONDO w/car- Charming Villa on waterfront 8451 Salefish Realty, Inc. NP 1986 Ch uhhill $1S Close to Myakka River. S. 3/2/2 brand new completely port, Cambridge 2/2/2 + den, tile roof/ PC Arapahoe, dock, $2200S Venice 1BR/1BA Upstairs apt. 3/2/2 brand new completely driveway, $297,000 VENICE ISLE REAL PCAr a pahed o,$2200S W/D, incl. water & gas. renovated, gourmet kit. w/ House. Looks great, (941)-685-2944 Owner/Agent ESTATE SALES, INC. A HOE, MEEH P, akeland,pool,$2600S $625/mo. 941-488-2887 ooPC, 3B, 1BA HOME, MEEHAN AVE. 2/2 granite, marble floors & show- 55+ community. NO Venetia in Venice, 3/2/1, 94-485-7743 NO PET. $700 MO. Rotonda, condo, $875A DEEP CREEK, 3/2/2, 100% ers, oversized sailboat canal pets. $84,000 clubhouse, 2 pools, tennis, 603 Roma Road, Venice *PC 2B, 1BA HOME, GODFREY AVE. a, condo, $875A E r 3 0 0 lot, 5 mins. to harbor. A must SALTWATERFRONT. SM. -PET. $75o NP, Oxwood, $950A tile floor. Like new! $950. mo. see. $539,000. (941- 628- A-TEAM REALTY. tiled, preserve view, UO. PC condo, $1000A incl. lawn & landscaping. 941- se.$539,000. (9412628- ey (941)-493-8123 *Over 55 Resident *PC, 2B, 2BA DUPLEX, NEW RED- PC d $ 0A 629-3326 or 416-5966 6582 UrSELLa Riley Owned Community MOND ST. NO PETS. $800 MO. PC Midway, $850A 629-3326 or 416-5966 VnNP 20, 2BA HOME, 2 C. GAR. ROx. GGC Diebella, $1700S, 3/2/2 J&J 1914 Greenlawn 941-629-9222 VENICE, new stand alone villa, 2 Clubhouses & pools BURYCIR NOPET.$ MO. Eng2/1Green DEEP CREEK, 3/2/2, NEnI. anl Noy4 bresaw 2/2/2 +den, finished lanai, FL eClose to shopping & -PC, 2B, 2BA HOME ON CHEVY ng / reen 9A P K /, N. Engl. Canal, No bridges, rm, maint free. $380,000 beaches CHASE ST., 1C. GAR. NO PETS. $825 Eng 4/3 Lemon $1400A Family Rm., Living Rm. Davits Open/Split, built ins, 2/2, furnished, 2nd. floor, negot. (941)-412-3474 eLarge selection of PG, 2 2BA HOME, 2 C. AR., MAR-, Over 2600 Sf. $1000. mo. shutters, Newer air, furoofed,2nd. flool, AAA Property Servicesrmly Owner, 650kN ea941r 47o16p01ol $112,900. Bud Trayner VIVANTE brand new 3/3, homes for sale. LIN DR., SM. PET. $900 MO. AAA Property Services 141126-66 OwnerRealty. Owner/Agent Punta Gorda on harbor, 2004 .eYear round activities. *PGI,2B,2BAETCONDOPOOL COLDE- Brand New Homes Beautifully Maintained (941)-766-7278 pre construction price eJust off By-pass 41. *PC,4B, 4.5AHOME,PRESQUEISLE North Port Area, 3/2/2's Deep Creek brand new 3/2/2 Waterfront Home. 3/2, for- $689,900. 2397775223 DR., OVER 30oo00SF. SM PET. $1400 $1,100. $1,200. mc. lots of upgrades. Avail. Nov. mal liv rm din im, ( fam rm, 2 VENICE RANCH unbelt Mgm. ServicesLL(239) 693-3228 1. Call Debra Peters @ ReMax car gar, 80' seawall, 30' no-'sdeals.com 12X60, 2BR/1BA. Asking 1941 627-9555 K (239) 223-2463 Anchor Realty 800-898-7353. maintenance dock w/ F 4 best condo deals. Open $15,000. Furnished. P 1O,O001b hoist. Boat & fur- Real water view under $300K 24X39, 2BR/1.5BA. Asking 1 A + boaters waterfront AFFORDABLE 3/2/2 in N p DEEP CREEK, New 4/2/2,AII nishings negotiable. New roof, Dud Kearney 743-6984 $12,000. Furnished. dream, large 3/2/2 on sea- excelvalueo this spaci sons Dr.Avail immediately, sliding glass doors, tile, fam 9 Gulf Access Homes Team Others to choose from! 55+ walled canal, 400 ft to Bay, 4 modern, newly built home $1200/mo. 321-213-0168 TURY 21 Aztec & Assoc Call for FREE List 50+ 2br/1.5ba, furnished N.P. 4/3/2, lanai on greenbelt, $850&up.FORQUAIFED 877-874-9299. BRITANNIAS PGI Many Available 4-PLEX $42K GROSS carport, Ig. lanai, reduced to bit 2006, Price/Salford area), RENTERS. EAT HOUSES. Deluxe villa rentals, #1- 2 Caribbean Model Solid rental history. Warm $13,500 941421-9291 690 Cavallero. Pets OK. 2S &3/2 N. PORT.L bdrm + den, 2 car garage, PIs. stopba 6 Ol A Bayfront Penthouse Mineral Springs. $325,000 $1,195/mo. 941-480-1266 EXCBEENTCONIfDlTO brand new $950 mo. # & W. HENRY ST. Priced to sell. Brand new lowest priced top (941)-284-8348 1095 MANUFACTURED SOME WATERFRONT PROP- 1,900 sq. ft., 2 bdrm/den or floor decorator furn condo, NORTH PORT, DUPLEX. HOMES WHY RENT? Own your ERIES SUGHtY 3 bdrm, 2 bath, 2 car garage, full bay views, all poss ameni- $199000, 2/1 & 2/1, 52 4 own home for as little as CALL (941-426-7625 lakeview, $1,200. Gated com- Burnt Store Isles $599k ties ++, price reduced from Gav L. S motiat-. $300. dn; Good credit, __munity with country club facili- Saltwater Canal/seawall $900k. Sell at $7o9K coss ed! Sergey 9411-8 154580 2004 3/1 Singlewide for Sale bad credit & BK. 9 ties, long short term lease 3/2/2 Built 2002 Like New 3.9% fin. No closing costs, asking $15,000 627-1485 or \Mike @ Southshore Intl. aJvail Call 941)623-3108 Astonna Realty 941-575-1230 941-474-6633 1090 MOBILE HOMES amyf5866@wmconnect.com 941-626-7150 pE ENGLEWOOD, Exec Rental, DEEP SAILBOAT, 3/3/2, pool, Absolutely spectacular sail- FOR SALE brand new lakefront 3/2/2, newly remodeled, fireplace, boat waterfront villa in PGI, F L 2 POSSIBLE 3BR/IBA B 2550sf, custom kitch, gran- gulf access, lease option, exquisitely remodeled from $65,000. Oversized lot in 1110 OUT OF carport, scr. lanai, out- ite, ss appli, 20" tile, grt loca- $1300/mo. (941)698-9425 top to bottom with no detail Grove City w/ single wide on AREA HOMES side laundry room, nice tion. $1500/imo. 1stiLst/Sec. Engl No bridge to bay, granite, overlooked! 3/2 with deeded site. Motivated seller. Bring all clean updated kitchen, ti Lease Opt avail (941)475-9966 fr doors, new pool & spa, dock. Price reduced. Florida offers. Stephanie Franklin, *FL, AL, GA, TN central heat& air Week- OI E ENGL 2/2/1 very clean dock & lift $639K Jessica Real Estate Connection. Terri (941)-628-0028. Prudential FL BY OWNER/BROKER ly..'Biweekly or Monthly. OVER 39 L[ST]NGSTO CHOOSE FROM E. ENGL 2/2/1, very clean, Menzel @ 815-8451 Salefish Heitzenrater (941) 815-0520 WCI Realty. EXCELLENT VALUES Call for details ONE BEDROOM ........ W/D, patio, very private, Realty, Inc. Brand new luxury 3/2/condo. Used Mobile Homes For Sale. CASHF OSRADE e Ss okrR 91a7007 0 Fabulous 2BR/2BA w/pool, 3959 San RoccoDr., Call Andy for details. (941)6264655 2/2 Gulf Cove Pt Villa E. Engl. Lg 3BR/2BA, LR + dock & ramp. Great view from Open Mon-Sat. 10-4. (941)-628-4112 41)$750; 2/2 $900 inclds 64FOU65BEDR22OOGuSfov,,,Vl.$120 den extra Ig scr lanai w/spa, a giant yard. Just minutes to Sun 12-4. 941-766-8028 2BR/2BA/1CG home + car N.C. MOUNTAINS !! water & cable; 2/2 $975 POOL HOMES ..,,,,,,,$1 00 $1300 W/D, storage shed, $1250/ Harbor. $449,000. Utopia port & shed. Beautiful oaks & New log cabin $89,900. Easy includes water. Glass lanai CA/LL EMAILFOR LISTOF ALL RENTALS mo.. lst/L/Sec. Annual only! Comm.Realty 941- 575-7111. p o U citrus trees on 2 oversized to finish interior on secluded 1 overlooks lake. Comm pool, SEASONALFRNISHEO ALSO AVAIL, No dogs. (941)-4264474 c, i D^v h eI/o/o -' ...,o ,. onnni 1 1 .;- acre site. Land sale from 1 to Covd oking. Annual & Sea- .... 2 docks, boa lift 160' sea Ft Mers new cost. lury. Comm. Realty 941-575-7111. 7 acres with fabulous mtn. sonal, etc..(941)-697-9210 E. Englewood pool, sep- wall, large tip lot. $799,000. 1st floor, 2/2 condo, gated, views! Paved access, easy A & A Select Realty, Inc. Annual & Season rate workshop, immaculate, 3016 Curry. 514-696-2331. lake & golf course view. Ready 55+ Park, PG, waterfront & financing. (828)-247-9966 RENTALS close to schools, shoppng 01/07. $289,000. Call interior homes & lots. Visit 2/2/1.5 Venice beaches, $1,300 mo. or HAMSHER Owner (732)-558-8126 windmillvillagehomes.com N.E. GEORGIA MOUNTAINS $1100/mo. 1051 Elaine St M&M Property MGIVT Inc. lease option, (941)-876-0245 REALTY, INC Jim Schappe, Gulf Access nice log home, 3br/2ba. By appt. only CALL (941) 473-9616 ENGL-2BR BAYFRONT COTTAGE I Gondola Park 2/2/1 pond Homes Inc. 941- 80-3230. $S399K. For more info. (941)-484-5681 or visit us at our website: Private tropical paradise, open 2494 Vankeuren Dr., Cus- and Golf views. $298K call 1-(7061-782-0739 te Cree Dr ne mmpropertygmtcom sunset bay views, w/dockage tom 3/2/3, 160' on access Sel-Fast List @ 3.5% 941- BLUE SKY MHS 2185 Oyster Creek Dr. Engle Apcom suetays ,w9d7kag canal nr Riverwood, 475-8282 941-485-1010 wood. 3/2/2, location +, nice Ann/seasonal. 941-716-2552 dock/lift/pool $634,900 Open Sunday 1-4 1120 WANTED TO BUY & reacy. $1300 mo. Annual Annuals 2-3/BR'S starting at Engl. 3/2 canal front rental Kent Wolfe (941)-504-4019 i n 7 T I 1 105 Riverwalk Dr. lease pref. 917-449-7357/ $1100 & up- furn., Wk/Mo./Ann. $1,350- $74,900 AVOID FORECLOSURE 718-279-2234. sOfVenice.com RE/MAX $1,850 (941)-697-1311 MANASOTA KEY, full bay view. Great Buy 2/2 W/Pool, 2/2 new carpet, new air WE CAN HELP TODAY 2BR/2BA, Hwy 17, 10 mins to Properties (941)-321-6876 4/3, garage, dock, boat lift, Westchester Blvd. $97,000. 1200sq.ft. Riverwalk vil- Better Business Bureau Member Punta Gorda. Sunnybreeze. Seize the sales Englewood 2/1 w/lanai, incl. new const., deeded beach, Orange Wood Condo, First lage, 1.25 miles South of Call Jim Today 927-0040 Brand new, cath. ceil., $750 with Classified lawn care. No pets. Nice area. $1,399,000. 514-696-2331. Floor. (941) 626-8008 River Rd. on US 41 mo unfurn. (941)-815-7111 it I $650 + until. (941)-624-5233 1210 HOMES FOR RENT Engl. ROTONDA, 2 Nice houses. 2/2/2 & 3/2/2 w/ pool. fum/unfum. Flex.- leases. $1090/mo & up 941-2234781 ENGL. WATERFRONT, Dock No bridges, .3 mi to Lemon Bay, 2/1. $800/mo incl. water. (941)-475-5876 Engl/Placida, 2/2/1, spotless w/spa, quiet, close to beach & gulf. Available immediately. (941)-6980561 ENGL/ROTONDA, 255 Mark Twain, 2/2, garage, tile floors, fenced yard, pet friendly, $975/mo. Deposit. 941-697-1878 ENGL/ROTONDA. GREAT LEASE OPTION! Up to 50% of rent applied to purchase. 2 houses to choose from. 941- 2234781 Englewood New construction 3/2/2 w/ family rm., country setting within minutes to shop- ping, restaurants & beach. Unfurn. annual $1100. Call Debra Peters @ReMax Anchor Realty 1-800-898-7353 ENGLEWD 2/1 $800/mo ; 2/1/1CG, $950/mo. Annual W/D hkups. Close to shopping & beaches. (941)474-4711 ENGLEWOOD Lrg. 3/2/2 WATERFRONT, very private, bring your boat! $1100/mo (941)-493-8383 ENGLEWOOD 3/2, renovated, 5 min to beaches, $950/mo. for 1 yr lease. 954-816-9533 Englewood Duplex 10413 Kidron Avenue Pet Friendly $850. 2BR/2BA/1CG Lic Broker 941-232-8223 Englewood Quality 3/2/2 split plan, grt rm, DR, lanai, cul-de- s ..: nr 776/Dearborn, $1,150 mo. + dep. (614)-766-8120 ENGLEWOOD 3/2/2 Close to Venice and to the water, vaulted ceilings, 2 car gar. $1200/mo (941)-416-4803 ENGLEWOOD AREA HOMES FOR RENT 3/2/1. POSSIBLE LEASE OPTION. AVAIL IMMED. Mike (941)-302-0050 ENGLEWOOD Canal house, Ig lanai, htd pool, 5 min to Man- asota Key bch, 2.5/2, Ig lot. 10 min boat ride to Lemon Bay, $1200/mo 207-244-7007 ENGLEWOOD EAST Lg 2/2/2 w/den $900 inc. Washer/dryer & lawn service WEST COAST PROP. MGT 941-473-0718 westcoastpropertymanagement.net. ENGLEWOOD, 3/2, Newly renovated, $1000/mo., Ist/L/Sec, Lease Option (941)504-2869 .ENGLEWCOOD. 3br 2ba. brand new, 5 min'from beach & Jacaranda Plaza. $1300/mo. (941-2047004 Englewood, Mamouth St., beautiful newer 3/2/2.5 gar, 2,700 sf., corner lot, split open plan w/tray ceilings, includes lawn, Oct. rent & util. FREE! Virtual tour at: 261 $1,400 mo. By appoint- ment. (845)-674-1587 ENGLEWOOD, New cottage at 146 Cedar St. 2br/2ba, appliances, parking, porch- es. Historic District. Avail now! $1000/mo. +Sec. 941-483-6323 ENGLEWOOD- 2br/2ba, Irg lanai, waterfront, pool & park amenities, total remodel, furn, walk to shopping, 55+ pk $900. & sec. 941475-8240 ENGLEWOOD/ROTONDA 3 Bedroom 2 Bedroom 1 Bedroom $700up WEST COAST PROP. MGT 941-473-0718 Englewood/Rotonda West As low as $850 for 2/1 $950-$1200 for 3/2's. One with a pool! Surfside Realty 941-473-4050 "ERA .111, ',1A For a Complete List Go To eraportcharlotte.com $675 .. 2/2 Duplex- PC $725......... 2/1.5/CP PC $1100 ............3/2/2-PC $650..2/2, pool, condo-DC $750..........2/2 Duplex- DC $775..2/2 condo, new -DC $950..........just built. DC $850........3/2/1 canal NP $900..................3/2/2-NP $995........3/2/2 + Den-NP $1200......3+/2/2 Pool- NP $695............... ....2/1- ENG $1500..4/2.5/2, fireplace Double lot & more GC Feels like home, move in today! AFFORDABLE RENTALS starting at $795. Realty Mgmt 941-625-3131 FIRST TIME BUYERS Why rent when you can own? Free Computerized list of homes avail, with no money down, under $1,300/mo Free recorded message 1-800-816-2056 ID # 3009 RE/MAX Effort Realty 1210 HOMES FOR RENT FIRST TIME BUYERS Why rent when you can own? Free computerized list of homes available with no money down, under $1300./month. Free recorded message 1-800-951-5095 ID# 1051 FOR RENT, 3/2/2, big house, 2800sf, 4792 Midland St. N. Port, $1100/mo +Sec. (941)-284-0247 FREE RENT North Port, 2 brand new 3/2/2'S, 2200 SF. close to Price. Loaded + appliances. Available $1300 month, 1st, & security, 13th month FREE. Call Forefront Realty @ (941) 627-9600 or Mike @ (941) 2764085 Great House for Rent 2 Bedrooms 1.5 Baths. 3 Large closets. Laundry area with w/d included. Spa- cious living room, dining room and lanai. Storage sheds for tenant use. $800.p/m PLUS utilities. 1 mo security deposit. MUST pass a credit check. Contact Phone 203-378-8993 OR kiddos@optonline.net HARBOR HGTS.- Clean 3/2/2 deep canal. Wood floors, all appli. Pet OK. $1400/mo. Lawn care incl., 1st, Last & Sec. (239)-821-3849 PGI 2800 Ryan 3/2 pool, canal furnished $1,500 Dave Hofer (941)-575-3777 RE/MAX Harbor Realty HOME RENTALS PORT CHARLOTTE 1104 CORKTREE CIR 2/2/1 $850 273 ROCKWOOD 2/2 $850 18590 LAKEWORTH BLVD. 2/2/1 DEN/ POOL/ WATER- WAY TO HARBOR $1000, NORTH PORT 8529 BUMFORD ST 2/1 $625 6335 MONTCALM 3/2/2 NEWCONST $950 DEEP CREEK 25239 PADRE LN 2/2/2 $950 RENT MAY BE NEGOTIABLEn1-i ADDITIONAL SEASONAL & ANNUAL RENTALS AVAILABLE SEE OUR WEBSITE ASSET MARKETING & PROPERTY MANAGEMENT, INC. 941-743-4000 JUST REDUCED,/PC 2/1/1 WF $849; 2/2 lanai $750. All tile,no pets, CAH, all new. (941) 240-1749. LAKE SUZY- New 3/2/2 w/ den. Lawn & golf incl. Incen- tives. $1195. mbo. 1st Choice Prop. Mgmt. 239-841-7368 Lovely waterfront home in Punta Gorda Isles. 3/2/2. Small pet ok upon approval. Yearly lease. $1100/month. Willie at (941) 276-9104 or Steve (603) 224-6470. MOVE IN NOW! GET THE LOAN LATER! Rent to own, North Port. 4170 Langsom Lane, 4/2/2, 1/2 acres, fenced yard, 1600 sq. ft., new kitchen, new paint, new tile, new carpet. $1375/mo. + option fee. north_.port 941-923-5700 NOKOMIS: Mission Valley. 1.8 Acres, 2/2/2, updated home, lanai. Non smoker. $1075/mo. lawn maint incl. 941-416-2254 N PORT 3/2/2 Immacu- late, lease opt. avail. $1100 Call 941-223-9798 NPort 3BR/1 BA. lanai. filed, AVAILABLE NOW! $775/mo. Call for details (775)-690-5332 N. PORT 2/1 din., kit., liv. rm., $700/mo. Near 41. (941)- 979-8100 N. Port 2/1.5/1, nice & clean. Non Smoker. $880/mo. 1st/Last & $600 security (941)423- 2856 or (941)-716-2177 N. PORT 2/2/1, Newly updat- ed, Clean!! fenced, storage shed, encl. lanai, Pets ok $950/mo (941)-815-6922 N. PORT 3/2/2 2458SF, NORVELL AVE $1200 Lease Option or Annual Avail. 11/1 (847856-8514 N. Port Choose from 3 new, never lived in 3/2 homes w/2 car garage starting at $900/ mo. Immediate occupancy. See photos at ww.effort.com Chris Tritschler, RE/MAX Effort Realty, (941)376-7740 s. N. PORT, 3/2/2 beautiful Advertise in home built 2003. $1200 mo. The Classifieds! rent neg. w/long term lease. Pets ok. (941)234-5862 Pcan A r-CLY%:; -t mwu --- ---J' - -- , ,Sunday. Oct. 22. 2006. Real Estate Classified 1210 HOMES FOR RENT 1210 HOMES FOR RENT 1210 HOMES FOR RENT 1210 HOMES FOR RENT 1210 HOMES FOR RENT 1210 HOMES FOR RENT 1210 HOMES FOR RENT N. Port, brand new house North Port lbr/1ba P.C. 2/2/1 in Murdock with PC SALTWATER 4/2/2, 2200SF under air, $675/mo 1st last & sec w/d, lanai & central ac on 2/2, cozy with private yard., near schools & shopping, Avail Now 941-429-2809 freshwater canal $825. mo. excellent area. $850/mo. 1-75, Rt.41. Ist/Last/Sec 1st., last, sec. & water dep. (941)-624-2296 $1250/mo. 941426-6217 NORTH PORT 2BR/1BA. Landlord refs. req. Small pets or 347-721-2958. Beautifully remodeled. Appli- neg. Call (941) 639-7203 PC SPACIOUS 3/2/1, new cation Req'd. S800/mo + appliances, paint, carpet, N. PORT. 2331 Nekoma St. 6 P.C. 2/2/2, large fenced yard, Avail nows. 4420 Larkspur Brand new 3br/2ba/2cg, deposit. 941-7358686 family pet ok, $1,200 mo., Court. $1050/mo. 1st, last, 1300sf, $1100/mo. Pets North Port 3/2 fenced 1st., last, security. (941)-661- $500 deposit 239-825-6919 ok. (9411-928-7071 yard, $950/mo. 0239 leave message PC very nice //cp, First & sec. PC ery nce 2/2/cp, N. PORT. 3/2/1, super area, 941-716-3428. P.C. 2BR/2BA house near 2420 Collingswood Blvd. FL room & inside laundry. hospital, fenced yard. Pets Avail. 10/1/06. $775 mo. ONLY $895 + $400 Sec. N/P NORTH PORT 3/2/2 new, OK! Like new! $875/mo. (941)-628-8570 (941)-223-7786 or 408-7557 Close to schools, shopping (941)-350-1288 PC, Attractive 2BR w/ N.& Avail immed, 636 &175, $1195/mo. Lease to PC, Attractive 2BR w/ N.P. Avail immed, 6367 own avail. 941-456-0067 P.C. 3/1, clean, updated, garage, lanai, washer & Otis Rd. 3/2/1, pool care $880/ mo. + $1,000 dep., dryer near Cultural Center. incl, $1200; 6332 Otis North Port 3/2/2 split plan, 2/1, $860/mo. +$1000 dep. $850. mo. 941-766-1928 2/1.5/1, seawall & dock unfurn., fresh paint, new floor- Small pet OK. (9411-228-2627 PC, great 2BR/1BA/1CG, $875; 5193 Redwood ing, all appl. Avail. 10/1. Terr, 3/2/2, spacious, all $1000/mo 941-380-1311 P.C. 3/1/1, completely lanai, nice yard, nice area. tile. $875. North Prt 3/2/2, new! remodeled, brand new Remodeled. $825. (508)-888- (941)-484-3100 X102 Over 1,800 sf ac, tile, throughout, rent w/option to 7869 N.P. new 3/2/2 exc. oca- many upgrades, 1099 buy. $795 mo. + security & Peace River front 2/2/1, fam. N.P. new 3/2/2 exc. loca- mo. 94-457-0727 water dep. N/P, N/S (941)- rm., deck, patio & dock, no tion, all appl. incl. lawn mo. (941)-457-0727 627.8014or258-5885 dogs. $1250mo. 941-743- Discount For Long Term North Port 3br/2ba home 9097 rent3766.blogspot.com Lease 800-719-.0493 3359 Avanti CIR. $850/MO -P.C. 3/1/CP, sunroom, W & D "N.P. New 3/2/2 guarded RENT TO OWN hookup. Nice area. No pets. gated comm. of Bobcat Trail (941)-316-6565 Avail now! $800/mo. / PEACE RIVER HOME, golf crse, comm. pool. SolutionToHomeOwnership corn Ist/st/sec. (941)-460-0852 sunsets, wide deep g water, 3BR/2BA, pos. $1400. 1sVsec. 941-391-7109 NORTH PORT BRAND NEW P.C. 3/2/1, all tile, inside furn. rate $1500 unfurn. N.P. RENT TO OWN! Fabu- 1700sf living, 3/2/2 laundry room, lanai. Pets \5 mins,. to Punta Gorda. lous 3/2/2, many upgrades $995/mo. 1st, last & sec. OK. $950. mo. (941)-575- 941- 815-7111. $1099 mo. CALL NOW! (9411-725-1355 6482 941-457-0727 NORTH PORT Large, 3/2/2, P.C. 3/2/2 + bonus room, PraG. itte.le HBRouse on beauthe NORTH PORT 32/2, 1-yr lanai, huge yard, 1 year old in pri- $975 mo. + until. P.G. 3/2 ful acres w/barn off Hwy. 17. old. Avail imrned. 1sVt/Sec. vate loc. near 1-75.,$1050 mo $1,200 mo., 2/2 $975 mo.,, $1175 mo. 239-734-2020. $.1095. (941-545-5245 941-276-7120, 917-6024260 2/1 $850 mo. All utilities $1095. (94L-545-5245 included. (941)-815-4567 PGI 2/2/1.5, Waterfront, North Port Lease With Option caged pool, V/D, dock, beau- Newer 3/2 on large To Buy flexible, 3/2/2, 1,600 P.C. 3/2/2, pool, '03, sail bt, ti cag view, pool service includ-k corner lot $1,095/mo. sq. ft., very private, Call for dock, nc smoke, no pets ed. $1350 month. Yearly (941)-586-4014 more details. (877)-538-4440 $1,200/mo. 1st., last. First rental. No pets. (239)-352- NEW 3/2/2 Murdock NORTH PORT, 4/2/1 +1/1 month rent 1/2 off. (831)-818- 0182 or (239) 273-4334. area. $900/ o. 625- mother In law rent together or PGI 2BD/BA/2CG, Canal 3052 or 628-2208. separately) fenced, on canal, P.C. Avail immed, 251 E home w/dock, screened Sst/Lst/sec. (941)-650-8656 Tarpon, 3/2/2, Spacious, lanai, 10min. to Harbor, NEW 3/2/2 w/ large yard. North Port, Beautiful new new carpet & paint. $900/mo. (562)-397-2755 $825. mo Call for an appt. luxury built '05, 3/2/2 + $900; Avail soon, P 3/2/2, dock, pool, deep 941-276-6346 Den 4304 Mermel Cir. Exc. Kellstad, 3/2/1 corner lot PGI 3/2/2, dock, pool, deep 941-276cond $1175/mo. lyr.. ease. $850. canal. Newly renovated. NEW HOMES & CONDOS Brent (786)-255-2805 (941)-484-3100 X102 $1400 mo. plus security. Call AVAILABLE. NORTH PORT, Ida Ln, P.C. NY section, 2/2/2 PGI waterfront, 3/2/2, rent or George Kerlyn 3BR/2BA/2CG, scr. lanai, quiet w/pool, fenced yard, new sell. Totally remodeled. Walk DCR Rental Mgmt. area, near schools/shopping, tile N/S. Avail Nov. 1. to Fishermen's VIg. Must see! (941) 661-4404 $1150/mo. (941)-302-8030 $1,200/mo. Annual lease $1400 mo. 561-389-3184. Nor option to buy 941-484- NO CREDIT CHECK NORTH PORT, MINERAL 4484S. L Keamey PGI, 3/2/2, dock, hot tub, 1ST MO. FREE SPRINGS, 5br/3ba, 3 fully furnished $1,500/mo. 2/2/2 14000 SQ FT LOT entrances, granite kitch. P.C.New Home 3/2/2 $1025 fully furnished. $1 annual, No 2/2/1 WATERFRONT $1350/mo. (941)-979-2122.mo. First, Last, Security, smoke. (305)-766-9800. PARAGONALLIANCE.COM of (612)-250-2055 Comm.Pool. 941-276-2779 North Port, Newer 3BR P.G. 3/2, huge corner lot, B North Port, 10 brand Homes. 2 To Choose central heat & air, PGI, 3/2/2, Sailboat cana new 3/2/2's. Different $995./Mo. $975 mo. + dep. Pet neg. PG,3/2/2, Sailboat canal, floor plans, fully appli- (941)-623-2792 Harbor view, Pool, Dock, Boatlift. $1450. mo. Avail. anced. W/D, tiled, hurri- Lic Broker 941-232-8223 P.G. Burnt Stre Meadows Immed. 941-628-2838 casystne windows, sprinklerawn NORTH PORT- Brand new 3/2/2 w/pool. Avail. 8/20. PORT CHARLOTTE: Large service included. 3/2/2, 1700 sf. under air, $1,400/mo. Pets Ok. 7280 bedro a 51,100 $1,395 me. 2600 total, w/ appl. & scrn. Allamanda. (941)-769-7766 NEW blinds and carpets, 19411-391-7987 lanai. Rent or option to buy. DEEP CREEK LUXURY LAKE- No pets. No smoking. $1,295. mo. (305)-986-1715 FRONT VILLA 3/3/2 brand $675/mo.(941)-743-3489 NOKOMIS 2BR/1BA/CAR NORTH PORT- by new new, gated comm., 3200sf PORT CHARLOTTE- Very PORT, FENCED, NEW TILE, school. 3bed 2bath 2car. Small Pet OK. $1500/mo clean 3/2/2 home w/den & CARPET, CABINETS, AC. Fans, W/D, Cathedrals. 941-629-5576 pool. $1400. m. 1st, Last & $750. (941)488-8850 $995 mo. 941-223-1314. PC 2/2/1 w/pool, new car- Sec. Call (941)-7434345 Nokomis-515PametoRd. ,.:,l ;lu: .:, PORT CHAR 3BR/2BA 3B5R/2B, P,2Tarage, Ig, ,, .i i ORT CHAR 3BR/2BA l ,.ncerja Lari 3.rj. .I. ui ,-, 4 '-, cent., a/c, garage w/laundry, (941-366-1540 .*.. nice features, nice area. OMIS o PC 2BR 2BA, garage and $895/mo. (941)-661-5149: NOKOMIS Rent or lease North Port-3 or, s 4 bedrooms, lanai, all new. $695 mo. 1st, Port Char. One Monthly Bill pets ok, 1 mile to beach, in incentives$$ Starting @ last and sec. No pets. Call includes 3/2, electric, city $1250/mo annual only $895/month! aAction Prop (863) 494-2971 before 8pm. water plus lawn mowed. All (941)-485-9767 Mgt-Lic RE Broker 941-627- PC 3/1/CP- 22118 Gate- appliances. Inside w/d, tile & 5654 or 866-220-1146 or wood All 2/1/CP,lanai: 3132 carpet firs., fans & blinds. NOKOMIS WALK TO BEACH, Normandy; 21067 Mee- Move-in condition. Drive by:. 1 bdrm $700/mo Efficency han; 3204 Normandy. All 3141 Crestwood Dr. Small $550/mo. both include North Port. S/W Canal 700/mo 1st, Last & $500 $350 deposit. $1,000 month. water/Elec. (941)-313-5352 2/1/2. $900 mo, 1st/ Sec. 941-916-0896 8a-7p Pets extra. (941) 661-3910 NOKOMIS, 2/2/2, last/security. 6067 Otis Rd. NOKOMIS, 2/2/2, CP, $800/ (941)-746-2101 PC 3/2, 1 CARPORT in nice Port Charlotte $700/Mo. mo + until. VENICE, 3/2/1 CP, neighborhood. 309 Lambert 2 Bedroom Central A/C $950 + until. Sm pet okay. NORTH PORT, 3/2, Florida St. $850 mo. 1st, last and 21154 Bersell Avenue lst/Lst/Sec. (941)-716-3090 Rm. Tile, new paint, carpet & security. Call 941-627-3052. NOKOMIS, W. of 41, "New Eng- kitchen. $1000/mo. Lic Broker 941-232-8223 land" Bright guest house, Priv,New En stL/Dep. (941)8754120 PC 3/2/2, dock, boat house, land" Bright guest house, Pv ets. 2 large lanai's overlooking Port Charlotte $800.00, CLEAN. No Smoing. No Pets. OWN A HOME TODAY canal. $1275 mo. plus securi- 2BR/2BA Lge. Lanai $700/mo (941)484-5623 WITH NO ty. Call 239-470-3058. 873 Webster Avenue MONEY DOWN! Poor Credit OK PC. 3bd/2ba/2cg WF "Sail- Lic. Broker 941-232-8223 DOUGLAS Call Today & boat", pool, seawall & dock,H EfALTYe See if You Qualify 10 min. to Harbor. Avail., now. Port Charlotte Pool Home Be In Your Own Home $1395/mo. (570)-894-4278 2BR/3BA/2CG, Fenced NORTHYurORToeYard on FW Canal NORTH PORT- In 30 Days. PC FWC, 2/2/1 large clean, 3049 Conway Blvd. $1295. New Construction, 3/2/2 American Homefront Mtg. quiet encl. lanai & shop. Ref. $915. mo. Many homes (941)-625-3052 req. 1st, last & sec. Lic Broker 941-232-8223 available with specials! $825/mo. (9411-7640654 941-240-6404 ANEED A RENTALSA Port Charlotte 3/2/2, on Ebb NORTH PORT- 3/2/2, area of DCR RENTAL MGMT PC HARBOR HEIGHTS Ave. $900 mo. 1st., last & NQRTHPORT3/2/2,are3/2 $900/MO $500 security. (941) 815- new homes, $1,100/mo. + 941-624-0500 1ST, LAST & SEC. 0285 Gideon RIty $900 Security. No pets. (941)-809-3508 (941)-426-7125 P.C- 3/2/1 + lanai. Carpet & (941)-809-3508 PORT CHARLOTTE Waterfront, North Port New Homes tile. 3548 Idlewild/NY Sect. PC Large 3bd/2ba dock & lift, 3/2, pool, billiards From $1000/Month, Small dog OK. $925. mo + Caged pool, Florida room, room. $1550 mo. Pets okay. 2734 Lawyer Terrace sec. 941-661-8632 laundry room, $1200/mo. Call 941-575-6482 4823 Adderton Street P.C. 2/2 carport, pets ok, (941)627-9874 Port Charlotte, New 3/2/2, 57 Champion Street enclosed lanai, central A/C, PC Newer Lg. 2br/2ba walk References, Ann. Lease. N/P, 1st, last/sec. $750/mo. + in closet, FL room, garage, N/S 1st, Last & Sec. Lic Broker 941-232-8223' water (941)-626-4979 $950/mo (941)-429-8545 $1075.mo 305-394-1409 Port Charlotte, WATER- FRONT Brand new, executive home 3/3/2, sailboat access. Rent w/option to buy. Avail- able now. 941-204-2141 PORT CHARLOTTE: 3/2/CP, on canal. Tile floors. Clean. Available Now. $895 month. Call (443) 286-0501 Port Charlotte 4/2, Water- front home, pool, 80' seawall & dock. 3 min to harbor. $1,495/mo. 954-709-6003. Port Charlotte: 3/2/2, furn. or unfurn. Kings Gate, gated community. $1100/mo. annu- al. Call 231-620-2052 Port Charlotte: $750 $950 2/2/1 pool (Harbor/Peachland) 2/1 (Forest Nelson); 2/2 (Easy) Rent-A-Home Srvs 941-637-6797 Pt Char- Rent with Option. Completely Remodeled 3BR/2Bath/2cg Lanai $1100 per month 146 Cambridge Dr 941-626-6600 Pt Charlotte/600 Beeche 3/2/1 fenced yard, lanai, all new tile. $875., sec, Call Marilyn 941-639-7203 PT. CHAR- cozy 2br/lba 22440 Catherine Av. No pets $800/mo + sec. 1-941- 798-3776 or 1-941-725-5751 Pt. Charlotte, $895. 2BR/2BA/1CG Lge. Corner Lot N.Y. Section Lic Broker 941-232-8223 PUNTA .GORDA, 2/2/1 on canal, huge Fla. room. ALL under air, tile throughout. $1000. mo. -ALSO- PUNTA GORDA. Rent or lease to buy (941)-639-2823 PUNTA GORDA WATERFRONT LIKE NEW! 2/2 Lg Lanai, 2900 Total sq ft. plus sep. in law, 1/1, 600 sf. and 3 gar Total 4300 SF. Dock/lift 334 ft on peace River, Gulf access. $1750 unfurn. $1975 furn. MAY Rent to Own. Debbie Fischer Broker Owned. 727-251-4013 Realty Executives PUNTA GORDA Must See! 4/3/3 New(Burnt Store Meadows) 2/1/1 Pool, Furnished (Olympia) Rent-A-Home Srvs. 941-637-6797 SUNSTAR REALTY, INC. - :, ,, MORRlSREAl.T\'.WC.Y,,oI,. on Cor- ner Lot 26442 Copiapo Cir Lic Broker 941-232-8223 RENTALS 2/1/1 CG, 21155 Bersell Ave. $799 3,.2/1CP, 2489 Wame St. S875, 3/1/1CP, 188 Poinsettia Circ., S825, 3/2/1CG, 7032 Primm PI, N.P. S1,100,mo. Call 941-504-5468 RIVERWOOD '1, Horrmez, Furni'.,hed or Unfurnished, Annual or Seasonal (941-F.2r9-3337 or 313?1F600 5228 w',i.' 'T'.' .,n:arosprop.,rtl 5 ~ .:,' Riverwood Rentals Reduced Rates Call Riverwood Realty (941)-743-9663 ROTONDA 3br/2ba/2cg, with pool. Family Room, Brand new. (941)662-0477 ROTONDA rent/rent to own, 2- 3br, 2 ba, 2 cg, updated kit., on golf course, very nice. $1095/mo 239-777-5594 Rotonda Sands, Brand New 3-4/2/2 2110 sf. under air. LR, DR, FR. screened lanai, $1,175.mo 941-743-2964 Drive by 11 Lanteen Sail Rotonda,. 3/2/2, pool, fur- nished/unfurn., $1,300 mo. + util., annual, 1st. + sec. Prefer N/S, N/P (239)-594-5571 S VENICE, 2/2/1, remodeled, cute! Treehouse, lawn/pest maint. N/S. Priv bch. Sm pet. $1100 6-12 lease (941)4974912 S. GULF COVE: 4/2/2, 2200 sq. ft. Near ocean access and golf course. Only $1200 mo. obo,. Call 305-972-8975. S. VENICE, 3/2/2 w/ family- room, $1350/mo., 2/2/2 remodeled home w/ large lanai. $1250/mo., both homes well cared for, lawn care & water sys- tem incl., lst/L/Sec. No pets, No smokers, Security check. 941- 223-7561 S.V. 2/1/CP flrm REDUCED $8OQ4me NOW $750/MIO. S.V. 22/CP lanai, split plan tile & new carpet, $900/mo. Both req Ist/last/security Gulf Coast Rentals & Real Estate Co. (941)492-4280 Seasonal Rentals Furn. Condos + Homes North Port. Pool on SW Canal Lic Broker 941-232-8223 SOUTH VENICE 2/2/2 Renovated, 6 apple's lawn- care incl. Avail. NOW. No pets $1095. 941-346-9319 STOP RENTING NOW. Lease. Option 3/2/2, brand new N. Port home, upgrades galore $1300 (9411-356-3171 a SUNBELT M MANAGEMENT a SERVICES PC 2/1/CP, FL. room, W/D, incl. lawn serv. $675 DC 2+Den/2/2 villa new Heritage Lake Park lanai, 1st. six mo. $750, PC 2/1/CP, fenced back- yard.....................$800 PC 2/2/1, FL. Room, FWF.....................$800 ,NP 3 2.2 lanai., home. new C. tile, carpet $825 PC 3/2/2, screened lanai ...... ........... $875 PC 3/2/2, Newly Reno- vated, large lanai..$900 PC 3/2/2 lanai, reno-' vated................... $925 2nd 6 mos............$950 NP 3/2/2, newer home inc. lawn serv./water serv. W/D $950 NP 3/2/2, inc. lawn serv., 1 yr. old......$1000 PC 4/2/2 Brand new, Lanai, window treat- ments ................$1100 PC 3/2/1 SWF Pool' Home w/dock, inc. pool & lawn serv..........$1150 NP 3/2/2, poss. 4th. Br. W/D................... $1150 PC 3/2/2 "Suncoast Lakes",Brand nep.$1150 DC 3/2/2 pool, spacious all C. tile, renovated in & out, like new......$1200 DC 3/2/2, fam. rm, pool, incl. pool serv.......$1250 NP 3/2/2 spacious pool home, pool serv. inc. $1300 (941) 764-7777 or (800) 283-0431 ARE YOU ONLINE? INCREASE YOUR EXPOSURE! Add your internet address to your ad for a little extra! Tired of Rent- ing, Now Is The Time To Buy! Have Good Credit, But A Little Short On Downpay- ment? We Have A Few Brand New Construction Homes - We Can Help. ZERO MONEY DOWN PURCHASE AT 300. BELOW APPRAISAL MONTHLY MORTGAGE PAYMENT SAME AS RENT CASH BACK AT CLOSING Stop Wasting Your Rent. Start Building Equity Today! Forefront Realty (941) 627-9600 or Mike @ (941) 276-4085 VENICE- 2/1.5/CP SUNROOM, LANAI, $900/mo. Call Dennis (941)735-8608 VENICE EAST, Lg. 3/2/2, incl pool/lawn svc. NS. 1/L/sec. $1350. ALSO 2/2/2 Avail. $1150. Credit Check. 941- 306-9448 VENICE GARDENS, 2/2/1, ceramic tile, FL rm., very clean. $980/mo. 1st, last, sec. Pet ok w/deposit. (941)475-2533 VENICE STONEYBROOK 2br/2ba/2cg 4br/2ba /2cg Lovely New homes, Gated comm. From $1295/mo 941-894-3019 VENICE, 2/2, Ig new sunroom w/W/D, carport, $1,000 Ann or $1,800 Season 941-408- 8882 or 973-534-2180 Venice, beautiful 2/2/1 with tile floors, 327 Zephlyr Rd., $900/mo, 1st/L/Sec req'd; also Cute 2/1 pool home, tile floors, 425 Flamingo Rd., S. Venice, $900/mo inc pool ser- vice, lst/L/Sec req'd, Sue Miller, MatchMaker Homes, 941 480-9090. VENICE, St Andrews 3br 2.5ba/2cg. highly upgraded, brand new, maint free. $1495/mo. Annual (941)-492-9350 Walk to S. Venice Ferrny Annual lease. 2BR/2BA/2CG. Offered at $1,100/mo. Chris Tritschler, RE/MAX Effort Realty, (941)376-7740 Weichert, Realtors Southern Choice 941-613-2300 WE HAVE RENTALS! NP 2/2 Sable Trace Vil .5 725 PG 2/2 Furn. Villa ..... $ 750 PC 3 bdrm, house ... .. 800 PC 2 bdrm Oak Hallow Vil $ 800 PG 2/2 ground flr condo .$ 800 PC 3/2 Fum./waterfront .$ 900 PC 3/2/2 corner hm ., .$ 950 PC 3/2/2........... $1000 PG 3/2/2 pool ........ $1200 PC 3/2/2 split plan .... $1200 PGI 3/2/2 WF sail acc. .$1300 NP 3/2 Furn . . .... $1500 PC 6 bdrm WF ... . . .$1800 PGI 3/2/2 WF pool .... $2000 PC 2/2 Seas/WF ..... .$2000 PG 4/2 Spacious . . .$2500 PC 3/2 Harbor views! .. .$2500 Ann Lowe, Property Mgr. WHY RENT WHEN YOU CAN OWN? Call Atlantic Mortgate Today! (941)-475-0481 2304 HARRIER, WAY, CALUSA LAKES. 314 CLEARBROOK CIR, UNIT 101, 2302 FALCON TRACE BLVD., CALUSA 2002 CALUSA LAKES BLVD., CALUSA 2168 CALUSA LAKES BLVD., ENJOY THIS 2101 TOCOBAGA LN., CALUSA LAKES. Maintenance-Free Falcon Trace home. Ready FURNISHED END UNIT in east preserve. LAKES. Own your own piece of paradise. LAKES A MUST SEE. 4 621 sq. ft. house BRIGHT, airy fully appointed home in Nisley built expanded Bonita model. This to move in. 2BR posss. 3rd) den. Loads of Done in great furnishings to match the light Full furnished maintenance-free Falcon under roof. Custom built home on the 10th brand new condition. Hurricane proof 2,213 sq foot home features a 3 cargarage tile. Open kitchen w/eat-in area. Dn area/ airy feeling when you walk into the front Trace home. 2BR posss 3rd), den, Lvg fairway & lake views. 3BR, 3BA off, den. doors and windows. Bonita model. Open with lots of storage in house and garage. LvRm 10 foot ceiling with an open floor plan door. 2BR posss 3rd). Office, 2 full bath's. room, 2 full BA. 2 car attached garage. Lrpoolw/x-large extended poo deck ALL floor plan. 3 BR, 2 full BA. Solid surface Great room w/spectacular views of Mission makes this freshly painted unit feel x-large. 2 Lndry rm. open kitchen. Lanai overlooks Pool w/very private wooded lot, x-lrg lanai. Granitecounters, new tile floors, plantation Wood cabinets, great room, 1 fot cell- Valley Golf club. Lots of privacy w/multiple car attached ra. Community pool. Tennis natural vegetation which makes this unitvery New carpet in Ivg rm. New AC unit. shutters throughout. Hurricane film ings crown molding, eat-in kitchen, Dng fruit trees. Solid surface kit counters. 3BR, & golf. Minutes o Gulf. Gated community. prvate. Pool across (he street. Close to shop- Beautiful landscape planter on pool. throughout as well as roll down protection, rm ndrv rm, 2 car attached garage. Pool 2 full BA, Lndry/ rm, Dn, rm, Breakfast Price Reduced. MLS#514882. $385,900 ping, churches, beaches. Available now. Community has golf, tennis. Only 2.5 miles to frt doors. House has been re-plumbed. 2 with waterfall, auto cleaner. Much more. area, large lanai. MLS#529508. $529,000 spend your winters in paradise. from the Gulf. MLS#529113. $430,000 car attached gar. MLS#529113. $750,000. Close to gulf, gated golf community, tennis. MLS#515b92. $349,000 HOSTED BY BARRY QUINN PRICED TO MOVE QUICKLY. HOSTED BY DEE BOMBER MLS#531693. $499,900 Dee Gomber Realty, Inc. 941-488-3952 Page 5 %Jul luuy, %. --, ----I w-. ldamm,4 1240 CONDOSNILLAS 1240 CONDOSNILLAS FOR RENT FOR RENT 2/2 & 3/2 Lg Lux Condo's Deep Creek, 2/2 condo, w/htd pool, etc. from washer/dryer, 2nd fl., lake- $795/mo. 6 mo. poss. $950 view, newly renovated, unfur- 2/2 Cape Haze Condo nished, $650/mo, + utilities- pool, pet OK $750. no pets, (401) 258-8991 2/2 Condo Fiddler's Green pool, tennis, EngewoSd $730 Deep Creek, Villa Esta II Fiddlers Green Realty 2/2/CP, villa, pool, golf 1-800-697-8454, 7 days course, (941)-627-3500 2/2 condo, Cedarwoods, Deep Creek: 2br/2ba, patio. $710 mo. with option to 2nd floor, priv, pool, W/D, buy. 1st., last, sec. No nice area. $700/mo, 1st, one pets. (941) 380-9212 month. Owner. 239-229-6361 2/2 Deep Creek, Comm Pool, DEEP CREEK: Pt. Charlotte Remodeled, Club House 2nd floor, 2/2, washer/dryer, $825. 1st, last, sec276-2779 $725/mo. plus security. No 2/2 Rotonda Condo Recent- pets. Call 941-639-7062. ly renovated 2nd fl. on El Jobean on water w/fishing freshwater canal, $800/mo. pier, 2/2 incl. water & cable, 1st/Sec. w/d, N/P, $900 mo., 1st., (941)-697-0710 or. last, security, (941)-629-2475 (941)-626-8082 Englewood/Rotonda West 2/2, annual/seasonal, PGI, For only $650-$950 New, water front, dock, furn/unfurn, nice, w/pool, 2/2 Upscale 3/2 storage, washer/ dryer, no w/clubhouse, $1,300 Surf- pets. (941) 629-4444. side Realty 941-473-4050 2bd/2ba Exc., cond., pool, HERITAGE LAKE PARK 3BR tennis court, lake, $800/mo. 2BA brand new, 3rd floor, ele- lyr. lease. No pets. vator. $875" mo. 1st month (941)-875-8488 plus dep. 216-409-4811. 2BR/2BA newly remodeled, Heritage Lakes villa, 4/3/2, on Kings Hwy. Sm. pets OK. Poss. in-law suite, new, lake- $875 mo, 1st, last & sec. view $1,200. 1st., last, sec. (239)-822-3567 or (239) N/S, N/P.(941)-575-2522 872-8029 HERITAGE OAK PARK 55 + Bright, Airy, Open Qondo 2/2/CP $950/mo. 2BR/2BA/2CG Villas, tile Villa 2/2/2+den, $1150. floors, Lg. scr. lanai, pet NS. Call 941-766-0027 friendly, Special discount JUST $950( for big harbor lease starting at view in PGI, walk to Fisher- $850/mo men's Village, ALSO 3/2/1 OPEN SUNDAYS 1-3P PGI new condos w/dock, pool 209 C ROTONDAW. BLVD & spa. Call for seasonals 941-697-2525 Anchor Realty 800-898-7353 Adorable, spacious Prom- LAKESIDE PLANTATION enades condo, furnished, Townhouse 3bd/2.5ba/lcg 2/2, heated pool, spa, $1,000/mo. covered parking. Just Villa: 2bd/2ba/2cg With Den, bring your suitcase. Sea- $1450/mo. sonal/Annual. Available Both with community pool Now! (941) 457-4050 and rec., center. Call (602)-525-6842 3/2/2, 1650sf, upgraded end unit, gated, club/pool, lst/Lst /Sec. $1250 (941)-429-8145 P.C. HERITAGE LAKE PARK I.....II brand new 2/2 +den, $950/ mo. negot. lst/Lst/Sec. Lease *MANY CONDOSINlVARIOUSAREAS" option avail. (941)-697-1642 OVER 20 LISTINGS TO CHOOSE FROM P.G.I. Waterfront Condo, 2/2 DUPLEXPG ARPORT.............725 Seasonal or Annual. Boat lift ONE BEDROOM CONDO .........$775 incl. Furn/unfurn. Like new. TWO BEDROOMSCONDO,,,,,,,$67$1100 N/P. $1175/mo(941)2234781 THREE BEDROOMSCONDO,,$900 $1000 2nd floor VILLA'SWITHGARAGE.........$975-$12001 P.G.i.- 2/2/1 2nd floor ucltnit w/ elevator, pool, CALL EMAIL FOR LIST OF ALL RENTALS, clubhouse, tennis, gated. SEASONALFURNISHEDALSOAVAILABLE $1200. mo. + Sec. (239)-210-1521 ATHENS TOWNHOUSE, Me- diterrannean designed, Venice DEEP CREEK Luxury Lakefront Island, walk to bch. 2br/1.5 villa 3/3/2 brand new, gated ba $925-$1050 (941)485-7645 comm., 3200sf Small Pet Beautiful 2 2 Condo in OK. S150/mo 941-629 76 gated Punta Gorda f'- ',":,,do 55+, 4/1.Jfully community. 1st floor, urI, J.ar Cultural Center & poolside, many on-sight H,.'pri.'. Many amenities. amenities, 6-12 mo. $725. mo. (9411-625-5783 lease, $1400/mo plus PC. Furnished 2/2/CP close ultil. (330) 763-0887. to pool, hot tub, tennis court and more. $1200 mo., (847)- Best Values in Town on 1, 2 204-5288 or (941)-626-6774 & 3 Bedrm condos starting at $550. Realty Mgmt 941-625- PC, 2/2, tennis, pool, laundry, 3131 or look at pictures at 2nd. fl,, off Kings Hwy., $750 mo., incl water, 1st., last, sec. N/P. 941-833-0563 CHARLIEVOI, 55+, NEW 2/2N/. 941-8330563 condo, furnished or unfur- PC, 2BD/2BA Furnished nished.. 1st., last. and secu- Condo on Lake. tiry deposit. 810-938-4514 $750/mo. 1st, last & DEEP CREEK 2/2, lanai, sec. (941)-764-0862 patio, 1,000 sf. newly remod- PG, Mondovi Bay 3bd/2ba eled, cath. ceil., tile,- wood w/garage, 1st floor, cab., granite, new appl., 1st., $1150/mo. With option to last + sec., Annual $795 buy! (216-973-8111 $895 /mo. (941) 6614539 $89 /mo.(941 32145 PGI VIVANTE, new 3/3, 2300 DC large 3/2 & 3/2/1.5, fq ft., top floor, elevator, lanai, patio, lakefront, newly harbor view. $1800 mo. Call remodeled, wood cab., gran- 941-661-1310. ite, tile, cath. ceil., appl., 1st., last + sec., $895 & PGI 3/2/1, Clipper Cove, all $995/mo. (941) 6614539 appls., lanai, 1st, last & sec. $900. incl. cable, tennis, pool, DC, Villa Manor & PG 2/2, & clubhse. 941-876-0314 2/1, 1st. floor, new kitchen, tile, pool. Starting $725 mo. PGI (941)-391-1559 Grand Bay Condo 2/2 canal, new $1,000 DEEP CREEK Heritage Lake Fountain Court Condo Villa 2/2/2+den new/gated 3/2 furnished $1,000 comm.washer/dryer Windjammner Condo 2/2 954-9204079. $1100. Furnished $950 Deep Creek new lake front, Dave Hofer 2/2/crpt + den, htd. pool, (941)-575-3777 near golf course. Annual RE/MAX Harbor Realty $950 mo. (941) 268-6750 Sunday, Oct. 22, 2006, Real Estate Classified 1240 CONDOS/VILLAS 1300 DUPLEXES 1300 DUPLEXES 1320 APARTMENTS 1320 APARTMENTS FOR RENT FOR RENT FOR RENT FOR RENT FOR RENT PGI Brand new Magdelena $725/mo. + Sec. NOKOMIS, lbr/lba, 1/2 mi DOWNTOWN VENICE Embassy NOKOMIS, unfurn. 2/1 + fami- Gardens, 1st. floor., 2/2 Rotunda, Irg 2/2 CHA, W/D from beach, very clean, new lbr apt. $650/mo. + $600/sec. ly room, incl. until. $1200/mo. condo, avail 10/15/06. Walk Lawn care incl. NS/NP bathroom, stor avail. $600/ Walk to beach & churches. 941-484-6718 to new PGI Civic Assoc. bldg., (941)-758-3325 mo. lst/LstSec (941)284-3018 No pets (941)-484-3436 gated community w/pool & NORTH PORT 2br/lba apt DOWNTOWN VENICE 2/1 LPort Galal a i- spa, screened porch. Small Deepwater canal. No bridges on Coniston Terrace. newly decorated, no pets/ dances & remod $700/mo. 1st, pet okay. (630-879-2789 eens wateo gcaulf. Dock w/es Call for info (941)-426-6726 smoking. $675/mo. + last sec. 941-423-9151 mI g w or 941468-4664 security. 941-484-6022 last, sec. 941423-9151 PGI Brand new condo Gated water & elec. 2BR/1BA/Pool, or 941-468-4664 security. 941-484-6022 Magdalena Gardens 3/2/1, lanai, carport, storage, w/d, P.C., Hbr. Hghts. large remod- Efficiencies & 1 Bedroom PG Lg. recently renovated S.S. appl, tiled, berber. W/D No pets. (941)356-3203 or eled 2BR duplex, water/lawn furnished. $175 1/1ter $575/mo. in 4 unit bldg, $995/mo. (941) 268-7707 228-7290 incl. No pets. $825/mo. + & up. Triangle Motel water inc. Annual lease and Sec. (941)-426-5884 639-8356 sec. dep. Good credit hist. NO PT CHAR NEWER beautiful A+ LIKE NEW! NICE. wash- ENGL PETS. Call 769-7699 unfurn 3br/2ba, garage, lanai, ROTONDA. BIG 2BR/2BA, PC, 2/1 in quiet area, wash- ENL NEW APT. 2/1 new aunfurn, 2ngarr n o GART DAG I ARY er/dryer included. Close to 41 washer/dryer, refrig., $725 Annual. 941-475-4486 ALL new appliences tile car- $750/mo. 1st., last + sec. /mo. + util. Small sec. dep Pt. Char. Oak Forrest con- pet, etc.. lawn care, $875 (941)-661-4771 / 661-8431 941-473-8223 PUNTA GORDA Historic, 1 blk Pt. Char. Oak Forrest con- mo. + util. Total Remodel! PC, Attractive 2BR w/ ENGL- Spacious 2/2, living to harbor, charming 1/1, dos, 55+ gated complex, 941-380-3674 garage, lanai, washer & room, eat-in-kitchen, lanai, unfurn'd/furnished $750/mo 3 pools, updated, 2BR/ dryer near Cultural Center. 1200sf, new flooring. incl water. 941-575-1348 2BA, 950 SF. $800/mo. Char. Harb., 1/1, screeened $850. mo. 941-766-1928 $875 + util. 1 yr Ise & sec. 941-661-2810 lanai, covered parking, near I- Pt. Char 2/2/1, 941-697-9254 SA GORDANT 755 $575 mo., 1st., last + SALTWATERFRONT Pt. Char. Park Place, 55+ security. (94 2-6251 No Pets, $750/mo, ENGLEWD: unfurn. 2B/1B, 1BR. Lanai. Furn. New remod- gated complex pool & 1st +Sec of $1000 65B Green St. or semi furn. el w/ extras. $720 mo annual. clubhouse. New 2BR/2BA/ DEEP CREEK 2/2 carport, (941)423-0486 small 1BR, 2044 Placida Rd. Call 941- 626-9652 2CG, 1560 SF. $1250 mo. tile, lanai, quiet area. Punta Gorda 2/1, tile through- (941)474-5869 ROTONDA WEST 941-661-2810 $700/mo. 1st & Sec out, central air & heat, $800 Englewood, 2br/lba, 2/2 w/ pool. N deposit. Barnes & Philips mo. (941)-639-2823 2/2 w/pool. No PUNTA GORDA / D.C. on 800-7414070 mo. (94163-2823 Maltz Ave. $800/mo. ets $700.-$1000 G.C. by NEW Wal Mart. Punta Gorda new 2/2 with (941)-313-0866 1000 furn'd / turnkey. 2/2/CP2 E. ENGL 2/1.5 Lanai, laund washer & dryer, $890 mo., En (941)-809-3508 1st fir, pool, lanai, exc. rm, N/S, N/P, $780/mo + $1000 deposit. No Pets. Englewood, Private beach 1st fir, pool, lanai, excc. Inc/ lawn & water. (94100026-3569 access! Bay Views. 1 & 2 Bed- ROTONDA: 2BR/2BA w/lanai cond. N/S N/P. Ann/Sea. 8 sec.l941-4759000 (941) room apts. Annual Lease From on Canal. W/D & D/W, tile Call 941-255-1391 Senior disc. 941-4759000 PUNTA GORDA, Spacious $875.00 to $1300.00 per $800/mo 1st mth free N ENGL SPOTLESS! 2/1 2/1.5/CP. W&D hook-up. month. Includes ALL utiliteis. No pets. (941)-475-0781 PUNTA GORDA ISLES WD Hkp Open PIn 2m to Bch CHA. Newly renovated. $800. NO pets. Englewood Realty, Beautiful, 2BR/2BA, 2 Pvt Yard Boat storg/ramp per mo. 941-505-8201 Inc. 941-474-6000 TOLEDO CLUB lanais, washer/dryer, pool, $800 crt/bkgd 941-474-5315 Punta Gorda 2BR/1BA, Englewood/Rotonda APARTMENTS boat dock, coy. parking. $900/mo. (941) 626-7302 EAST ENGLEWOOD Clean 2/1 carport, duplex, $750 mo. Large 2/2/1, avail Nov 1st, North Port with wood floors, inside laun- $1900 moves you in. $1,000. Other avail as low as Quiet/Safe Concrete Riverwood-Rentals dry, cath. ceilings. $800/mo NO PETS 941V740-0491. $550 Surfside Realty Construction Reduced Rates 1st & sec. 352-585-0522 Rotonda Lg. 2/2/1 w/ laundry 941-473-4050 12 Luxuries Floor Plans Call Riverwood Realty ENGL. E. 1br $700/mo. 2br rm. $850/mo. 1st, last & sec. ENGLEWOOD: 2br/1.5ba w/ Studio 2 Bedrooms (941)-743-9663 $775/mo. Discount for (941 /S ()-286-6080 1817 or lanai, W/D hook up, 1100sf, Wth Unque 1 edLoft Rolls Landing Condo, beautiful Seniors or singles. Clean & ROTONDA$725/mo. (941)-473-8052 With Unique Bed/Loft grnd fir, 2/2, pool, dock, quiet w/ W/D, 941-475-0622 ROTONDA Quiet, beautiful And Studio Apt. Homes grnd setting. 2BR/1BA, lanai, FURNISHED Char. Harbor Elevators, W/D's, Lanais, $900/mo, wtr & TV incI (941) Englewood 2/1/CP, clean, utility room, immaculate. 2BD/1BA Scr. lanai, covered Newly Remodeled 408-8882 or (973)-534-2180 quiet, no smoke. Small Pet $725/mo. (941)-698-4061 parking, no pets or smoking. Pool, Clubhouse and nOK. $675/mo 1st & sec. Lease $650. 1st, last & 24 hr Fitness Center VENICE 941OK. $ -6985/m & sec.0660 VENICE ISLAND 1 Bk to damage. (941)-764-3969 Flexible Lease Terms Beautiful 2/2 Condo fur- beach 2/2 w/1bonus2/2 HERON COVE APTS 3500 Island Club Drive nished, many on-sight ENGLEWOOD 2 Streets from apt., pool, laundry $1290/ OF ENGLEWOODV(off Dear- Off Toledo Blade Blvdr amenities, 3 12 month W. Dearborn, 2/1,dishwasher, mo + util. (941)-492-6704 OF ErnGLEWOOD (off DearS 1-300 OSF 2BR Between Hwy 41 lease, $950-1100/mo. disposal, microwave, laundry borDEN OR 3BR00SF 2BR Between Hwy & 1-75, X179 plus until. (941) 484-4567 rm, storage rm w/ extra GAZEBO, TENNIS COURT, Next to Bobcat Village fridge. private setting. Big 1320 APARTMENTS CLOSE TO BEACH & WALKING 941-423-6600 VENICE CAPRI ISLES, New yard with stockade fence & FOR RENT DISTANCE TO PUBLIC & WAL- Condo. 3/2/1, W/D, scr. lots of trees, scr. porch, GREENS SM. PETS & FAMLIES lanai, Pool. Golf course, sun- NICE! 1st, last & dep $204/mb.! 3 bedroom ARE WELCOME. RENT START- ; ', , set and lake view. Mins. to $750/mo 941-716-2913 HUD! Buy, 4% Down, 30 INGAT $875/mo. :,, ....-.-... b each. $ 1 2 0 0 /m o A nnualH...... 941-412-0201 Englewood E. 2BR/1BA yrs. at 8% APR. For listings 941-473-0450 $750/mo. + $300 sec. Avail 800-366-9783 ext. 1887 APTS. AVAILABLE NOW!! VENICE ISLAND lovely Studio VENICE ISLAND 2/2 lanai, Nov. 1st (941)-456-7842 or 1 & 2 B'R Apartments Quiet, ISLAND OF VENICE apt, $530/mo. No pets. 1st floor, unfurn., $800/mo (941)697-4684 convenient location close to 1/BR & Efficiency Clean & Ist/Ist/sec,; 2nd floor (9411)- Water/sewer incl. No 75 & 41. No pets. $795.- Neat Walk to Beaches. Close 484-2206 or (941)-485-5698 pets/smokers. 941-497-6648 ENGLEWOOD, 2bd/2ba, $895 Ref req 941-743-2058 to downtown. 1-800-7464030 Venice Ave & 41 Spacious Family friendly 9430 Acco V515 Myrtle-Spe PG VENICE, 2/2, totally remod- Ave. Side A $800/month + 2515 Myrtle Ave, PG C i 2BR/1.5BA, close to shop- eled,' great location, $950/ $800 Dep. 941-223-2191 Spacious 2/1 w/pool ISLAND OF VENICE ping, $730/mo. st/L/Sec mo. lst&Lst, water included. No pets. $650/mo + lbr & 2br. 1-yr lease. (941)966-2762 No pets. Small pet OK. (9411-586-9950 ENGLEWOOD, 2br/2ba, W/D, $200 utilities 575-2355 Immed. occup. No pets. 941-966-2762 No pets Ig lanai, unfurnished, R/2BA tile, carpet, $700. (941)416-5757 VENICE BEACH 1BR/1BA, clean, VENICE, new stand alone $750/mo 2BR/25BA tnile, carpet, vr APT. 2 blks from Beach &dwntwn villa, 2/2/2 +den, finished Call (941)-626-7158 2BR/2.5BA townhouse, very MANASOTA KEY- steps to great location, No pets. $649A/no lanai, FL room, maint free. nice. $775. Pt. Char. 941- the beach 2br/lba apt until 1st/L/ Sec (941)232-6883 $1200/mo. (941)-412-3474 Englewood: 2br/lba, central 505-1474 or 941- 724-3352. incl. $300/wk. Long term. a/c, laundry, newly renovated. C.H. 2/2, w/d hookup, lanai, (941)-716-3660 VENICE ISLAND 1/BR APT, 1280TOWNHOUSES On quiet street in historic dis- Ibik from park, lease, 1st., MANOSTA KEY Studio 5 minute walk to beach & .-.- RET---, trict. .... j, sec. No Pets/Smoe---e -: rL:r. "- ..1, ,, i- ENLGW. 2/1, Duplex, includes $800 mo,,(941)743-4663 .riv ,i taI : .. . Townhome 3/3/1, New, water, elec. & lawn care. Pets Charlotte Harb., 1 bdrm., 194 I i V Upgrades, W/D Lakeside Plan- allowed Annual or Seasonal. $550/mo. and effic. w/bath N. PorMS Tamiami Trail VNow leasing Del So& station, N.P. $950. mo. annual. (9411-473-7011 & kitchen, $550/mo. ((239)- Painted & clean, parking, avail- bedrooms $75 & up NS NP 941-629-3128 Harbour Heights, 1BR/1BA/ able now, 1st floor Ib/lb full Punta Gorda, FL carport, ref., range, W/D, Clean & Cozy 1BR furnished, kitchen, all tile. Annual $700, Call (941)-639-0663 1300 DUPLEXES CHA, shed. Avail. Nov. 1. NO incl. utilities, courtyard & laun- 2nd floor 2b/lb, new carpet, FOR RENT PETS. $650, 1st, last & $600 dry. Punta Gorda. 941- 637- full kitchen. Annual $750 sec. (863)-244-3282 1868 or 815-0711 Call (941)429-9100 'NOKOMIS: 510 PINEWOOD AV 2/1 $675/mo $945/sec move in for $1620. 941-914-2760 NORTH PORT Myakka River, lbdrm, fully fur- nished, new appliances. $800/mo ann., $1200/ mo. seas. 941-492-2108. PELICAN PERCH RV, PG Mobile Homes 1-2 BR $600. mo 1 BR $500.mo $400. sec. No pets. 941-639-4412 Punta Gorda Seasonal $1200/mo; furn'd 2/2, scr porch, water, sewer, cable & elec incl up to $100/mo./1/3 ac. Ask for Bob 941-639- 7006 or cell #941-769-0180. SALE OR RENT Eagle Point 55+ Park- Waterview! 2/2/CP New Fla. room, roof, carpet and appl. Yearly or seasonal. 941-286-6218. TRAVEL TRAILER in good loca- tion RVSite good amenities 4 .r mT, .4wail crw ri rn . $ecurir, dep 941*T 6?' ".1 1350 EFFICIENCIES FOR RENT Efficiency suites, full kitchen, fully furnished, cable, $250 wk. + up. (941-6294046 SUNNYBROOK MOTEL (DC), 1350 EFFICIENCIES FOR RENT 1360 ROOMS FOR RENT 1370 RENTALSTO SHARE 1320 APARTMENTS FOR RENT -- SEVERAL AVAIL. From $400. mo. $750. mo. Arcadia (on 5 acres), Nocatee, & Kings Hwy. ALL incl. CHA. 1st, Last & Sec. 941-624-0355 Englewood, 2/2/CP on water w/dock, furn., Ig. den & util. rm. 55+, annual, $850 1st., last, sec. (941)-223-7942 HARBOR COVE 55+, 2/2/CP WD, furnished, $850/mo+ 1st, last, sec. Annual lease. 941-423-2824 New! 2/1 6830 Villaview Dr. All appl. 1st/last/sec. $750mo. 941-626-9606 Pool, house priv. $550/mo. + security. (941)-625-7849 N. PORT, great area, close to Walmart, lots of privacy, 41 & Chamberlain. (941)815-5508 Senior lady to share my home, help me & share expenses.. (941)-766-9895 E. ENGLEWOOD, Irg room & bath for retiree, female pre- ferred in new home. Util. incl. Direct TV, NS/NP, Ist/L, N. PORT, Share fum., $150/wk (941)441-8175 3BR/1BA/1CG, $100/Mwk, fu house priviedges, central air, N. PORT, Share fum., includes lawn service. Clean. 3BR/1BA/1CG, $100/wk, full & sober no drugs. $300 house priviledges, central air, moves you in & background includes lawn service. Clean check (941)-875-9023 & sober no drugs. $300 moves you in & background N.P. FURNISHED ROOM ALL. check (941)-875-9023 UTILITIES INCL. W/D AND * HSE PRIVD.$390/MONTH NORTH PORT- Female pre- FIRST AND SECURITY ferred, Ig. clean fun. room, prvt 941-661-4953 bath., no pets, no drinking no drugs $450/mo. 941-240- NOKOMIS- Large room & bath: 5684 Lv msg, house prdg. own ent., gracious country house w/pool & spa, single P.C. 2/2 nicely furnished young prof. male $700/mo. home, cable, utilities, lawn Call Robert, (941)-484-8095 service included. $175/wk + security dep. (941)-255-1603 DISCOUNTED IN SECIATY P.C. Room for rent, female pref., Full house privi., S ;.North Port, : S95/week utilitiesinc dd. -.- 941-228-3677. (941)-268-7378 --. Couples welcome 941)2687378 P.C./ENGLEWOOD, male roo- NORTH PORT FURNISHED mate needed, room &bath, ROOM, includes utilities, $125 many amenities. $300/mo. a week, (941)423-0322 until incl. (941-828-2635 NORTH PORT, Furnished, S. Venice Room w/ private clean for N/S & pet lover. bath, privdg, kitchen/laundry, $150 wk $150/dep. 1/4 until. $140/wk or $500/mo + Sec. 941-426-6432 941-539-5372 or 408-8725 2/2/2 VENICE-PELICAN POINTE, Turnkey, furn. golf villa, w/lakeview, htd pool, tennis, club- house. Seasonal. Contact: American Eagle Realty: 941-408-8277 or 'AmericanEagleRealtyFLcom 3/2 Den, furn., utilities incl., No pets/smoke, $2200/mo. 941-6294605 or 941-626- 6159/941-276-3426 AVAIL. GULF BEACHFRONT Venice Island Condo's Effs. & lbr. Turnkey furn., Pool, Wk/Mo/Ann. 941-485-7967 trudypage@hotmail.com Capri Isles condo, 2nd floor, 2BR/2BA, December & January $1,800/mo. (941) 492-9120 Deep Creek Villa 2/2/1, pool on lake, across from GC, fully furnished, beautiful view, spa- cious & private. Avail Nov. & ENGL E 2/2 furnished. ,15 minutes.to beach, utili- ties included. Short Term call 941-716-4305 Engl. 3/2 canal front rental furn., Wk/Mo./Ann. $1,350- ,$1,850 (941)-697-1311 It's Time for an Upgrade! Would you like to give up the name tag for a business card? Well, this is your chance. Check out the Classifieds to find the career that you are in search of. . 200 E Veni Gondolier Sun ce Ave. 941-207-1200 herald.com/classifieds Pfn 6A F ctjv v ltzlm Englewood furn. partial bay NP Single room, furn, Private VENICE Nice Rm, next.to 41, view $750/mo inci cable & all ent, all utilsfincluded, $120 wk working person. Not a party util, $500 sec. & refs req. No Drugs/pets 423-9620 house. $125/wk. 1st /L/Sec 15% disc. to Marine Biologist P.C. Clean & quiet, $155/wk. Leave msg. 941-468-2526 algal blooms 941-716-4321 or $600/moincludes utilities, VENICE, 2BR/2BA Home to furnished. References. (941)- share, private entrance & bath, ENGLEWOOD, downtown 743-3070 or 941-740-2565 storage, phone, wireless inter- efficiencies, furn. Available, net, direct TV, laundry, all until, immediately CallMike LARGEfurn room w/p fum if needed. $175/wk. 1 mo. (941)-302-0050 et. for clean .resp. adult. ahead. N/S N/P. Avail immed $175 wk. or $650 mo. incl. (941)493-4105S FLAMINGO MOTEL. Efficiency util.-cable. 941-626-2832. (941-493-4105 suites, pool, cable, $29.95 daily & up. 941-286-6511, MOVE IN SPECIAL 1390 VACATION/SEAS 639-7750 or 239-357-3319 DISCOUNTED SECURITY RENTALS Port Charlotte N. PORT, weekly rental at 941-504-5468 or 228-3677 $125 or monthly at $450, on Couples welcome site laundry, central air, nice, L clean &priv. Great neighbor- PG Clean, furn.,cable, phone, "FURNISHED RENTALS" hood. Avail. now. Background util. incl. $125 wk. 2-3 BR apt. (restrictions vary) check (941)-875-9023 $325 wk. No Pets (941)---639- *PC, 2B, IBA HOME, EASY ST., FL. 1089 or (239)-229-5228 ROOM, NO PET $1400. MO NOKOMIS Studio Extra Lg., *PC 2B. 2BA HOME, BLAIR AVE., 2C. GAR., LANAI. NO PET. $1600 MO. new/spotless, quiet, private, Port Charlotte: Immediate PCB, 2BA HOME, TALBOT ST., iC. near beaches, N/S, No pets. availability non smoking, no GAR. NO PET. $1600 MO. Refs req. (941)-485-0164 pets. $125/wk + $250 secu- F NoT, BA CONDO, POOL, WATER- SARASOTA NEAR Riverview rity in advance.941-875-1020 Sunbelt Mgmt. Services LLC gentleman pref. No smoking Port Charlotte: large clean (9411 627-9555 (WEEKDAYS) or pets. $600 + dep. Annual furnished room $550 month. SO. SARASOTA/OSPREY only. 94149381410or925-7113 Utilities, cable & internet Large 1/1 furnished TROPICAL BAY INN MOTEL included. (941)-661-0291 upstairs apt. 16x8 deck, Char. Harbor Waterfront, 2 rm PT. CHARLOTTE, off Midway, very private, utilities & suite, furn., full kit, sofa, TV, Private bath. No smokers, no cable incl. Avail Nov 1st, 3 sep. rm w/qn. bed. $280 pets. $125/wk. plus security mth min. Small pet ok. weekly & up. 941-625-3004 deposit. (941) 769-4917. $1100/mo. + Sec. dep. CALL 989-585-3326 1360 ROOMS PT. CHAR- 1 single room furn, 1360 ROOprvtentr, cable, a/c $125/wk 1st floor, Ig 2/2, pool, jacuzzi, FOR RENT incl. all until. 941-276-3134 or golf, tennis, exercise rm, dock 941-276-1025 or 875-9036 & sec, 3 min. $1,800 (941) CLEAN & SOBER Recovery 408-8882 or (973)-534-2180 Housing in PC. Men & 1370 RENTALSTO 2 VACATION HOMES AVAIL. Women. If interested in1 sobriety (941)-624-3748 SHARE 1 with poo, 1 waterfront. Englewood area. Call for East Englewood private 5200 SF estate home, 5 details. (941)-828-8870 entrance & bath, acres, near Lake Suzy, :2/2/1, Sabal Trace, Gated $110/wk FEMALE, $175 week. (941)- Golf course comm. w/pool Call after pm 474-8939 7435375. $1,200/Ann Furn., $2200/ Furnished room in PC. CAREGIVER live-in wanted Seasonal (941)-426-4394 Sunda Oct 22 2006 Real E d 1390 VACATION/SEAS RENTALS Englewood Fully furnished 3BR/2BA/2CG, saltwater canal, boat lift, 1.5 miles from beach, 'pool. Nightly, Weekly or Monthly (866)420-8804 ENGLEWOOD Canal house, Ig lanai, htd pool, 5 min to Man, asota Key bch, 2.5/2, Ig lot. 10 min boat ride to Lemon Bay, $2600/mo. 207-244-7007 ENGLEWOOD Vacation Rentals WEST COAST PROP. MGT 473-0718 OR 800-468-0667 westcoastproperiymanagementrnet Englewood/Manasota Key, fum. clean 1BR/1BA 660 ft. to priv. stairs to Gulf, N/S, No pets. $1250/mo. (941)475-2657 MANASOTA KEY! SPECIAL . RATES! EL Galeon! Tamarind! 29 Palms! One & two bed- room condos. BEACH! BAY! POOLS! BOAT DOCKS! Englewood Realty, Inc. 941-474-6000 MURDOCK Furnished 3/2/2 with pool. No pets, no smoking. Available Nov. 1st-April. 941-627-8622. N. PORT, Turn Key, furnished, 3/2/2. Lake sunset views. Nov.-Dec. $1,500. Jan.- March $2,200. Annual also available. 239-389-1466 NOKOMIS immaculate furn. effic. Walkto beach. W/D, no smoking No pets; $325/wk incl util. 941-488-6565 NOKOMIS- Furnished rooms. Exc. ref. a must. N/S, drugs or alcohol. Call for details (941)484-7710 NORTH PORT, 3/2/1, fum., full lanaVrv pad, dbl lot. $1500/mo. - Nov/Dec. $1700/mo Jan- Mar. (941)4564390 or 4298494 P.C. 2/2, upgraded split w/pool, turnkey. Avail. Nov., Dec. $1,200 ea., incl. util. April. $1,400 (941) 7694077 P.C. Sailboat water, beautiful ly furn. 3/2/2, pool, $1,800 mo. seasonal, $1,300 mo annual. No smoke/pets (941)- 1500 LOTS & ACREAGE 3 ACRES in North Port Estates, $155K Oaks Palms & Pines, Excellent Investment. $165K. 941- 628-1460 35 ACRES for sale or lease, space agricultural with 78 transferable development units. Available immediately by certificate, $30,000 each. T & G Tower 954-328-2711. $10,0000 To $30,000 Call for FREE List Many Available Arcadia 5 Beautiful acres w/pond, Elec, Septic, Well. Cleared, Fenced & more $160,000 (863)-993-1320 Arcadia, build your dream home on cleared residential lot, 65 X 200, front & back road access. $89,900 obo. (8631-884-9778 Attention Builders! 23 North Port lots...build now, pay after house is built and closed! Call Hollie, Home- Choice Real Estate, 941-575- 9775 or 941-916-2251, Beautiful & serene 5-acres overlooking pond in Punta Gorda. Great investment or build your new home. Just reduced to $70,000. Comm. .Realty 941- 575-7111. Beautiful 75'x150' lot in Sebring Fl. (Highland Park) on paved road. Quiet neigh- b6rhood Possible owner finance $35,000.863-990- 2596 Cheap Land For Sale Owner Financing Available Visit or call (941) 628-3434 Charlotte Ranchetts, 2 1/2 acres, ready to build with house pad, pond and electric. 135 000 OBO. 941-628-8472 7434422 or (941) 875-1140 City of Punta Gorda P.C. turnkey, 3/2/CP, solar Residential large lot, 20,000+ pool, hot tub, Ig. lanai. $2,200 sq.ft. See at 303 W. GRACE mb., nice area, close to all, ST. Priced at $475,000. Nov. 1 941-391-7015 Call (941) 205-2005 PC 2/2, kitchep, DR, cocktail DEAL OF THE WEEK!!! area, pool w/spa. $2200 utili- North Port investor lot, Lan- ties incl. Dec.-April. 302422- gl\s Dr. $19,900 (941)-378- 0296 or 941-629-0758. 3780 corn DISTRESS SALE! Section 15 Pt. Char. Water & Sewer lot. PGI 2. 2E&A, canal, covered Great area! Reduced to parking, avail. Dec., Jan., $49,000. Must Sell Quick! April 1-) 1-57, 16-1 iB.'ring:AII Offers;941-286- PLACIDA2B/2B New condo .8077 spe~i lfar ICW views, 5th Double Lot; N. Port Build *floor, tennis, pool, spa,, mmin Greenbelt; Jon Bullock @ to Boca Beaches boating, 941-815-8449 Salefish $2500/mo (941)-350-1288 Realty, Inc. PT CHAR- 3/2/2 417 Church East Englewood, Summer St. Av big pool, $2200/mo 6 mth Single lot w/pool or annual $1400/mo. Addt'l $70,000/obo pet dep. (941)-623-3785 941-473-7333 or 276-0772 Riverwood Rentals Englewood lot, priced to Reduced Rates sell! $18,996. Call Maggie, Call Riverwood Realty HomeChoice Real Estate, (941)-743-9663 941-575-9775 S. SARASOTA /OSPREY GULF COVE LOTS!!! NICE, QUAINT, FURN 2/1, Not in Scrub J, LG. YARD, LG DECK, HI & DRY, All utilities VERY PRIVATE SETTING. avail. Neighborhood $1500/MO + SEC. DEP boavail. Neighborhood AVAIL DEC. 1ST 3 MO 239-738-2833 MIN. SM. PETS OK! 239-738-2833 CALL Carlene@ HARBOR HEIGfS Waterfront 989-585-332627367 Soloman Dr Venice 2bed/2bath lakeview $184,900 Build your new Furnished, for Nov. Dec. Jan. home & park your power $1775/mo (586)9394436 boat in the back yard. Owner/Agent 954-465-0146 VENICE ISLAND 1/1, LANDVESTMENTS adorable furn condo, 2 blks TEL: (941)484-4010 to beach & 1 blk to historic FAX: (941)375-2833 downtown, htd pool. $1900. LOTS 1N NORTH PORT Avail 01/07 (941)483-3242 LOT 14 Firebrand St., VENICE ISLAND- 2BR/2BA 10,000sf w/green belt Turnkey. Walk to Church & beach at rear $39,900 No smoking or pets. 2 mth min LOT 22 Dunmsmuir Rd. $2000/mo incl all uil 941- 12,500sfoversizeoncomer$41K 650-5309 LOT 5 Linda Dr.. 24,016sf on canal: Lagoon Venice Island Beachfront 2/2 Waterway $85K condo in Gulf Shores. Avail- Lots 38&39 Andalusia St.. able Nov. 1st, newly fur- 2no. 10,000sf lots 80K for both wished. (973)729-2521 It is the buyers responsibility to con- firm lot size & all zoning issues with VENICE ISLAND "3BR/2BA City of North Port &Sarasota County pool home, garage, across from Gulf. $4K/mo. Call 703- LARGE CORNER LOT 728-1728 12,672sf w/green belt VENICE ISLAND at rear, on Kalstead St: CLEAN 1/1 condo furn. Grnd not in scrub jay. floor, Avail Nov/Dec. NP/NS $55,000 + oversize lot 1 mth min 440-281-2555 14,500+sf on Littelfield VENICE ISLAND, condo on Lane, not in scrub jay. canal w/2 baths, ideal for cou- $49,900. Please call pie, htd pool on Gulf. Seasonal 941-412-9456 at $2500/mo (941)-484-7313 for details. VENICE, EAGLE. PT, 2/2 home gated bayfront comm., spa, Lots! Lots! Lots! Gulf Cove, dock, turnkey Nov.-Dec. $1200 Englewood and Rotonda. Jan.- Mar. $2,800 941408-9295 From $48,500 $120,000. Canal, Green Belt, Cul-de- VENICE, ISLAND WALK, Brand sac and Golf course lots. New 2/2/2 Gated Water View, Scrub Jay lots as low as Oct-Dec. $1400/mo. Jan-Apr. $23,000. Call for list! Terry $2,500/mo. (239)450-8086 Long RE/MAX Bayside WATERFRONT, Venice Island in 941-474-2897 Ext. 127 CC Club Estates, seasonal/ MOVED! MUST SELL! yearly, 2br/1.5ba, remodeled, CHEAP LMOT! pets ok. (941)-485-9800 3092 Vessels Rd. Port Char- lotte. Cleared ready to build 1500 LOTS & ACREAGE or for investment. Only $45,000. (228)-224-0144 1 A+ Builder Retiring Selling all lot inventory (50+ lots). Gulf, bay & deep water canal fronts, Gulf Cove, Roton- Need Cash? da, Lemon Bay, Manasota Key Hav A . All prime, choice locations, Have A 3.9% owner fin. poss. Call for Garage Sale comp list. All aggress priced to sell, sell, sell 941-474-6633 1/2 ACRE in gated com- munity. Brand new homes, GET RESULTS - call for security code. $139,000. (941)-628-6582 USE CLASSIFIED! 1500 LOTS & ACREAGE MUST SELL! PORT CHAR- 1530 COMMERCIAL LOT I In fn Rnrr 0 1600 BUSINESS FOR SALE 1610 BUSINESS . RENTALS LOTTE: 3 Lots for Sale! u C., 2826 Taiami Trail, r, 12004 Florence Ave, 0.25 pre closing price .OPPORTUNITY P..,e2826Tamiamice TrailUS 41 acres, wt/sw, $19K (going $7/sq.ft. Turn this business into frontage. 2,600 sq. ft. East on FL-776, right on Gulf- (239)-280-8161 COLD GOLD $14./sq. ft. includes water I stream Blvd, right on Ritz St, That's right! & common area mainte- left on Florence Ave); 11357 1540 TRADE/ The Hot Fudge Shoppe nance. Suitable for law Zola Ave, 0.23 acres, wt/sw, located in Arcadia s office, title co., medical, $22K (East on FL-776, left on EXCHANGE downtown antique real estate, etc. Plenty of " Sunnybrook Blvd, right on district Is for sale. Well parking. (941)-629-4850 Willmington Blvd, right oh Manasota Key! Deeded beach over a decade Claremont Dr, left on Zola access. Two buildings on Two "Home made PC Professional office Ave); 22407 Morocco Ave, lots units Total Ice Cream" is space. Prime location, 0.23 acres, $24K (South on I- $1,899,000.00 GREAT produced and sold 1200sf. Available now! 75, take Kings Hwy going POTENTIAL. Possible "Many regulars" And (941)-624-5992 South, right on Midway Blvd, exchange or owner financing patrons around the right on Orlando Blvd, left on Engelwood Realty, Inc. globe who've entered PC. Prime office space, Morocco Ave); ENGLE- 941474-6000 The Shoppe will attest. 5 units 1,000sf. each. WOOD: Lot for Sale! 11322 They have enjoyed the Brand new. Sandhill Blvd. Rockwell Ave, 0.23 acres, Many possibilities for this Delicious flavors and Turnkey/Fully built out. wt/sw $24K (East on FL-776- Many possibilities for this atmosphere. The Shoppe Available November! SMcCall Rd t on gelwood Beach CT ZONED can be much more if (941)624-5992 S McCall Rd, left PROPERTY.you wish. Oceanspray Blvd, right on Includes three RENTALS and Call if you can envision Port Charlotte 2000 Sq. Ft. Rockwell) Call 602-748-5244. BEACH ACCESS. Possible yourself as New Owner OFFICE/RETAIL 1931 Tgmaimi North Port lots for sale Owner Fiancing or Exchange. of a Shoppe synonymous Trail. High traffic /exposure. from $32,900 with power. Englewood Realty, Inc. with delicious home Call 941-629-7008 Please call (941)484-4010 941-474-6000 made ice cream PORT CHARLOTTE leave message with fax or "The Hot Fudge Shoppe" Up to 3,000 contiguous sq. ft. E-Mail address Call 863-990-8097 and Office space in professional for more info. 1600 BUSINESS FOR "get the scoop" office plaza. 2886 Tamiami SALE Concerning the sale. Trail. Available November 1 NORTH PORT LOTS, starting 941-916-2401 Sun Realty. f@' $20,000. Owner financing. TANNING SALON R. 41, 941-916-2401 Sun Realty. J941) 927-7436; 350-4527 BUY/SELL/VALUATIONS North Port, 4 new beds, must PORT CHARLOTTE 400 SF, VR Business Brokers sell now, moving. $29,000. Executive Office on RT776, North Port, Alpen Ave. just Fort Myers, Naples Offer. (941)426-9129 Available 11/1. $650/mo plus north of high school. $19,900 Port Charlotte utilities. 941-380-3026 or best reasonable offer. Not 941-627-5565 1610 BUSINESS scrub jay. 561-329-0882. RENTALS B Prime Office Space PORT CHARLOTTE Quesada CAFE, Fully equipped for Brand New; 2045 sfava & Maracabio St. 80x120, breakfast & lunch. Located 2000 s/f zoned ILW, 3 phase W. Marion Ave., Downtown (941)-625-8689 in growing Industrial Park. elec, 12' 0. door, 988 S River bnt Gorda. Turn key / fully PORT CHARLOTTE LOT Nice hours! Great investment! Rd. Engl. Need F/L/D down built out. Ready in November, PORT CHARLOTTE LOT. $21 sf NNN>. Thomas Ryan 14205 Hopewell Ave. Gulf $89,900. (941)-875-7747 941475-7886 leave msg Associates, Inc. 833-4777. Cove. Ready to build. .CAR, TRUCK & ACCESSORY 2300 SF Office/Warehouse $75,000. Call 770-924-1643. SHOP, est. 17 yrs, location on 500 SF/AC Veterans Blvd. PROFESSIONAL Office space 41., $75,000 or make offer. $10.50 sf for lease, approx. 130 sq. ft. Pt. Charlotte, 2 buildable (941)408-7570 or 474-6806 (941)268-0219 $495/month. Ind. until. Avail close to Home Depot now! 3480 Depew Circle Port off Veterans. No scrub CARPET, TILE & UPHOLSTERY 881 SF Office/Retail unit at Charlotte 941-743-3812 jays. Single or double. CLEANING. Established prof- 20020 Veteran's Blvd., P.C. Single S22900obo or table. Advertising in place. 1.2 mi. East of US 41. Punta Gorda. Warehouse- double for $44.000 obo Van & all equipment excellent. $1350/mo. includes common Offce,2,100 sq.t.39' X70'. (9411876-6517 Health forces sale. $17,500. charges. (941-629-9001. Beaumont Industrial Center, 94417871037overhead doors, reserved 941-764-1032. A NEW 1,000 sq. ft. parking, min. to 1-75 & 41. PUNTA GORDA ESTABLISHED Mini Storage & office/retail, completely A/C Next to new shopping center. Residential large lot 39,000 Pawn Shop. Package Deal. with 1 bathroom, $1,250 Rent includes all fees. Avail sq. ft. 1501 Taylor Road. Businesses, Property & month. Includes CAM & tax. now (flexible). (863) 494-2626 $240,000. 941-286-8186. Stock. Owner's moving. Call (2391-289-7000 or (941) 661-3054 River Ranch 1.25 acres, great for details. (8631494-5768 or A NEW 1,000 sq. ft. ware- Retail space available in hunting, fishing, camping & (863-)-558-0985 house with 240 sq. ft. A/C North Port on US 41, ATV trails. Enjoy 80K acres as EXTREMELY PROFITABLE office & 1 bathroom. $1,050 2040sf. $2400 mo. a member 365 days/year. Medical Staffing Business month. Includes CAM, tax & Call Laura (9411-815-1320 $4500. 941- 5754965 will stay on to help transi- electric. (239)-289-7000 w ROUTE 41 VENICE, GREAT tion. Medical background a A new 2,000 sq. ft. drive- LOCATION! Office/Profes- 1515 WATERFRONT plus. Serious inquiries only. through warehouse with 2 sional/Retail near new Lowe's. Call 239-223-4062. bathrooms, $1,875 mo. Guaranteed best pricing. 1 Freshwater Canal Lot. Home Decor Includes CAM & tax. Upto (941)485-8802 or 716-2552. Blocks from new Elementary. 20,000 sq. ft: available. All new Construction! $50kta Great location. (239)-289-7000 RUBBER TREE DESIGN Owner (561)-756-4880 $5,000 assets sale APPROX. 700 FT CENTER 1 Sailboat water lt, (941)-661-9085 APPROX 700 SQ FT Retail/Office Space for nearly new office space Lease. Construction in cleared, ready to build, this LAWN BUSINESS 40 annual for rent in Punta Gorda progress. 850 S/F and up. lot is a 10! $249,000. MOTI- accounts, grosses 49k, encl. Call 941-637-8299 pReady March 2007 Located VATED SELLER. Call Lisa trailer, 2 mowers & equip. AVAIL NOV. 9TH. ATTRAC- on ,-, Er'ie.-.., aljii Hamlin, The Pier Group, (941) Asking $36K (941)-276-9522 TIVE ground fir office Mary Hank 629-7788 space. 1425s.f. Capri Isles Keller Williams Realty 160 Danforth: 1/4-acre lot on i Blvd. 941-475-3906 (941) 587-6916 saltWhlatei 6~il a.~ S i eCll; NOTHING BOUTIQUE FLEX SPACE 2400-5300 SEABOARD OFFICE PARK access; no bridges.:'.. i v. i.. t.-.uI SF. i ,ii.en i ii:.-te .: CUSTOM OFFICES & ' Charlotte Harbor if 2nd story Exclusive well known lines with 1-1: -. 1 i urt ',rrl ,::,or, WAREHOUSE AVAIL home. 1 min. to harbor. a protected territory. New rum. I:r ri Mrulm,,- CAM IN VENICE $289,000. (941)-628-6582 store doing so well they dou- Realty. I -. ?-; ?l I-;. STARTING AT $295. DISTRESS SALE! Fresh bled their square footage. Great frontage on US 41 Prime location, various waterfront lot. 215 Kensing- .RESTAURANT/SANDWICH in Murdock. Former used sizes & configurations. ton St., P.C. Cleared, filled & SHOP The highest volume car lot with C.I. zoning. Call 488-6666 water meter in place. store in this soup and sand- over I acre. US 41 So. Venice, 1,000sf $15,000. in improvements, which franchise. Seller is (941)-627-3500 office space, excellent park Reduced to $49,000. Must absentee and sees the need oice space, excellent pr sell quick!! Bring all offers! for more involved manage- GREAT LOCATION ing, $1350/mo. MaryBeth (941)-286-8077 ment. Seating for 54. 1p00SF office space, Tamiami Tr. Wilson, Preferred Properties *CONSTRUCTION/CABI- frontage, Downtown Venice. Realtors. 941484-6279 OWNER MUST SELL! NETS Kitchen and bath $900/mo 941416-5757 VENICE Gulf access waterfront lot, 80' sales and installation. The sell- ISLAND OF VENICE AT 1-75 & JACARANDA on water, bring all offers er wants-to move, you get a JUST REMODELED 600 SQ. FT today. (865)-387-8440 great business at a very rea- JUSTREMODELED NEW O E S IN LAKE SAILBOAT LOT 450' to River. sonable price. Retail Space and/or office NEW OFFICE SUITE IN LAKE SAILBOAT LOT 450'eto Rived VR Business Brokers of S595 PER MO 1st & sec VIEW OFFICE PARK City Water. Cleared w/paved VR Busine Brokers of Call 941-4833418 AVAJLABLE 11/1 roads. $350,000. $50,000. SW Florida Call 941-483- 3418 600+TAX& CAM down. (941)-286-1231 MEDICAL/PROFESSIONAL Call 941-223-2155 (941)-627-5565 OFFICE space for lease 2250 1520 OUT OF TOWN or (800)8815834 sf built out, $15.00 sf nnn VENICE AVE.Near By-Pass. Members FBBA/BBF/iBBA US 41 frontage in N. Port. Office/Retail Bldg. Approx. LOTS Call Laura (941)-815-1320 1500sf. $1200/mo. Call (941)484-6022 *FL, AL, GA, TN L MURDOCK, US41 Frontage BY OWNER/BROKER EmEEnEEm--- --m.-Eu E 1800 SF, Great office space Venice Gardens, approx. EXCELLENT-VALUES AMERICAN Parking, great rent! Call 941- 1,700sft, 8 offices, CASH, FIN., POSS TRADE ER 426-5744 or 941-587-0532 $2,750/mo. MaryBeth CASH, F BUSINESS 2BROO6KE7RS NE B SR Wilson, Preferred Properties OWNER/BROKER (239) 425-0677 NORTH PORT/ Realtors. 941484-6279 (941)626-4655 abb@abbrokers.com PT CHARLOTTE 1 LOT LEFT! TENNESSEE, Mt. *LAWN SERVICE Office space for rent on Tami- VENICE: Business 41 & Valley views, 5 acres. Build- Residential Approx. 85 ami Trail. Ideal for Mortgage (2) lO00sf units (can combine) able. Prvt. serene setting w/ Accounts. Nets $50K. Ask- Broker, Title Company, Attor- Also 1150 sf of/wrhse on creek and pond sites. Season- ing $70K ney, etc. 1000sf to 1800sf. Seaboard Ave. 941485-1119 al beauty! $30,000. (941)- eWOOD FINISHING Near Real Estate Co. Prestigious shared office 276-4239 or (941)-276-5666 For Cabinet Shops & Call 941-232-8401 space at 41 and Marion in Golden Valley, NC Builders. Nets $39K. Ask- NORTH PORT Warehouse w/ Punta Gorda, $79/mo. denalley ing $127K nffi off Tnledn Blade at (941)-505-5009 Log Cabin $99,900. 1,300 Sq. ft. ranch shell w/porch & deck on 1 Ac. 828-612-5597 buywoodsandwater.com North Carolina COOL MOUNTAIN STREAM 2.2 Acres, great homesite. $39,900. 828-612-5597 buywoodsandwater.com North Florida, SUWANNEE RIVER lot, 0.72 acres, 150ft. along the river. $62,500- (941) 927-7436; 350 4527 Ic1 n ; r'fMMPRCIAI I OT I NU LUVMIVUl;nVIAIL LU I APPROX. 2.5 ACRES Zoned MU Comm., Edge- water, directly off US41 PC Special develop. incentives! J. Spadafora Keller Williams 1-888-715-9876 FOR SALE Commercial lot in the City of Venice 50x200, zoning ILW. Asking $189,900. 941-232-6956 *RETAIL 175. 1250sf. Rent $1450 Yarn & Knitting Supplies. Avail. Now. 941-426-6217, Classes. Nets $33K 347-721-2817. *RESTAURANT Totally Renovated. Seats OFFICE SPACE FOR LEASE, 150. Serves Breakfast, 800 3600 sf. Office space Lunch & Dinner. Includes conveniently located just off R.E. Nets $396K US41 in Punta Gorda. For e*IRRIGATION/LANDSCAPE more details call Cheryl May- Pump Stations, Mainte- mon, CAM Realty Consultants. nance, Service. Projected (239)-731-7253 Sales $2M+. Nets $212K OFFICE SPACE avail. *WINDOW COVERINGS PRIVATE OFFICE & 1 Est. 23 Years. Works with bath+ common work Major Suppliers & Local area on US41 in high traf- Workrooms. Nets $139K. fic area of North Port. Asking $229K With Terms $1280/mo. 941-232-8401 *FRANCHISE Lawn/Ornamental, Fertil- OFFICE/WAREHOUSE ization/Pest Control. 300+ 115 Corporation Way, Venice Accounts. Asking $225K area, 1300sf, rear rollup door iiNiEN nn mi*****u Ample pkg. (941)-468-2834 (239) 425-0677 Visit our website at: OLD TOWN COMMERCIAL CENTER IIIEEIEIUIIEIEENEU I liew Avaiut1,s le I i ' OFFICES OBEE'S Soup Salad & Subs 40 I,,o 2,0 q fI t Franchise For Sale, Kings WAREHOUSE Hwy. Territory. Voted Best Sub 1404, j 9U0 sq.f in Char. Co. 941-764-3446 WeVr ot I 75 er 161 * 4l-7 9418:049.r6 or 71 IT O UT! v tOld[,WridevC ,m Use the Handy Q In Our New ,. Improved Garage Sale Ads To Mark The Locations You Want To Check Out For Great Bar- gains. PORT CHARLOTTE AA Executive Office Suites Receptionist, all util. & other support svcs. ARE YOU ONLINE? Omni Executive Center INCREASE YOUR 4055 TAMIAMI TRAIL EXPOSURE! Acrosss from Bob Evans Add your internet address Call Marj or Jan to your ad for a little extra! 627-9755 Rms, Reception & UOffice 1615 INCOME Port Charlotte. PROPERTY $2,688/mo. Gross. Call Thurston Martin (941)- Airplane Hanger @ Charlotte 613-3014 or (800)- County Airpark, P.G. 1,092 sf. 858-1989 Ideal for small business oper- ations, $80K (941)-628-2192 VENCEICOMEPRODUCING 37,500sf/2,000sf building Beautifully updated apartment Fenced & gated. complexes: 24 units in Pt. ZonedILW. Near 1-75 Charlotte, 16 units in Punta (941)484-4239 Gorda plus two duplexes in N. Port. For these & more call Joe Boguszewski, Cold- 1640 WAREHOUSE well Banker Residential R.E., & STORAGE Inc. 941-302-0732 Manasota Key Quadplex! Four Avail now! 1 MO. FREE one bedroom units. Deeded RENT! Murdock Ind. Park, Beach Access & Bay Veiws! 1,400 sq. ft. w/office & ac. $699,900.00 Englewood (941)-626-0416 or 743-6737 Realty, Inc. 941-474-6000 800sf. Murdock, A/C, www enplewoodrealtyfl.com office/warehouse. Full bath Venice-mini storage Business w/shower. Only $595/mo. & Property, over 400 bins. Hurry!! (941)456-2471 Income approx. $150,000/yr. Airplane Hanger @ Charlotte Rents are low $1,750,000 County Airpark, P.G. 1,092 sf. MaryBeth Ideal for small business oper- Wilson, Preferred Properties nations. $80K (941)-628-2192 Realtors. 941-484-6279 PT. CHAR. 2 DUPLEX'S 2 HOUSES 1620 COMMER./ 3 LOTS TOTAL NEXT TO INDUST.PROP. PEACE RIVER ZONED RMF15. All units have W/D, 1st FLOOR OFFICE CONDO, great rental history. $670K Brand new, Approx 1000st, Owner/Broker (941)-927-9176 Beautiful N. Port Commons, EXCELLENT US 41 VISIBILITY DOWNSIZING? ? $247,500 (941)-223-1645 Contractors and subs. A+, Murdock Ind. Pk. 5,600 Murdock industrial Park. sq. ft. w/loading dock.. Best 80 s arehouse, rate in town. For distributor or .me i.,, any sales office. (9411-626- available imrrediael. 0416 or (941) 743-6737 call Doug Z 255-53 ' 1620 COMMER./ INDUST. PROR -langars for Sale. 100% Ownership. Charlotte County Airport. Also makes Great RV Storage. (239) 643- 6333 Ray Anderson, Arnold & Arnold Real Estate. Inc. NEW PROFESSIONAL PARK in Punta Gorda near hospital and downtown. Office/Medical space for Lease or Sale. 1600 to 4500 sq. ft. to choose from. Carole Borgstrom 941-456-0645 Coldwell Banker. NORTH PORT INDUSTRIAL PARK Ottice Showroom Ware. house, 3000 sq tt, abouul hall in warehouse. Large overhead d:.ari, Ideal for conrrailurs and subs. E cellent e,.poiure. Call Doug @ 19411 255. 5340 OFFICE/WAREHOUSES/LO FT- Whidden Indust. Park. 1250 SF/AC, Cl Zoned. $950. mo. 941-204-7352 r.Jei Avalatle I 1 )1 C'nric 'Shorowroomrr Warehse 1 "A2 to *'9'0,j sq ft West of i 7r e i,t 161 941-8704986 or viSit ,ld ,',vr diii c',.m Sunstar Realty, Inc. 941-255-3497 COMMERCIAL PROPERTY FOR SALE Land: 3 contiguous lot; zoned Cl. 30,000 SF - Between Toledo Blade Collingswood just north* .-I planned Murdock Vi'lage S?30,000. Or one i,:or S 10,00I n .... Land: 1.62 Acres on Tamiami Trail, North Port. Zoned CG $1,200,000. ' Office building 8,870 of Leasable space. Near Fawcett Hospital. $1,850,000. 2700 SF Retail / Office Space in N.P. $20 SF, NNN. Unimproved shell with $25 SF TI allowance. For the above properties. Call Bob Stout CCIM 941-613-3056 PROPERTY FOR LEASE 1150 SF Industrial Whse/Shop located in Veterans Plaza. $900/Mo. Call Thurston Martin (941)-613-3014 or (800)-858-1989 1400 SF Medical Space 3 Exam Rms., 2 Rest mnms-_ rne. -_.um 0 o :^ SUNAN ^ .... ^NEWS.. PAP. RS GET IN GEAR To n1-vertise call 207-1200 ven-cc/re0th r Port 475-2200 Englewood .3010 1640 WAREHOUSE & STORAGE 400 & 1600sf. (941)-575-1908 PET GROOMING SALON, long estab. Great hours,strip store loc., low rent, confidential. $89,900. MaryBeth Wilson, Preferred Properties, Realtors. 941-484-6279 on 'Seaboard Ave. ALSO (2) 1000sf units (can combine) on Business.41 941485-1119 Venice: New warehouse office building 1100-13,000 SF. .90 cents per S.F. + CAM 941-809- 5767 or 488-8869; 3000 NOTICES 3010 ANNOUNCEMENTS YARD & GARAGE SALES 105 ARCADIA AREA 10/22/06 110 ENGLEWOOD AREA F Fri Oct. 20th thru, Fri, Oct. 27th, 60 B W. Cowles St., MOVING SALE!!! EVERYTHING MUST GO!!! D SAT & SUN. 8AM-? 6948 Tuxedo St Lots of great stuff...furn, tools, household, clothes, etc I130 NORTHPOIRQRT [ SAT & SUN, 9-5, 2631 Tropicaire Blvd., Household goods, tools, small appliances & building supplies SAT SUN, 9-5 . FANTASTIC, 7 Family Sale. Clothes, toys, electron- ics & much misc. Don't miss it! 6534 East Hillbourgh D-SAT./SUN 8AM-? 1653 Marilyn Ln. off Cham- berlain (see signs). Antiques, Philco radio phonograph, Hitchcock table & chairs, misc. furn., jewelry, collect., lots of stuff! 941-626-3206. 135 PORT CHARLOTTE AREA D SAT. & SUN, 8 4, F 21185 Quesada Ave. or call for appt. MOVING- lots of antiques, furniture & home decor. (941)-916-6311 .I-SAT. & SUN. 8-4:30, I 3310 Jamestown St. 2 family sale, Mark V Shopsmith & access., tools, dog items, chairs & misc. SAT. & SUN. 8AM-? 3315 Elkcam Blvd. Household goods, misc. items. NO EARLY BIRDS. SAT. & SUN., 8am-lpm, I18846 Countryman Ave. (off Midway). Furniture, Toys, VHS movies, Appliances, Clothing Sporting goods, hshld. goods & much more!!!! D SAT./SUN. 8am-3pm. 1156 Guava Street, off Harborview Road. Lots of tools of gadjets, household items. Bargains Galore! 140 PUNTA GORDA AREA SAT. & SUN. 8AM-? Shell t Creek Park, off Washing- ton Loop. 3 families. Some antiques. Lots of stuff. -D SAT. & SUN. 8AM-2PM. H16808 Villaview Dr. Off Hwy. 17. MOVING SALE. .Everything must go. 145 ROTO DA AREA SAT. thru FRI. 9AM-? MOVING SALE. 4180 Cape Haze Dr. Total contents, pool solar cover, Rider Look for Balloons! 941-697-1291 155 SOUTH VENICE AREA -] /SAT/SUN 92pm F 531 Bellaire Dr. Venice East 160 VENICE AREA D MOVING SALE! Living, Dining, BR, & patio fum, wall unit, desk, bar & Much more! Call (941)2236436 Page 7 3010 ANNOUNCEMENTS WIN UP TO $500!! JUST GIVE US YOUR OPINION OF THE VENICE GONDOLIER SUN! You will be entered to win GRAND PRIZE $500 CASH! 1ST PRIZE $100 CROW'S NEST GIFT CARD 2ND PRIZE $50 Bogey's Gift Card 3RD PRIZE $50 Publix Gift Card TO ENTER, GO TO0 Sunday, Oct. 22, 2006, Real Estate Classified IDorit A I-yt 0 P wk! Variety of Entertainers. 24/7, ALL AREAS! ALWAYS HIRING! 941-833-0069 Escorts, Dancers, Models are seeking your company!! For appt. call 941-866-8055 NOW HIRING! HOT LOCAL SINGLES! Connect/Meet/Chat! Ft. Myers 239-590-9210 Sarasota 941-906-8844 Call Now! 18+ Ad#8888 4010 BUSINESS LADIES ONLY OPPORTUNITIES FRANK .'. -.1 i,-_-76-8729 ',,.. A CASH .OW!! P. C.'S FINEST 90 VENDING MACHINE UNITS YOU OK LOCATIONS SENSATIONS ENTIRE BUSINESS $10,970 The Ultimate Stress Release HURRY! 1-800-836-3464 Ask about daily specials. #802428 3860 Tamiami Trail, P.C Be art of the exciting 2 mi. N. of P.G. bridge. exciting Now hiring. 941-766-7995 functional beverage industry. Private entrance & park- Unlimited earning potential. ing in rear. 1-877-677-2744/ www. powerofmonavie.com SOUTHERN COMFORT FANTASTIC SAMS CALL FOR SPECIALS National hair salon franchise. 941-735-7240 No hair exp. needed. Low STACY investment. Strong local sup- VERY AFFORDABLE port. Cash business. Meets CALL FOR SPECIALS E-2 Visa. 1-888-326-7267 In-Out Calls 941-726-9696 OWN A COMPUTER? TOTAL MIND & BODY Ghost Put it to work! Up to $1,500. & Goblin Special!! Oct. 18 -$7,500. mo PT/FT 888- 25. Come see our NEW 715-1162 24 hr. recording. store & our Great Staff. $25 door fee. 2705-A OWN PRODUCING OIL WELLS Tamiami Trail, Port Char- Monthly incomes, tax benefits, lotte. 941-258-3222. all or part, $14K min. (727)- 446-6162 3040 CARD OF THANKS VANGUARD PRAYER TO THE BLESSED Cleaning Systems VIRGIN (Never known to fail) OWN YOUR OWN FRANCHISE 0 Most Beautiful Flower of Mt. We Provide Customers Carmel, Equip., Training & Financing Fruitful Wine, Splendor of LOW INVESTMENT! Heaven, Blessed 941-423-7670 Mother of the Son of God, Immaculate Virgin, assist me in my neces- sity. 0 Star of the Sea, help 4080 LOANS/ me and show me herein you MORTGAGES are my Mother. 0 Holy Mary, Mother of God, Queen of NO Income or Credit Check. Heaven and Earth, I humbly PRIVATE MONEY for Houses beseech you from the bottom & Land. Licensed. Local. of my heart to succor me in Toll Free: 1-888-218-5075 my necessity (make request). There are none that can with- PRIVATE MONEY stand your power. 0 Mary con- Real Estate Only ceived without sin, pray for us 625-7001 or 941-475-7755 who have recourse to thee (3 times). Holy Mary, I place this cause in your hands (3 times). Seize the sales Say this prayer for 3 consecu- th Clasified! tive days. with Classified! You must publish it, and it will be granted to you. KF 3050 SINGLES SINGLE, WHITE, male, 60, 5'5", 135 lbs., brown hair & blue eyes, in search of petite attractive single white female for long term relationship in the Punta Gorda area. Call (941)-575-1519. 3060 SCHOOLS & INSTRUCTION 2 WEEK CNA TRAINING $250 SPECIAL/incl. book Quality Healthcare. State testing onsite. N. Port 941-822-2273 BLACKJACK POKER DEALING & BARTENDING , 18 & Over 239-334-6300 Ft. Myers Advertise in The Classifieds! Need Cash? Have A Garage Sale ARE YOU ONLINE? INCREASE YOUR EXPOSURE! Add your internet address to your ad for a little extra! F IT OUT! Use the Handy.Q In Our New Improved Garage Sale Ads To Mark The Locations You Want To Check Out For Great Bar- gains, 5000 5060 DOMESTIC v50 CLEANING SERV. 3060 SCHOOLS & INSTRUCTION NEW CAREERS IN 10 OR 17 WEEKS! MASSAGE & Skin are Educating Hands Since 1992 Day Eve. Part Time Financing Available Placement Assistance Open House Thursday (800) 324-9543 3090 LOST & FOUND FOUND: Dog, Female Pug, buff color on Gaylord Ave. 10/15/06. 941-456-0003 FOUND HIMALAYAN/SIAMESE BLUE EYES, CALL (941)429-9431 LOST BILL FOLD Brown @ 7-11 Gas station at US 41 & Laurel Rd. REWARD Please call Donald Taylor 941-484-5466 LOST HIMALAYAN/SIAMESE BLUE EYES, HIS NAME IS MICHIE. $200 REWARD! CHILD IS HEARTBROKEN! PLEASE HELP. CALL (941)441-8166 OR (941)423-2800 LOST SUNTRUST ENVELOPE AT THE PUBLIC ON THE ISLAND ON THURS- DAY, AUG. 12TH. PLEASE CALL (941)497-3442 LOST: Diamond Engage- ment Solitare, Saturday, 10/7 @ Harley Davison Dealership. REWARD! (941) 356-9821 N. Port 2BR's & 3BR's, some waterfront. Avail. for SEASON. 4 mos. min., reasonable, nicely furn., (941)-426-7625 - 4000 FINANCIAL 5100 HOME & COMM. IMPROVE. VINCE DeRico Handyman Service *Rescreen *Gutters *Hauling *Mis An Occupational License may be required by the City and/or County. Please call the appro- priate occupational licensing bureau to verify Virginia Ave. and Demolition, Excavation, COMPL.ETE TREE SERVICE Sullivan St.) Site Work, Clean-Up & Tree removal specialist. Bobcat Services Available. Locally owned & operated., HEM BUILDERS Free estimates!!! Jesse BUSINESS HOURS (941)-743-6955 Martin (941)408-8539 ic./Ins. GENERAL YARD WORK Monday Friday DAN'S TRACTOR SERVICE sprinkler repairs, palm tree Comm. & Residential. Lot Clear- trimming, garden design 7 a.m. 1 p.m. ing, Tree Removal, Fill & Grade. 941-474-6922 2 p.m. 4 p.m. Free Est. Dan (941) 4684163 JIM BLAIS LAWN MAINT HENDRICKSON INC. SUMMER.SPECIAL (941) 205-1000 Demolition, Hauling, Clearing NOW ACCEPTING ANNUAL & Fill. 4 Generations in P.G., ACCOUNTS. 941-915-4677 Dump Truck, Back Hoe & 5050 CHILD/ADULT Grade Tractor. 941-625-3365 Lawn, Garden & Lot Clean CARE or 941-626-7877 Lic./Ins. Up. bush Hog/ Tractor ser- vice. Debris haul. Lic. & Ins. LOT CLEARING AND FILL (9411-637-5750 or 661-7518 ORABL SENIO.R Lic/Insured Free Estimates AFFORDABLE SENIOR call Ray or Carol SANDEFUR'S HOME CARE BY ANGELS (941)-460-9395 TREE TRIMMING, ur caring home companions LAND SCAPING, ) help seniors live at home! Pete Root's Bush PRESSURE CLEANING & Weals, housework, shopping ete oosus MUCH MORE. 941-484-6042 errands & more. Up to Hog Service 4hrs. care. Top refs. We do Vacant lots, Acreage Tree's, wholesale. Oaks, hollys, things your way. License mowing, Hauling, Debris palms. Code trees delivered, #229499. removal. Serving PG, planting avail. Landscaping all VISITING ANGELS' PC, NP Arcadia areas. sizes. Lets Deal! 626-6612 941)-496-9600 Lic/Ins. (941)716-4814 S5130 MOVING/HAULING JANINE'S ADULT CARE LITTLE JOHN'S Venice, Private duty CNA, BUSh Hog Mowing. GIANGRASSO MOVING Dementia/Alzheimer's exp. Venn Port 493-6022 FLA. Mover Reg. No. IM407 Full range of care, errands, Ven/Engl/N. Port 493-6022 426-3095 home cooked meals, shop- ONE ITEM OR WHOLE HOUSE ping, cleaning, trustworthy 5085 FENCES HAULING YARD & & dedicated. (941)492-3011 CONSTRUCTION WASTE. ALL CHILDCARE FACILITIES IN-LINE FENCING Garage Clean Out..Trash. MUST INCLUDE WITH ADVER- Secure your yard. 426-6379 OR 914-2249 TISEMENT STATE OR LOCAL Reliable & Quality SKIP'S MOVING Local & AGENCY LICENSE NUMBER. Work Long Dist. 1 item or whole Caregivers For Seniors has 941-416-7430 house! Fla. Movers Reg.# now loving caregivers avail- IM1142 Lic. & Ins 766-1740 able to care for you loved one. Light housekeeping, laundry, 5100 HOME & COMM. 5140 PAINTING/ Transportation to doc. IMPRQV. 5 PAIN appointments; i:,-, L.. gr MP WALLPAPERING cery store,' meal prep. All Accurate Industries Dis- Caregivers had background count Hurricane Shutters Bobs Home Care- Painting checks and agency is windows rep. CGC038954 inside/out. Pressure Washing licensed, bonded and insured. 239-340-8167, 627-8515 Honey do's. Ref's. & Lic. Extremely affordable prices. 941-496-9131 223-0941 Please call Grit for more info. 941-625-6614 Lic.# HCS ALL IN ONE 228027 Family owned & operated for 25 years. Member Of Excellent PAINTER Inte- ENERGETIC Ex-nannie & Venice Chamber of Com- rior/Exterior. Reliable, Preschool Teacher looking for merace. We are a reli- licensed & insured. Call babysitting or Nannie position, able contractor who can (941)-769-1681 cell Over 10 yrs exp (941-426-5030 do-it-all" Additions, hur- ENERGETIC Ex-nannie & ricane shutter installation. Painting & Pressure Washing, Preschool Teacher looking for garages, apt's, any spe- nt o r babysitting or Nannie position, cialty work. Lic. & Ins. County only. 6 yrs. in Venice Over 10 yrs exp (941)426-5030 941-492-4668 area. Handyman services available too! (941)-473-7509 FLORIDA STATE LAW requires ALL MASONRY: Block, brick, all child care centers and day glass block. Small jobs. 5165 POOL SERVICES care businesses to register Call Rodney Champagne with the State of .Florida. The Masonry Inc 941-228-8448 'POOL REMODELING* Sun Newspapers will not T P d ip h e lats knowingly accept advertising ALL TYPES OF CONSTRUC- Update your pool w/the latest which is'in violation of the law. TION SERVICES NO JOB TOO Pebble Finishes. Tile, Decking, SMALL CALL FOR FREE ESTI- Plastering, Add Water Fea- LIC. ASSISTED LIVING MATE Call 941-626-1230 tures, Free Estimates. Lic & Exceptional Care, small Ins. SHARP POOLS & SPAS environment, nutritious An Occupational License may 941-468-4058 meals, prof. refs. 488-6565 be required by the City and/or PERSONAL ASSISTANT Care- County. Please call the appro- 5185 ROOFING giver/companion, Experi- private occupational licensing 5185ROOFING enced & References. bureau to verifyBRUCE HENGST ROOFING 941-473-9137 ATT: CHARLOTTE & REROnnOFS & REPAIRS 5053 COMPUTER SERVICE COMPUTER TUTOR & REPAIR IN YOUR HOME OR OFFICE 10% Sr. Disc. 0 Reasonable 0 Prompt 941-587-2259 COMPUTER URGENT CARE Repairs/Networking computerurgentcare.com 941-525-0064 5054 CONTRACTORS HEM BUILDERS A fully insured Certified General Contractor, has Carpenters Laborers Painters Leadmen for Comm./Residential. 23 yrs. experience. (941)-743-6955 5060 DOMESTIC CLEANING SERV. A Total Kleen Sweep, Inc. One call cleans it all... Caring professionals Licensed & Insured FREE ESTIMATES!!! Wendy @ (941)234-7298 ANGELA'S CLEANING SVC, Reli- able, dependable w/refs. Win- dow/screen cleaning avail. Lic. 99010084407. 941-650-1056 EASIER FLORIDA LIVING, INC. Senior and shut-in chore ser- vices. Light housekeeping, shopping and transp. Lic., Bonded, Ins. 941-627-0062. EXPERT CLEANING & PROP- ERTY MGMT exint references, law enforcement background 941-423-2210 or 697-8309 Housekeeper 15 yrs. experience with references. Natalie (941)697-0712 SARASOTA BUSINESSES DUMPSTER PADS INSTALLED. As per your approved plan, WF Griesmeyer Masonry Inc. (941)-698-6907 or 941-286-5196 Lic., Insured., Experienced COMPLETE DRYWALL SER- VICE Hang, Finish, Texture, Small job specialists. Lic. & Ins. (941)-429-8197 * CONCRETE * High Quality Low Price Driveway, sidewalks, patios LICENSED & INSURED Free Estimates-00000 Singles, Tile, Metal. We do it all. Repairs & Re-Roof. 10% discount with this ad. 5230 MISCELLANEOUS COMPUTER DESK $50; Hi Back ofc chair $150; 20" 6000 *4 1D.k BUSINESS SERVICES SU N NEWSPAPERS PUNTA GORDA OFFICE NOW OPEN FOR ALL CUSTOMER SERVICE BUSINESS 331 SULLIVAN ST (Olive green 2- story house, 1st fl. Corner nf West ...........-...i Boys bike $10; Chair/foot CONCRETE stool $25; LePresse $10; 6025 ARTS AND Driveways, Sidewalks, (9411-475-2727 CRAFTS & Room Additions Michael Hodge CALLING ALL VENDORS 941-743-4364 Are you looking for a place to Hr IT OUT! display & sell your arts & crafts? Home Improvements, Pressure F Vei CIng, Bathroom, Kitchen, Use the Handy 0 In Our New Friends of the Venice Doors, Windows, Tile Work, Int Improved Garage Sale Ads To Comm Ctr are sponsoring &Ext. Painting. (941)-830-1530 Mark The Locations You Want an Arts & Crafts Festival H e Im t To Check Out For Great Bar- Nov. 11 & 12th, Venice Home Imrovement, & . Comm Ctr, 326 S. Nokomis Handyman Services. No gains. Ave. ARE YOU INTEREST- - job too small. 25 years ED? Call: Irene Barber at experience. Call Robert 941-497-5438 Hangholt (941) 268-6455 ARE YOU ONLINE? INTERIOR PAINTING, TILE, INCREASE YOUR 6030 HOUSEHOLD INTERIOR PAINTING, TILE, EXPOSURE! DOORS, TRIM, REMODELING. Add your internet address GOODS 35 YEARS EXPERIENCE. to your ad for a little extra! Call Harry (941)-408-0813 $100 100% ALL NEW KING Screen King. Lanais, Front $100; FULL OR QUEEN $75; Entrys, Pool Cage Repairs, ~F VISCO MEMORY FOAM. Rescreens. No job too big QUEEN $295; With warranty or small. FREE Estimates can delive (941).234-8019 Low Prices. 941-505-8827 ADVERTISE! (3) 30"H custom-made BAR THE CARPENTER, cabinetry, STOOLS. Black iron w/multi colored slate back. Gorgeous! rotted wood, doors, windows, Advertise in Sacrifice $300 (941)-492- counters, soffit, fascia. Te 5045 #RROO67689. Phil 627-0657 The ClaSSlfieds! 54 MINT KLEEN Cleaning Serv We bring the old-fashioned "MINT ON YOUR PILLOW' Free Estimates (941)237-8988 5071 ENTERTAINMENT CARD PLAYERS WANTED Hold Em & Omaha. * A Dealer Needed Local game Call 504-8893 5080 BOBCAT/ BUSH HOG BOSMAN LANDDEVELOPMENT LOT CLEARING & ACREAGE, PONDS, HOME & MOBILE HOME DEMOLITION CLEAR, FILL & GRADE. LIC. & INSURED. 941-426-8234 BUSHOG & LIGHT LOADER WORK 941-475-7641 COUCH, exc. cond., 7' over (941)493-1391 all, soft colors, beautiful fab- MOVING ATORAGE Uniit ric, $200. PGI 941-639-6917. w/ Window AC, Mini Freezer, Patio set, Gym COUCH, saddle leather, 3 yrs. equipment and Much ld, enc. 1 )06. new' more. Buy it all BIG Dis- sell $400. (941-743-0678. count. (941)-697-6859 CURIO-glass shelves w/light, MOVING SALE: 3pc LvRm set wicker, white, $175/obo. $200; 2 gls top end tbls & 1 (941)497-4539, LV. MSG. gIs top cof tbl $75; 2 granite Dark pine hutch $100. Stu- top ocasl tbls $75ea; gis top dent desk $15. (941)-629- cof tbi $50; 3dwr Maple chest 0373 $50. 639-8480 607,5 ANTIQUE AUCTION OPEN TO THE PUBLIC WED OCt 25. 6PM Huge Auction Inc: Antique furnishings. FIRE ARMS, Rookwood & Roseville pottery, collec- tion of Cloisonne, jewel- ry, art, unusual lighting, fine glass. See Webste For Photos Wdw .;arad--.jI3uc ron i.-m Pwiew 4PM Day Of Sae Sarasota Auction 625 N. Tamiami Tr, Nokomis. Jeff Carlson Auctioneer AB896. AU1299 12% BP, Cash, Chk. CC 485-3141 CHRISTMAS AUCTION!! STues Oct. 24 @ 7pm, Gifts, Toys, Tools DCSO Toys for Children Collection Box ASAA, LLC (863)-494-1888 AB-1994 AU-2904 OPEN HOUSE !!! Thursday, Oct. 26th 5pm-7pm Avon, Mary Kay Pampered Chef, Home Interiors and Tupperware!! Door Prizes, Raffles, and Snacks CHRISTMAS IDEAS Arcadia Small Animal Auction, LLC 863-990-7157 or 863-990-6898 AB-1994 AU-2904 Public Auction October 28, 9:00 AM 196 State Road 62 Wauchula, FL Quality Consignments Welcome Call 863-773-6600 Tractors, Farm Equip., Const. Mach., Trucks, ATV's, and More Terry DeMott, SR, Auctioneer AU1833 AB1285 Linc, full headboards, bed- spread, box spring & mattress in mint cond. $300 (941)- 493-7642 WASHER & DRYER, KING BOXSPRING & MATTRESS IN GOOD CONDITION, STOVE. $200 FOR ALL OR 080 MAKE OFFER ON KING BEDROOM SET (941)475-5523 WASHER/DRYER, brand new stackable or non-stackable, $1000 (570)466-9251 Iv msg 6030 HOUSEHOLD 6030 HOUSEHOLD GOODS GOODS 1 Weapons SAFE Chal- Diningroom Set Broyhill, table, lenger-25 25x31x60 6 chairs, lighted hutch, beige 8001bs Digital Combo with gold *trim, very good Lock $1,300 OBO. Call cond. $475. Dinette set, wick- Chuck 941-830-1144 er, aqua, round glass top 36", 2 BEDMASTER Mattresses, 4 chairs, 2 bar chairs, exc. 2 BEDMASTER Mattresses, condo. $250 **SOLD!** new condition, 75x33x9, cost cond. $250, SOLD! over $300 new, asking $125. DINETTE Beautiful glass top Call 941-637-9253. w/4 chairs, like new, beige. 2 END TABLES, GLASS TOP, $160. (941)485-0557 OAK, MEDIUM COLOR. $40. Dinette set 7 piece, white, 4 CALL 941-743-5719 chairs 24"h, w/2 matching 2 houses of quality furn. 2 stools,like new, $300. obo. full wall ent. cents, sofas, (941-743-0308 recliners, bdrm. 627-4166 DINETTE SET w/ Hutch, All or 743-8624 wood. $225., WOOD CURIO, 27" TV, 3yrs. old $105. Enter- lighted w/ glass shelves, tainment center, good cond., $2001, CONSOLE TV, $25. $45. 30gallon aquarium (9411-628-0638 w/stand & all equip., $65. Dinette Set, 4 upholstered (941)-637-4613 swivel chairs & new oak table. 3 PIECE, 84" Light Oak Enter- $375, (941)-627-1840 tainment Center $325. Beige DINETTE TABLE, 42", Leather Rocker Recliner $125. Round/Hex, Mahogany ,w/ 4 2 Beige Fossil Stone 28" Lamps chairs on casters. Chippen- $50/ea. (941)488-5595 dale's by Drexel. $299. (941)- A ABSOLUTE BARGAIN BED 575-7990 All sizes, All brand new with DINING ROOM SET, Ig. table, 6 warr. 50-80% off Can chairs, 1 leaf, table pads, 2 deliver. 941-875-7726 pc. lighted hutch, beautiful A BRAND NAME queen pillow- hardwood, recently reuphol- top mattress SET. New with steered chairs. $300. Call warranty. Can deliver. $135. (941)-629-5193 (941)-234-8019 DINING room table & 6 chairs, A FURNITURE SHOPPE solid cherry wood, 54" round 1552 S. McCall Rd., Engl. w/ 2- 9" leaves, $700. (941)- Buying Quality Used Furn. 575-1916 M-F 10-4. 941-473-1986 DINING ROOMS Formal Ital- A/C, 5000 BTU'S, BARELY ian dining rm, 6 chairs, side USED $50 (941)460-9994 table, never used, cost $2000 USED 50 (941)460-9994 selling for $675; 2nd Dining ALL BRAND New king pillow- rm casual, beveled glass top, top SET. Brand name with 6 chairs all new cushions, fact. warranty. $195. Can cost $700 selling for $375. deliver. (941)-234-8019 Call 941-743-4944 after 6pm ARMOIRE WARDROBE Unfin- or 941416-5454 days shed wood, Like New 73"Hx39"Wx23.5D, 3 Shelves ENT. CENTER. Solid wood, .$200/obo (941)240-8600 High quality. Like new cond. BAR STOOLS, 4/ 24", Med. Holds 27"TV, lights, storage, Oak legs, backs, arms, swivel, etc... $175. 941-4924686 upholstered seats. Beautiful. Venice $360. PGI 586-322-4369 Entertainment Center in Gold- FOA ,, .~ en Oak, fits large screen TV, BED $119. AFFORDABLE paid 1,150, sell for $250, ALL BRAND NEW QUEEN OR (863)-884-9778 FULL KING $189 NEW IN PLASTIC W/ARRANTYCAN DELIVER 941-518-4787 HABITAT FOR HUMANITY BED $389 A AUTHENTIC ReSale Store NEW NASA VISCO MEMO- PepRiae current home f u'- RY FOAM FULL OR QUEEN nshins from living to dining SIZE; KING S489; NEW IN [i bedroom or rust have furi PLASTIC With WARR. redecorating. On Boca adjustables from S889 CAN Grande Bld in Prita Gorda DELIVER941-518-4787 clH US41 cross from Palm .,,, r.1nr E,-, Autormall Stcgr hours are I , i,, I- .?. TuesSat 9a3rr,4prr, Bed, QUEEN Matt/Box. New, Household furniture, Livin- still in plastic. Will sacrifice ou i r e $169. 941-629-5550 groom, Diningroom & Bed- or 941-456-5555 room. B/O (301)-452-2822 Bedil MatthAND Box.. Still I BUY plastic. Must sell $99. 941- FURNITURE ODR 629-5550 or 456-5555 @" i OF VALUE BED, all solid wood, cherry PIECE OR ENTIRE sleigh bed w/mattress st, CEORENTIRE NEW in boxes. $390. ESTATE 941-485-4964 Can deliver. (941)-234-8019 KITCHEN TABLE w/ 4 chairs BED, Broyhill, Pleasant Isle, on casters. Excellent condi- Queen, LIKE NEW, no mat- tion! $500. (941)-764-7872 tress, $200 OBO (941)697- 8161 or (203)927-6977 LANAI SET- 50's 6 pcs., wrought iron, incl. glasstop BED, never used, Qn Sz, mat- table. Perfect condition! tress, box spring & bed frame. $500. obo (9411-629-3915 Must sell $450 (570)466-9251 BED, Queen, Head, Footboard LARGE COMPUTER DESK & Side Rails, TELL CITY, Hard ARMOR STYLEc Rock Maple, Model 8116, Exc. Wood grain composite, Cond. $250 (941)488-7460 very good condition. BED: a absolute deal, Nasa Call 375-3256 memory foam matt qn $398; kg $498 original LIVING ROOM SET, 3 pc. black Tempurpedic from $698; leather, Sofa, loveseat & all sizes. 25 year warranty chair. $450. (9411)-639-5843 mattressdr.com 4305 Lt Oak Table, 4 mate chrs, 2 Clark Rd Sarasota Free Cap chrs, 2 stools. $500. Ex fast delivery 941-921-4010 cond,Badcock furn 743-5013 Bedroom Set, Headbd dress- er w/ mirror & chest of draws MATTRESS S119 Cherry $200. (941)-488-1845 ABSOLUTE AFFORDABLE ALL BRAND NEW BEDROOM SET- 6 pc. Queen QUEEN OR FULL KING also pillowtop mattress. Used $189 IN PLASTIC W/ 2 months. Pd. $1500. Sell WARRANTY CAN DELIVER $950. 941-743-6726 or 941- 941-518-4787 743-2326 BEDROOM SUITE King Bed MATTRESS $389 with light bridge dresser & AFFORDABLE NEW ALL desk. Stanley made, Lots of NASA VISCO MIAEMORY storage + 21 draws, Asking FOAM QUEEN OR FULL $500/obo 941-485-0199 SIZE KING $489 IN PLASTIC W/WARRANWMWY CAN BVRR BEDS: 2 Complete Twin with 941-518-4787 custom Fairy Tale Fabric head- boards, with matching dust MATTRESS & BOXSPRING ruffle, beds seldom used. Queen Size, average condi- $250/both. Green couderoy tion, $25 (941)-423-2323 fabric double bed, headboard, MATTRES footboard and rails, mattress MATTRESS and boxspring and boxspring. $100. Maple w/heavy duty bed frame, bureau $50, Boot cover for queen, great cond. $125. Sebring Convertible $50 Maytag small air conditioner (941)-473-8973 $75. Call 941-661-8842. Central A/C/Air Handlers MAI TRESS WHOLESALE Attn: Do it your sellers. Every- WAREHOUSE PRICING. thing you need. Brand new. ALL SIZES; ALL NEW W/ Starting $999 (941)-257-0454 WARRANTY CAN DELIVER. Chase lounge chair, Queen Anne style sofa & love seat, MATTRESS: a absolute deal, Lg sofa, All $500. Sell togeth- Nasa memory foam matt qn er or separate 743-5836 $398; kg $498 original C Tempurpedic from $698; Chest of Drawers, solid oak all sizes 25 year warranty w/mirror, contemporary style, mattressdr.com 4305 Clark paid $1,695, sell for $300, Rd Sarasota. Free fast (863)-884-9778 delivery 941-921-4010 CHINA CABINET, 5'WX6'4"T, MOVING 2 King mattress more modern w/glass shelves sets w/frames, older $50, & Its, med brown wood. newer $150. Dining table $300/obo (941)-468-6417 w/18" leaf, 6 chairs, large Chrome dinette set, 48"glass china cabinet, $225. Newer top table, 4 caster chairs. Kitchen table, 4-chairs, $150. $300obo. 941- 639-9530 Call Mon-Fri. aft. 6PM for appt. 6030 HOUSEHOLD GOODS MOVING SALE Dining Room Set: Table, 4 chairs, hutch, server, $1600. Twin Bed Set, Futon, Ham- mond Organ, Freezer (Ken- more), Glass Wall Unit, $1600. Grandmother's Clock (Howard Miller) ,$300. TV plus Cabinet & Access, $200. (941) 629 4861 MOVING SALE: A Murray Rid- ing mower 13.5 HP w/40" cut. $650, like new & other power tools. Cherry dining room $600. Kitchen set "Pale Maple" $300. Leather love seat, bisque $150. Hand painted lamp $40. 2) Bikes, mens/ladies. 629-9913 Enter your classified ad online and pay with your credit card. It's fast, easy, and convenient. Go to sun-herald.com/classi- fieds. Fast Convenient Easy Sun-Herald.com/classifieds (Visa or Mastercard) SUNA) Old World Nautical 2 end tables, coffee table, Bombay cabinet, couch table, tall cabi- net. Paid $2,600, sell $1,000, (863)-884-9778 Patio PVC Sofa & Glider Chair 9 mo. Old Extra Cushion. Bought $575 sell $325 (863)- 993-0046 Patio Set, table, 2 swivel cush- ioned chairs, glider love seat $90. 941-639-6464 EngI UN EWSPAPERS QUEEN BEDROOM SET WITH MATTRESS & BOX- SPRING, STORAGE UNIT HEADBOARD, 2 NIGHT STANDS, TRIPLE DRESSER & MIRROR. BEIGE. GOOD CON- DITION. $350/OBO. (941)- 661-6299 RAINBOW VACUUM CLEANER $1700 (941-237-1062 Recliner, Barcolounger, rattan, medium blue, custom, nice, 49.95, (941)-627-0683 SECTIONAL 12' white on white sofa, like new, $299. Green leather recliner, $75. (941)- 505-0815 SECTIONAL SOFA & coffee table $350. Very good cond. (941-426-2233 SOFA, 7' Flora Sleeper, Excel- lent condition! $200., COFFEE TABLES w/ 2 matching cherry end tables, $150. (941)-505- 5735 Burnt Store Isles SOFA, Beige w/ double reclin- ers, & massage feature. NEW $500 (941)474-2386 SOFA, Microfiber suede, 4 mos. old, dark Taupe, $300 Refrigerator, GE, white, almost new, 2 mos. old, $300 Call (941)-4964514 SOFA, RUST COLORED w/ Floral background, perfect cond. $75 (941)-484-1437 Trundle bed, solid maple wood, new mattresses, like new $300 obo, can deliver (941-637-1736 TWIN BEDS made by Henry Sunday, Oct. 22, 2006, Real Estate Classified Page 9 6030 HOUSEHOLD GOODS WHOLESALE FURNITURE Bedroom, Dining room Living room & more. Many to choose from. 50-80% off Retail. Pkg deals avail. Can Deliver 941-875-7726 WIN UP TO $500!! JUST GIVE US YOUR OPINION OF THE VENICE GONDOLIER SUN! You will be entered to win GRAND PRIZE $500 CASH! 1ST PRIZE 6060 COMPUTER EQUIPMENT NEED AN EMPLOYER WHO IS-= $100 NEW & REFURBISHED CROWS NEST GIFT COMPUTERS, also repairs. CARD Training provided in your home. John 941-234-7249 2ND PRIZE $50 Bogey's Gift Card 3RD PRIZE $50 Publix Gift 6065 CLOTHING/ JEWELRY S rI'biza A Secret Boutique Hamilton Square QA1.Ajn j.ji icn 6095 MEDICAL 6130 SPORTING 6160 LAWN & GARDEN GOODS 2001 SAFARI SCOOTER Barely used, cost $2300, Sell BERETTA 12 guage auto for S500/obo(941)423-2169 BERETTA 12 guage auto for $500/obo(944232169 model AL390, never fired GENERATOR 5250 running JAZZY/ Scooter chair, 4 $450. 941-468-4230 Watts, 7250 starting Watts wheel, cost $5800, used 2 Briggs & Stratton. GAS mos. 6 mos wrrnty, $975. Lift BLACK powder rifles, 45, 50 Chainsaw, Poulan 16" also avail. Chair is local. Cell & 54 cal. New in box, CVA Black Hawk with case. number (941)-423-4516 Brand $165. Silo brand, CRAFTSMAN 20HP Mower, $200. Hawken style. 941- 48" cut. GAS Weed Wack- Lift Chair, Teal Blue, Plush, 255-9519 er. SELF propelled Mower. Ex Cond, $200. Must Sell 941-624-5998 Electric reels ELECTRO 20' EXTENSION aluminum MATE Model 440XP, w/ Ladder. (941) 235-0103. Recliner Massage Chair, 14 113H Penn Reels New John Deere Rider, excellent settings, black vinyl, exc. $500 Sacrafice $225. condition. Battery needs cond. $500 (941)-423-3956 (941)-468-1489 charging. $400. 3914988 Wheelchair w/footrests, $120. 3 wheel walker $85. LOWRANCE WAY 500c GPS. LAWN MOWER, 52" Englewood 941474-7387 $499.00 Firm!! Exmark, commercial 941-7434619 mower 23 hp Kolh engine, 6110TREES & PLANTS MARLIN Bolt 12ga Goose Gun, 941-255-98runs great, $4000 obo outer pitted bad, wall hanger BAMBOO $45. 941-474-0332 LAWN TRACTOR, JOHN Bamboo farm Metal Detector Depth DEERE, 42" CUT, 20HP, Metal Det display. Paid $100.epth $1100. CALL 941-627-5848 941-505-8400 target display. Paid $100. 9Asking $75 *SOLD!* MOWER MTD-Signature, 18 BOUGANVILLA, Viburnum hp, 42" cut, double bagger, Great for privacy hedge, Black Remington, Model 48Sports- greatcondition $465 941- Olives, Pigmy & Fox Tail man, semi-auto, 12 ga., exc., 764-0218 Palms +Manyother $325, Winchester, 16 ga,764 Reasonableprices 941-488-7291 Model 12, pump w/williams MOWER, Murray rider, $400. sight, $525 (941)493-5649 3 section 4'x4' scaffold w/ FREE REMOVAL OF braces, $150. 941-624-0852 Washingtonia's, Queen palms Slate pool table, new green, & braces, $150. 941-624-0852 up to 30'. We pay cash for bumpers $500. Deluxe weight MULCH PLUG for Craftsman Pineapples, Sylvesters, & bench $50. (941-629-0373 Tractor Mower Deck $25. Reclanata Palms. Thompson Center Encore Pis- 941474-0332 NO CABBAGE/SABAL PALMS tol 223 cal., 15" S.S. barrel & MURRAY RIDING MOWER, 941-485-9107 OR action, composite grip & fore- 17HP, 42" cut, auto, ex cond. 863-491-8193 hand, 7 power Tasco custom $550/firm. (941)429-7617 scope w/case. $550 CASH. 6120 BABY ITEMS (941)-637-1236 Murry Riding Mower, 7 yrs. old. exc. cond., $400 (941Y- Card Bed Gautier (France) Formula THURS. OCT. 26TH TO ENTER, GO TO FALL RE-OPENING 1 Racing Car bed w/ rear 1 4 ENTER, T HOLLY IS BACK!! spoiler. $350. 941-505-8602 Mon 10-1, Tues 10-3, A *PON Wed, 10-1, Thur 10-1 6125 GOLF 6040 TV/STEREO/RADIO 6070 ANTIQUES ACCESSORIES 6:30-10pm 712 E. Venice COLLECTIBLES 1994 Club car, charger, roof, AV. Regal Gold 8 Gun 12TV, TRITRON, lights, side curtians & more. 941-485-6360 LIKE NEW $120. ALWAYS BUYING CHINA Nice $1375. SOLD! VIRGINIAN Dragoon 44 mag. CALL 941-743-5719 Antiques, Paintings, Silver 1997 CLUB CART single action, 6" Barrel stain- 60" PHILLIPS Hi Definition Big New England Antiques Electric Golf Cart $750 less, $450. (941) 276-3167. Screen TV, like new, less than (941) 639 -9338 Call 941456-3634 1 yr. old $950 941-815-1789 WANTED: MODEL T FORD 1 yr. parts, books, magazines, man- 2001 Club Car-LIKE NEW. Lift 6135 BICYCLES/ 60" Zenith TV HD Com- pals, ok mazin man kit with tires & wheels, TRICYCLES patible never had prob- uas 941-408-9601 includes charger. $2500/firm lems awesome picture for Antique Secretary, claw feet, 941-716-1313 20" Blue/Silver Mongoose those football games mahogony w/tiger maple trim. $1200 obo $695,9 (941-627-0683 CLUB CAR, excellent condi- BMX Bike, LIKE NEW. 941-764-7620 tion, new brakes, tires & $55.00 (941)485-7462 or 8 strand bamboo set, wheels, plus more. $1700. (941)223-2558 PANASONIC 38" Color TV very 7 pieces, (941)-460-0470- Call Dave **SOLD** 6" BLUE HUFFY BIKE, like good cond. $200./obo (941)- Murphy Bed, original, ornate EZ GO GOLF CART Elect, w new; Also, used ladies bike 497-4166 oak piece, $2,000, (863)-884- charger, 2 seater, wind- $110/both (941)-966-2730 9778 shield, full canvas, good 6060 COMPUTER ANTIQUE WARDROBE TRUNK tires, runs great. Can deliv- 6138 TOYS EQUIPMENT Very good cond. $125/obo er. $1100 941-474-7696 (9411-257-8358 Golf cart, Club Car, excellent FOR -SALE Dollhouse, 12 (941) 629-6337 Call Dave for OLD SHEET MUSIC, 40's & condition, with charger, rooms w/acces., $300 obo. in-house/office & computer before, $1 per sheet. (941)- $650 941-716-4487 941-423-8009 after 6pm. repair & set up. Serv. Char. 235-0638 Co. 8+ yrs. No local trip fee 6 Ho Train board, 3 tracks, COMPUTER REPAIR In-Home 6090 MUSICAL 128 power pack, whistle & horn. COMPUTER REPAIR- In-Home 6090 MUSICAL EXERCISE/FITNESS $55. Call 941-624-6384 & Office: Senior Discount & No local trip fees. Call Ray at CLARINET, BUNDY/SELMER 9,j_ ?u,6 ", A, TeCr, w/case. nice $135, Silver BUYING & SELLING USED 6145 POOUSPA/ F h(e, A Frrmi~,:,rgr ,: .ei Tr.T,,.i .Exercise bikes; & SUPPLIES L,,merTi.6h 21-00 irenl-, Itel $130, stddnt violin, almost weight equip., Schwinn Force Celeron Processor, 900mhz, new $95 (941)493-5649 by Nautilus Bowflex for 128mb, 17" monitor, mcrosoft $599.95. Play It Again Hot Springslassic Hottub, all software,1keyboard,omousemLex- ESTEY BABY GRAND PIANO Sports. US41, Just South fiberglass, exc condo, just ser- mark Z42 printer, both in exc. Perfect, $1800 obo of Midway. 941-255-1378 voiced, $2,000 1941400-7264 cond. $150/all (941)698-1066 Call 941.544-7445 ELECTRIC TREADMILL Ex HOT TUB 7X7 Custom 39 jets, E-Machines Computer, NEW FENDER GUITAR, Strat, cond. $125; BODY BY JAKE 7 person w/2 per. lounge Org 500 obo 863-233-2864 w/Marshall Amp, w/Acces Total body trainer $75, Mans $5K Sell $2000. (941697-1291 HP Complete computer series ALL AS NEW. $300 26" Key west cruiser New SPA, seats 5, never used, 5hp HP Complete computer sys .(941)429-5353 $65. 941-421-9291 24 jets, stereo, color TV with scanner & printer $100; GUITAR. Augustino USA M-15 ,HP Scanner w/ adaptor,$30. dreadnaught. $385 cash. Pilates full body workout $1,995 (941)-755-9813 (941)-475-0127 941492-6090. 10AM 4PM. machine, like new cond., $75 (941)-639-7355 6160 LAWN & GARDEN HP 500mhz 5.2 GB HD, 128 PIANO'S 1 Acrosonic 75 RAM, 17" monitor, modem, yrs. $400. 1 Upright over Welder Pro weight bench plus more $90obo 941-697-4355 100 yrs. $800. Call 941-575- 150 lbs. weights. Used once. 17" Craftsman Rototiller, Self- 1295 or 941-626-6165. $150, (941)-625-9642 prop, 6.5hp, Mint, used once, LAPTOP, '04 Pentium III, DVD, $400. Robert 941- 623-5439 wireless internet, case. Good PIANO, Baldwin/Hamilton 6130 SPORTING cond., $325. 954-394-1370 Console. Very good cond. 2007 48" Toro Commer- Bench. Dehumidifier. GOODS cial Zero Turn Mower, LARGE COMPUTER DESK You move. $1,995. Eves Kawasaki 23HP Engine, ARMOIR STYLE (863)-494-5939 1 Weapons SAFE Chal- 250 hrs. Still like new Wood grain composite, very i ,r-25 25x31x60 $5,799 (941)485-7462 or good condition. $100 OBO Piano, upright, antique, made lenger-25 25941223-2558 Call 375-3256 by Mengelsfohn, perfect cond 8001bs Digital Combo (941)223-2558 $575 (941)473-4168 Lock $1,300 OBO. Call FED UP? New rider not ,LARGE COMPUTER DESK, TENOR SAX, Keilworth, case Chuck 941-830-1144 working? Needing repair? 31X60, lots of storage, It oak. and accessories. Very good 1868 SPRINGFIELD trap door Will buy. Pay Cash. Will pick $50 (941)474-6712 condition. $450. firm. riffle, 50/70 cal. $1200. up. (941)429-0079 Mac G3 computer with all 941-266-3238, leave msg. (941)-743-3838 needed accessories $50. WANTED Saxophone or other AMT 45Acp Backup stain- Also, 2 laptops $50 each! horn in any condition. Will pay less subcompact 6Rd., 941-539-2803. cash. (941)-735-2087 $425.00. (941) 276-3167. 497-4208 323 Rigel Rd. Ven Won't last Riders Craftsman, 18.5HP, 42" cut, like new, $300 firm (941)429-0079 6165 STORAGE SHEDS/ BUILDINGS 10X20 Metal shed cream w/elec. and oversized door $3000. that's about $1700 below new cost. IT'S LIKE NEW!!! i CALL (941) 625-5259 16x20 barn kit. PGT 3" thick insulated panels. Everything but the fasten- ers, door & floor. $1500.00 475-0870 SHED, 10X16 2 mos old. insu- lated w/window A/C, $3100. w/moving incl. 941-764-1361 6170 BUILDING SUPPLIES 100% recycled plastic dock boards, $3.50/LF. No rot, no splinters, cut to size. Free local del. Lic & Ins. installation avail. Call Dave 941-809-5277 20' Fiberglass Ext. Ladder, $100 286-6255 250' of complete chain link fencing w/posts & everything else. You come & take down. $500. (941)-268-4800 ALUMINUM FENCING, white,. Model homes are gone, now fence must go. $500. Call (9411-929-2255 DESIGNER LAMINATED FLOORING Never used. 30% thicker. $.79 sq. ft. Must sell. 239-334-4839 FREE lanai vinyl door enclo- sure w/4 sliding drs, all hard- ware incl, fits rough opening 7'7"Hx11'3"L. GONE!! 6170 BUILDING SUPPLIES 6190 TOOLS/ 6230 PETS & MACHINERY LIVESTOCK PRESSURE WASHER, new Breeding cage for Rats/Mice 30 '' w W w 1 l400psi, 120V. 1.6gpm. $45 individual cages in one, on .IAITAT FOR (941)408-2724 S Venice wheels, all stainless, high quality, HUMANITY like new $275 (941)4686768 Home Improvement Ctr. Rockwell Delta Lathe, 34" cen- We have a selection of ters, 7" swing. All cast iron Bunny w/ large cage, and all new apd gently used "oldie but goodie". $70. 941- accessories. Litter trained! no building material 629-8769 child under 10, pref exper- itworforce prices. inced bunny lovers, I have a good reason please call! The proceeds help in SAND BLASTING CABINET, $20. 941-302-1308 .building affordable bench model, lighted, homes for those in need. 30x20x20, $98.50 obo. Chi hua hua puppies, CKC, 3 On 776 just west of Diamond Glass* Grinder (for females & 1 male, vet check, Sam's Club stained glass work) $25 obo. 1st shots, 8 wks .10/26. 941-206-2606 Call 941-235-0638. $600-$800 (941)408-9257 ^ *' SEWER MACHINE, King CHIHUAHUA PUPS, Long Cobra. New! 75' x 3/8" cable. coat, 1 M, 1 F. Ready HOT WATER Heater, Tankless, $75. *SOLD!* to go! $650 each. Elec. Unlimited hot water, (863)-558-0880 energy saving unused in box 6195 FARM EQUIPMENT COCKATIEL, Young friendly $325, (941)429-9530 grey male with large cage, KIT. sink. Krohler cast iron, 12' WHEEL DISC, $300. obo $50 both. 407-497-0904 double basin, 33Lx22W, $65. *SOLD!* FARRETS (3) White farrets Englewood 941474-7387 58 FORD diesel tractor, finish with large cage. $250. Vinyl Windows & Doors mower, bush hog, box blade & (941)-697-3239 (5) 48"x55H, (3) 36"X55H, more. (941)-286-4796 FREE TO GOOD HOME- (2) 36x80H doors, used 3 ys. Kittens. (941-743-8656 or $500 (941)270-6118 6220 OFFICE/BUSINESS (941-625-0664 Window Awnings, 118x68, EQUIPJSUPPLIES Golden Retriever puppy, ACA 38x32, 1(2) 32x60, 37x52 reg., light blond, $650. Call $300 obo (941)473-4168 Beige file cabinets (8) legal & for more info. 941-625-7208 WINDOWS BRAND NEW, STILL letter 2 drawers each, good GREEN WING MACAW IN FACTORY BOX. VINYL $79. condition Engl (941)416-3829 4 yrs old, talks, friendly, 941-629-4444 COMPLETE YOUR NEW beautiful brand new cage. OFFICE, 3 Italian made execu- $1200 , 6180 HEAVY/CONST. tive desks, (8) 5-drawer tall 941-408-0775 EQUIPMENT file cabinets, phone systems HAVANESE/fOM MIX Beauti- too many to name, fax, copi- fulshots, 7 wks, $500, 1994 Heavy uri F350 crew scanner, 3 very large dry(941)42 7 wks, 5006737 erase boards, magnetic, (941)429-6737 cab dump truck, diesel, black leather sofa. Call for HORSE: Black & white mare, $6,000/obo. (941-769-1081 prices. 941-2684800 TW- 5yrs. 15hh, gated, 1999 Freightliner FL70 Dump HUNDREDS OF Pre-owned $3,900. obo. (941)-628-8009 Truck, 311 Cat engine, new desks, files, chairs, confer- Kittens, Cute & lovable. 1 Cal- nditoi n! $18,000. 19411- ence tables, partitions, work- ico, 1Black w/white under- 575-1927 stations. All at huge savings! coat. $25. ea(941) 6244116 ,OFFICE OUTFITTERS 881 E Venice Ave., Venice Lab puppies, Old English, 6190TOOLS/ 485-7015 or 800-330-9215 AKC reg., excellent bloodline. Chocolates and Reds. Shots, MACHINERY PANASONIC VB42050 office health certs. Ready now. 2 32', (1 phone system w/ 3 phones, $650/neg. 941-235-1245 (2) 32', (1) 28' fiberglass $200/obo. (941)-637-4869 LBPUP, A + ACA extension ladders, $150 ea. LAB PUPS, AKC + ACA, obo, (941-240-2614 chipped, dew claws, $600, 6225 RESTAURANT ready 11/1 (941)429-8666 (4) Ridgid 18V screw guns SUPPLIES w/chargers, 2 batteries & LABRADOODEE, black &white bag, less than 6 mos. old. COMMERCIAL OVEN parti, 18 months old, papers, Regular $250, sell forbaking. 3 full sheets. $750, obo. 941-625-7016. $75/ea/obo, (941)-240-2614 941-286-3785 LABRADOR, Choc., 9 wks old, 10' metal brake, less than 1 parents AKC, health cert. & year old, cost $2,700, sell 6230 PETS & shots, $475. (941)685-7740. $1,500 obo (941)-240-2614 LIVESTOCK LOVE PETS? 24' aluminum stage, new WANT TO MAKE $450, sell $250 obo, (941)- 1 yr old male German Shep- A DIFFERENCE? 240-2614 ard and Ig cage. Registered. VOLUNTEER AT Extension ladder, al- Having baby must sell. $350 Englewood Animal 0' extension ladder, alu-obo. 239-699-7725 pg Rescue Sanctuary. minum, used 1 X, orig. CALL US AT $1100, sell $800 obo, (941)- 2 COCKATIELS w/ cage. Col- (941) 475-0636 240-2614 orful, cute, under 2 yrs. $80. obo (941)-575-8187 MINI PINSCHERS 9wks pocket 8 1/4" sliding compound saw, size blackAan. Precious intelli- $40; Rockwell 10" table saw, 2 free kittens. Please, don't gent babies. $375 & $395 $100; Craftsman 10" table call'before 9am. *GONE!* (941)429-9373 saw, $100; 6" Grizzily jointer, $300; 15" planer, $300. Mini 2 HORSES- Reg. Appaloosa. MOLUCCAN Cockatoo $2000 Max T401 sliding table Mare is 18, Gelding is 8. Sulfer Crested Cockatoo shar er, rl, uid..22 Boarding in Englewood. Must $1'200:Call(941-624-4367'- e.[I LCj u- a.i ^... i '.. i 1 )(1 '; 1 131-4 i, -: $1250. (941-276-5576 'I I 0,, '' -l .ii-',1.h MONSTER 2 SIAMESE CATS Playtop ACET. TORCH, large bottles,9EacwCg rebuilt gges, new cart an 9mo. blue point female, 8 Macaw Cages hoses, many extras. $450 moro. seal point male, 40x3Ox72 obo. (9411-266-3238 Iv isg. $150/each (941)-769-6772 Limited Quantity sg. $349.99 AIR COMPRESSOR Husky 5HP, 4 PITT PUPPIES, READY TO Pet Owners Warehouse 22 Gal, like new $135; (941)- GO, 150. &UP Pet Owners Warehouse 488-1845 941i-697-2855 941- 627-4787 Airless Sprayer on wheels, 90 Gallon Oak Salt Water Fish Orange w ingeAmazon 4hp Honda, rarely used, Tank,Stand,Filters. Everything toys. Not loud like $200. Robert 941-623-5439 you need to set up this tank, most,very tame, not a no fish. $350. biter. Great pet.L$700 Chain Saw: 1,6", Craftsman EZ **.* DSOL* biter Great pet. $700 adjust. Never used $100. Call 941-629-5245 ADORABLE SHELTIE PUP- Pit Bull puppies (2) males, PIES AKC, $600 each. 941-p 1s 12as5 , Christmas Special, Machinist's 380-0591 or 941-456-4594 papers. 1st. shots. 5500, 1/4" Precision Albrecht Chuck (941-628-4465 or 815-5432 $47. 941-629-8144 Adorable Toy Poodles. Red, Playful, 3 yr. old Dog, mixed cafe ole and black. Great Hal- breed, neutered. Male. 70bs. CRAFTSMAN 10" electronic loween treat! AKC. 941-575- bree neutered. Male. 7bs Radial Arm Saw, with cabinet, 9195 941-815-2063 FREE! 94-484-3912 light, use. $150 941-637- POODLE Toy black male, 8181 BIRD CAGE, 64" flight cage w/papers. 2 yrs. $275. Great w/divider & stand. Almost new w/other dogs & cats. 941- Generator Briggs & Straon, $175. (941)-276-2561 95 or 94-626-6165. 5,550 watts, never been used, $650, (941)-637-8258 BLUE, PIT BULL, male, 85 RIDING LESSONS your farm lbs., stocky, good temperme- or mine, English or Western. GENERATOR, Coleman 6250, nt, papers & clean health. From Novice to advance. No 10OHP, New. $500/ obo (941)- $800. Call 941-628-3496 beginner class, avail. Also 815-1880 Border Collie puppies (2) horses for lease, for exp. rid- Miller Welder Elect. Start w/ Male, 14 weeks old, black & ers only. Tenn. Walkers to Generator $500. obo 941- white, ABC registered. $500 Thoroughbreds. For info 941- 628-5597 ea. (941)-624-0355 637-7448/941-456-1972 PG SUNCOAST BOATING 7330 BOATS-POWERED 7330 BOATS-POWERED 7330 BOATS-POWERED 7330 BOATS-POWERED 7330 BOATS-POWERED 7330 BOATS-POWERED 7330 BOATS-POWERED 7332 PERSONAL 7338 MARINE SUPPLY WATER VEHICLES & EQUIP. $$ CASH PAID $$ 16' Larson 1984, 140 h.p. 18' Prosports FF 1998, Flats 1997, 25' Sport Craft, Cabin, 20' GRADY WHITE, 1999 208 22' SAILFISH 218 WAC, For Your Boat or Yacht. Spd boat. Suzuki O.B., very boat, 115 h.p. Evinrude, low walk around, head, all excel-Adventure W/A, 2005 150hp-2004, Yamaha 150 hp, 4- SELL YOUR Seadoo GTX 4Tec, super 10,000 lb. Galvanized boat Any Size or Price. good cond., 20' trlr, FF, new hrs., trim tabs, poling plat- lent, 250hp Mercury, Hardtop, 4-stroke Yamaha, all bells & stroke, fully loaded, chart plot- BOAT TODAY -charge limited, only 10 hrs. lift, good condition, $2,500, Will Come To You. gauges, dual batt, runs great. form, jack plate, Garmin GPS, VHF, Batt Charg, Depth find, whistles. 2005 Tandem alum ter, fish finder, hard top with. (MINT) $8,900 (941)-875-8385 (941)-764-0942 (941)626-9075 $3,500 obo. Must sell due to Lowrance FF, 24V, Gr. Whitenew batt, lift kept, engine trir, real nice boat! $29,500 radio box, less than 150 hrs. IMMEDIATE CASH 100% recycled plastic dock cancer. (941-7434483 -trolling motor, like new 2002 needs repair, boat must go. (941)-698-0568 $33,900. 941-255-3354 CONSIGN OR TRADE 7333 MISC. boards, $3.50/LF. No rot, no *TRADE YOUR BOAT aluminum torsion trailer, Owner leaves area, located TRADE YOUALR BOAT, T 17' 2002 POLAR, 2003 Yama- $7500 SOL! PGItrer 12,000. 941-6oc376755 20' Wellcraft V-20, 1979, 1/2 23' 1981 LARSON, twin FREE PICKUP BOATS/WATER SPORTS splinters, cut to size. Free REAL ESTATE ha 70 hp, bini, VHF, fish find- cuddy, 2001 dual axle trailer,-engine, runs, incl. extra eng. INSURED/BONDED local del. Lic & Ins. installation AS LOW AS $6900 er, brand NEW GPS, trolling 18' Scout 2002, 185 Sport- 1998 16' Wellcraft, CC -92 115 h.p. O.B., bimini, $1,999. obo *SOLD* FISCHER MARINE 9.4' WEST MARINE Inflatable avail. Call Dave 941-809-5277 OWNER/BROKER motor, trailer $8500 obo. Call fish, Yamaha 115 4-stroke,_50 HP evinrude power tilt, $2,500 obo (941) 456-1235 24' Pathfinder 2001, 200 (239) 694-4626 Dinghy, Weaver davits, ceiling Aluminum Wench w/motor; (941)626-4655 941-875-3290. -Minnkota trolling motor Minn Kota saltwater trolling 2004 Keywest C.C. Best in Yamaha, custom dual station hoist, $1000. 941-833-0320 hydraulic Cat head w/remote, battery charger, motor 361b thrust, Humming- towe dual axle trailer w/hydraulic motor; hydraulic 10' 1999 Jon Boat. 2003 17' 4" SAILFISH Center Con- live well, GPS, FF, VHF, wash- bird fish finder. $4500 call_ otte County. Broker tower!!$27,00, dual(941 axle29-2597 7331 SAILBOATS 7334 OUTBOARD/ pump; V-drive transmission. Merc 8HP, 2004 Galv. trailer, sole, 2001 90hp, Yamaha, down, bimini, swim platform.-Kenny 941-626-0326 listed at $30,000. Must sell!! $27,000, 941629-2597 All new never used. $2500 many extras. $1600. Bimini top, trailer, bait box, $15,000, (941)-505-2612 By owner $22,000. Too many28' PROKAT 2860 2 Yamaha 27' HUNTER live-a-board, nice MARINE ENGINES FIRM. Call 941-916-1509 941-468-5207 live well, fish & depth finder, 20' 1981 AQUA SPORT Walk- extras to list. Please call for 225hp 4 stroke, 230 hours,-shape asking $3000 located- Piling mounted hand $10,500 OBO. (941)416-1,626 -18' VIKING DECK BOAT, 90HP a-Round Cuddy Cabin, 140 more information, rigged for deep sea fishing in Char Cty. 23826-3647 15 h.p. Honda, electric start, Davits/Piling mounted, hand_ 10/22/06 Mercury, bimini and newer Horse Johnson outboard, runs (941)-815-0852 $69,900. (941)460-9178 1997, runs but needs work. cranked, very goo condo , 17' ALLISON CC w/2004 trailer, runs great. Must sell-good. GPS, depth finder In $500 (941-8339287 $250 (94-639-1272 13' Boston Whaler Sport 50hp Mercury 4 stroke with 2900 obo. 941-637-1736. the water. Trailer needs work 21' 2000 Playboy, 60 hp 28' Wellcraft, Coastal, 86, twin- 7332 PERSONAL 500, (941-8339287$250 9416391272 2001, 40 h.p., 4 stroke trailer. $4900. 941460-9178 $4500 obo. 863-244-9642. Yamaha, trolling motor, depth Bs, mechanic special, newer WATER'VEHICLES 1987 7.hp Honda 4 stroke 7339 CANOES/ Merc., trailer, FF, electric 19 1/2' 2004 KEY WEST 196 gauge, bimini top, priced to engine, needs other engine, nice w/gas tank, fresh water only, KAYAK motor, mint cond. $7,500, 17' Aquasport '88, Bay Boat, Minnkota 74 thrust, 20' 1996 PROLINE STALK--sell, $8600. (941)-575-4703 _haul, $6,500 (941-993-2583 (2) 1997 Scooby Doo Wave great cond. $495/obo. (941- KAYAKS (4041-606-0866. Pt. Charlotte EXCELLENT Condition, boat, 2 depth finders, 3 bank charg-ER WAC: 120hp Mercury 5 6 1L .. '. .. ..... oboy 505-0615 .. motor, trailer, rebuilt '04, er VHF radio GPS Bimini top Force, Less than 300hrs, 21' BAYLINER Capri, 2000, 30' Proline, walk around 1998 Runners w/trailer $4000 obo FLs Largest Kayak Selec- 14' center console w/25hp $4000. (9411-473-8294 breakaway traier 4p, VHF, FishFinder, Depth 5.0 Merc., trailer, nice. T225 Merc. (carb.) large (863-233-2864 -9.9 NISSAN short shaft, runs tion! Rentals, Tours, Classes. Merc & trailer, runs good -breakaway trailer, 140 Finder, Porta-Potty 2004 $7,450, 941-766-9525. cockpit, aft cabin, bottom 1996 SEA D000 GTX, exc great, $600/obo. (941)-575- Economy Tackle 6018 S $2000. (941-380-5509 18' Bayliner 1998 Bow Rider, Evinrude motor, low Tanum Aluminum raler,-- paint, lift kept, encl. head, new-cond Top end newly rebuilt w 0766 -Trail, Sara. (941)922-9671. Boat, motor & trailer in excel- hrs. Exc. condo. $22,500 firm. Electronics, Turn Key 21' Key West deck boat, cockpit cover, manynew trr & cver $2400. (9411 TAHATSU 4 Stroke Outboard, ' 14. ALUM. W/9.9HP leco n, askin all 1997 115hpYamaha, $9500 kpiver. $2400. (941 TAHASU 4 Stroke bo KAYAK Ocean Malibu Two yel- 14ft. ALUM. W/9.GHP lent Cal dike 1941)628-,443 Call 941-629-9391. 941-627-6949 for details parts, wide beam, great boat 505-1731 -Like new!! $400. (9411-639- low with paddles, $60. Call EVINRUDE, RUNS GREAT, Call Mike (941)6284431 19' Olympic Deck boat w/85 obo. (941-255-3186 Below book, $34,500. Sell 5 4 o i pa $60 a NEW BIMINI. 239-652- 18' Century CC, 115 HP,- HPEvinrude&Trailer. Runs 20' 2004 Fiesta Fundeck 22' 1993 Bayliner, 5.0 V8-this weekend! 941-626-3674 2001 (2) Wave Runners 800 5843 941-661-1310. 8945 ONLY 900.00 FIRM ry Exc Yamaha w/trailer & tool box KAYAKS & CANOES Yamaha FF, Marine Radio, good,iewell,extras.Wot w/9OHP Mercury. Exc Mercruiser, $12,000 obo. Boat Donations wanted to on trailer $10,500 obo (863)- 7338 MARINE SUPPLY SALES RENTAL EQ 16' BAYLINER CAPRI, 2002, Bimini Trailer, $4200. last $1450. 941-623-2100 Cond. Well Maintg Every- SALES, RENTAL, EQUIP. 16' BAYLINER CAPRI, 2002, Bimini Trailer, $4200. st$1450. 9416232100 T s (941)-493-8097 support Clearwater Marine 233-2864 & EQUIP. LARGEST SELECTION IN Bowrider with top. 90HP 941-423-43-40 1981 20' Mako, EXCELLENT Preservers, Etc. Book 22' 1996 AQUASPORT 225 Aquarium. Tax DeductableSOUTHWEST FLORIDA Mariner w/power trim and (727)-441-1790 ext. 235 CASH FOR YOUR JET SKIS SOUTHWEST FLORIDA trailer. Exc. cond. 18' EXCEL Bowrider 1994, condition, new paint, new rub value is over $8000, Explorer: Walkaround Cuddy, (727)-441-1790 ext. 235 & JET BOATS. (2) SEASTAR HYDRAUUC STEER- ESTERO RIVER trailer. Exc. cond. $4995. Made by Welcraft, 112HP rail, teak refinshed, asking $6500. 200h Evinrude, Boat & Motor BOATERS WAREHOUSE RUNNING OR NOT! 1995-OR ING, HC5345, good cond. (239)992-4050 941-828-8805Evinrude, Nice Boat, used T-top. 1996 175 hp Evinrude 941-475-2153 9am-pm Well Maintained. VHF, Garmin TERS WAREHOUSE RUNNING OR NOT 1995 OR N, HC5345, good condo. (239) 992-4050 16.5' 94 Starcraft 6hp, very litte. $4500. oean pro. Loo1996 ks75 hp Evind rude 941-475-2153 9am-9pm 180 GPS DepthFinder, ow accepting Consignment NEWER! (941)-268-7516 $100/ea. 941-4684845 Englw USED KAYAK SALE 16 trol. m t. FF trlr. runs great 60hp, 941)-very little. $4500. like new, $9500 obo. 20' Seamaster 2000, CC, FishFinder, aitwell, Fishbox, In-House Financing KAWASAKI, STX 1100, 1999, 10 TON ACE elec. boat hoist Consignments Welcome! trol. mt FF trr. runs great (941-412-1588 (941815-7489. 125 .p. Mer. /trailer bimi- New Bimini and Cushions. 941-255-1167 low hrs, w/dble trr, exc cond. Asking $3000. October 28 & 29 exc. cond $3,700 661-3399 ni, $11,500, 94-575-6461 787or941-966-5971 US 41 & Harbor Blvd PC $4800 (94496-9492 (948091041 SILENTSPORTS941-9665477 ni, $11,500, (941ht575-6461 7187 or 941-966-5971. US 41 & Harbor Blvd, PC $4800 OBO (941Y496-9492 (941)-809-1041 SILENT SPORTZS 941-966-5477 6230 PETS & LIVESTOCK SADDLE, Simco, 15" rough out seat, good cond. $200. (941)-575-2778 after 5pm SCHNAUZERS MINIATURES Small black & silver & salt & pepper. Quality bred. Ready now $375 & $395 (941)429-9373 SHIH TZU- 1 Beautiful Male, 8 weeks old. Vet checked. $300. (941)457-6812 Talking Parrot, hybrid, yellow/ blue front mix, tame, new cage &T-stand $500 (941429-6655 TOY POODLE PUPPIES, AKC, $500. Call after 5:30. (941)- 764-8689 WOLF HYBRID PUPPIES - Beautiful, friendly, great w/ kids. $250/ea 941-697-9998 YELLOW LAB, Beautiful Male, 1 yr. old. All shots. Loves to play' $300. (941)-286-6418 6250 APPLIANCES. Commercial Freezer for sale True brand 27"x54"x76.5"tall well maintained 2 years old $1,500 call 941-764-7620 Disherwasher, GE, white, excellent running condition, $75 (941)-474-0133 Kemmore 25 cf side by side white refrigerator. Filtered ice/water in door. Less than a year old. Excellent working condi- tion. Super Clean. Like new. $550.00 or best. Contact Paul At (941)626-3691 After 5:00 pm MOVING MUST SELL! Glass top GE stove, GE dish- washer, both 6 mo. old. $300 each obo. (941)-2864096. NEW GE Refridgerator, Black, Side by Side, $900. Must Sell 941-624-5998 PGI . New GE Stove & Dishwasher $300. each, White Ceiling fans $10. ea 941-624-5998 REFIGERATOR- Frigidaire Top Mount, 20.6 cf., white. Like new! $200. *SOLD!* - REFRIGERATOR Bisque 24cf w/bottom freezer & ice maker, ; $200. -MTnatching microwave/hood $75. older black dishwasher $15. Call 941-575-4166 Iv. msg. REFRIGERATOR, Kenmore, S/S, 25cf, white, icemaker & water in door, exc. cond. 4 yr. old $395 obo. 941-255-1391 Washer & Dryer, Ig capacity, good condition. $250/pair (941)460-1756 Washer & Dryer Kenmore $100ea eGE Range $100 *Bosch SS D/W $200 *GE Refridg $125 (941)-492-6698 Washer/Dryer, Maytag, white, $150/each (941)474-7708 6260 MISCELLANEOUS (2) 3 x 5 foot flat wall mir- rors.$80 both. 941-626-3113 3 Ton AC/Heat, GE Like New $900/obo 941-6394904 3X4 Dump Wagon $25.00 Two Fold up Bikes $50.00 941-286-6255 Sunday, Oct. 22, 2006, Real Estate Classified 6260 MISCELLANEOUS 7020 BUICK 7040 CHEVROLET 7050 CHRYSLER 7070 FORD 7070 FORD 7080 JEEP 7100 MERCURY 7130 PONTIAC 8.5' square Freedom offset, 2000 BUICK PARK AVENUE patio umbrella, green, canopy 59K, clean, looks new, exc. w/built in solar powered cond. $9800. 941-637-6069. lights, new in box. Can deliver locally $150, shop vac, Craftsman, 5.0HP, 12 gal capacity, wet/dry w/attach-GO A S ments $30 (941)-474-7708 GOR K ML S COMPUTER DESK $35; FAKE LTHR., 1 OWNER, DVD FIREPLACE $85; Push lawn- 27K MI! SWEET! $15,300. mower $15. (941)-488-1845 639-1601, Punta Gorda HALLOWEEN costumes, 2 11993 LA SABRE, exc cond. adult Killer Bees, won 1st fully loaded 1941-484-8763 place last year. $65/both. fully loaded (941)-484-8763 (941)-629-8955 7030 CADILLAC 7030 CADILLAC Must sell tabletop singer sewing machine, $100 obo. 1992 Deville, '76K mi., (9411-764-7850 5$3,000. (941:-625-7015 ROMBA Remote Rug Cleaner 1996 Fleetwood Brougham $50; Direct TV dish & receiv- Northstar, 98k, $2700 obo er. $30/obo (941)475-0127 (941)237-1300 TRUCK GOING NORTHEAST & 1997 Seville SLS, red, 128k. RETURNING. HAS ROOM. Sharp car! $4,295. Call REASONABLE. Howard (941)-624-5081 (941R475-0068 1999 Cadillac Deville 6270 WANTED TO 1 owner, fully equipped, white color, North Star BUY/TRADE engine. 89,300 miles. 1st $6,800.00 Buys it. A COLLECTOR BUYING 941-697-0202 Old Fishing Lures, Rods, Reels. Call 941-743-9114 1999 CADILLAC DEVILLE I PAY THE MOST!'! 50k mi. Immaculate! $8,988 I PAY THE MO 941-966-7111 Young Person wishes to pick AUTO CITY up lawn mowers for FREE U I (863-)-993-3391 2000 Cad DTS, $16,995. Pearl white, sun roof, every 7000 option, mint. (941)-456-9269 TRANSPORTATION v .. .*4 NEWSPAPERS 10/22/06 GENE GORNAN'S 2000 CADILLAC DEVILLE ESTATE CAR, LOW MILES, LIKE NEW, $10,525. 639-1601, Punta Gorda 2000 Deville, only 55k miles, white w/black velour roof, just serviced, $11,950. obo. (941)-286-6223 GENE GORIAN'S 2000 SEVILLE SLS LTHR., LOW MI! ABSOLUTELY GORGEOUS! $10,990. 625-2141, Pt. Char. 2002 CAD DEVILLE, one owner, super clean, only 25K. 14666. 2006 Cadillac DTS, like new, less than 1 yr old. 13K mi. 4 yr warranty. Nearly all options avail. Adaptive cruise, NAV, performance handling pkg., Ig chrome wheels, sun roof, AC, massaging seats, $36,900. (941)-639-6965 7040 CHEVROLET 1986 Chevy Estate Wagon, Runs Super, Good Tires, Clean, Nice $1000 286-6255 1992 GEO STORM, 5 spd., good cond. $1500/obo. (941)-628-3408 dlr 1994 Chevy Sub 2500 Exc. Cond. Cold Air Good tires. $3800 (863)491-0514 1994 CORVETTE CONVERT- IBLE, Burgundy. Gorgeous. New tires. Runs excel. Asking $11,000. (941)-766-7659 1995 CORVETTE black con- vrt., low miles $16,400. (941)-833-4348 after 5pm. 1997 LUMINA, cold A/C, P/W, P/L, 88,000 mi. Runs/looks great $2495. SOLD! 1998 Monte Carlo Z34, 50K actual mi, leather, loaded. 3800 V6, alloy wheels, new Monte Trade-in. $5984.. Bill Buck Chevrolet 941-493-4739 1998 Pacecar Convertible, fully loaded w/14,000 mi., garage kept, $33,000 obo (941)-661-5913 2000 Chrysler Sebring LXI Coupe, 50K miles, leather, sunroof, loaded, auto, V6, top of the line $5984. Bill Buck Chevrolet 941-493-4739 2000 MALIBU LS, all power, sun roof, spoiler, leather, CD player, 37K miles, excellent condition. $6000 obo. ***SOLD*... 2002 Chevy Impala, Auto, AC, power pack, V6, new Impala trade-in. $5984. Bill Buck Chevrolet 941-493-4739 2002 CORVETTE, Magnetic Red, Black Lthr, All Pwr., 15K mi! $28,500. 941-628-2141 2004 Cavalier, 4 Dr., auto, a/c, CD, clean, like new ,only 24k mi., $8,000, (941)-625- 6526 GEE GORHN'S 2005 MALIBU MAXX LS, V6, AUTO, 1 OWNER! ESTATE SALE! $12,900. 639-1601, Punta Gorda 7050 CHRYSLER 1997 Sebring JXi convertible, red, leather, auto, 68k mi., $5,000, (941)-629-6844 1998 CHRYSLER SEBRING JXI CONVERTIBLE $5,988 941-966-7111 AUTO CITY 1998 CIRRUS 4dr pwr wind & locks, CD, V6, New AC, 144k mi, $2500 941-662-0388 GENE GORM'S 1998 SEBRING CONV, LTHR. ALL PWR. DROP THE TOP & GO! $5,990. 625-2141, Pt. Char. GENE GORMAN'S 1999 CIRRUS LXi, LEATHER, LOW MI. EXTRA CLEAN, PERFECT $5,900. 639-1601, Punta Gorda 2001 Chrysler PT Cruiser, Limited, leather, sdnroof, chrome wheels, auto, 60K miles. $7984. Bill Buck Chewvrolet 941-493-4739 2001 PT Cruiser (Chrysler) 4 door, 5 speed, 51K miles, Loaded, Excellent Condition $9,500./b.o. 234-7200 or 941-473-3403 2001 Sebring LXi convertible, red & tan leather, 88k mi., $7,300, (941)-624-4621 2005 SEBRING CONV., 20k mi., Factory warranty. Asking $14,900. (941)-613-1864 7060 DODGE '87 Dodge Aries SW. White/red cloth inter. Auto., A/C. Looks good, runs good. $800. 627-1870 eves. 1983 DODGE CONVERTIBLE, runs good, needs top $700/obo 941474-7406 2000 Dodge Durango SLT, Dark Blue, Chrome Side' rails, Fog lights, Cold A/C, Power Everything, Third Row Seating, 105500 miles, Runs And looks great! Blue book is $7300, will take $6500 OBO Very good deal. 941- 255-1069 2000 INTREPID 87k mi. 6 cyl, auto, cold a/c, nice family car! $4595 (941)423-0123 GEE 2002 NEON SE, PW, PL, CD, AUTO. GAS SAVER! PERFECT! $5,500. 639-1601, Punta Gorda 2003 DODGE INTREPID SE Loaded 60k mi $6988 941-966-7111 AUTO CITY GEE GORMI'S 2004 STRATUS R/T, 1 OWNER, ONLY 27K Ml! GORGEOUS! $11,500. 639-1601, Punta Gorda 7070 FORD 1983 Ford Mustang, V6, VERY GOOD CONDITION!!! $2,500 941-460-1527 1993 Thunderbird, V6, cold air, good tires, runs great! $1,600 (941)-223-7301 1994 T-BIRD, auto, A/C, $500 down. $75/wk. (941)237-1300 1996 T-Bird, New tires,, Brakes, Front-end. 72,000 m., Black w/Spoiler $3900 obob 863-494-2614 ,/ / V/ 1997 Ford Thunderbird clean fast sho 8v coupe all power new tires must sell $3000.00 (941)426-9241 1997 T-Bird, baby blue, excel- lent condition, low mileage, $2,800 (941)-966-6942 1998 Contour, 4 cyl, auto, 4 dr, $500 down, $75 week (941)237-1300 1998 Ford Expedition XLT Leather Interior, Rear Air, 6 CD Player, 3rd Row Seat, ONLY 47,000 miles. $11,000 (239)246-7786 5500!! VERY CLEAN. ONLY 54K $5,999. I JUST GIVE US YOUR "dSHn OPINION OF THE TelFre80263 VENICE GONDOLIER I ....,o.... w v ISUN! 2 001 FORD MUANG LA, SConv. Auto, super clean, onl 371. $10,999 | 2001 FORD TAURUS | SWagon, SES, sper low min o 32K. $7999. Enter your classified ad online and pay with your credit card. It's fast, easy, and convenient. Go to sun-herald.com/classi- fieds. Fast Convenient Easy Sun-Herald.com/classifieds (Visa Or Mastercard) SUNfe WIN UP TO '.6 ..... You will be entered to win GRAND PRIZE $500 CASH! 1ST PRIZE $100 CROW'S NEST GIFT CARD GENE 2ND PRIZE COBAWS $50 GO U Bogey's Gift Card 2002 CROWN VIC. LX, 1 OWNER, LOW MI! 3RD PRIZE GORGEOUS! $10,900 639-1601, Punta Gorda $50 Publix Gift Card GORPLN'S 2004 FOCUS ZX3 HATCH- ' BACK, 5SPD, 4 CYL., ONLY 20K! $8,500., 639-1601, Punta Gorda GENE GORMA'S 2004 MUSTANG COUPE, AUTO, LOW MI! SPOILER. SUPER SPORTY! $12,990. 625-2141, Pt. Char. .- -* 7 IT OUT! Use the Handy Q In Our New Improved Garage Sale Ads To Mark The Locations You Want To Check Out For Great Bar- gains. TO ENTER, GO TO 7080 JEEP 1988 Cherokee, 4x4, runs good only needs paint. $900 obo. (941)-629-9862 1988 Jeep Cherokee 130K 4x4 runs good, A/C $1500. (9411-628-5597 2002 JEEP WRANGLER X 6 cyl., Auto, 30k mi. $12,988 941-966-7111 AUTO CITY 2004 Jeep Liberty Mountain Sport, 3.7L, 23K miles. Many Extras $15,900 258-6151 7085 LEXUS 1998 LEXUS ES 300, LEATHER, V6. LOADED. ONLY 74K. $8999. 7090 LINCOLN 1986 Towncar, new brakes/exhaust. $1200 AS IS!!!! (239)-349-6021. 1987 LINCOLN TOWN CAR, drives and looks good. $1200 or offer. Call 941-626-0067. 1989 Lincoln Mark 7 LSC, runs gd, 130k mi, & 1987 Lin- coln Cont., parts only, $1200 OBO (941-993-8779 1989 Lincoln Towncar, 4 dr, Loaded. asking $1300 obo (941)-468-1828 1994 MARK VIII Showroom Cond. 38658 Actual miles. Loaded, Always garaged, $6995. (941)-474-4227 1996 TOWNCAR Sig. orig. owner, 40K, garaged kept, $9000 obo. 941-255-3.186 1997 TOWN CAR, exc. condi- tion 130K, leather int. $3,000/obo (941-408-0143 GORMA'S 1999 TOWN CAR, LOW MI! 1 OWNER! SUNROOF. PERFECT! $10,535. 639-1601, Punta Gorda 2003 Aviator 19000 Miles Excellent Cond in/out, fully loaded incl: Dual front AC, Separate rear AC, Airbags, Adjustable brake/gas pedals, Keyless & remote entry $23,900. 941-629-3174 941457-9391 GENE GOR=hZ'S 2001 Mercury G-Marquis LS, super clean, only 46K 2001MERCURY SABLE WGN LS, Leather, Loaded $5988 941-966-7111 AUTO CITY 2003 MARQUIS, 4 dr, good condition, 26k mi, A/C, color silver, One Owner. $10,000 OBO. 941-697-5078 2005 Mercury Sable LS, grey metallic, gery leather int., loaded, full power, exc. cond., 23,700 mi., Manufacturers warr. $11,900 (941)-504-0177 7110 OLDSMOBILE GORM'S 1999 ALERO GLS, LTHR. ALL PWR., ALUM. WHLS. GAS SAVER! $6,995. 625-2141, Pt. Char. 2004 OLDS ALERO GL 45K, EXTREMELY NICE 480-0309 or 941-456-4637 GEE GOBI 'S 2001 INTRIGUE GLS, 60K, CD, LTHR,SUNROOF, PERFECT! $8,900. 639-1601, Punta Gorda GEE GORAN'S 2003 AURORA,V-8, LTHR., LOADED, LOW MI! GORGEOUS! $13,990. 625-2141, Pt. Char. 7130 PONTIAC 2000 GRAND PRIX, 2-DR. AUTO, SUPER CLEAN. I ONLY 61K. S6,999 I 1992JEEPWRANGLER 2003 TOWNCAR EXECU- 4-CYL 5-SEP. W/AC. TIVE, LOW MILES! TOTAL T -263 6 4-Y 0S0. LUXURY' $15,890. I S4500.625-2141, Pt. Char. 2001 GRAND PRIX GT, exc. W 0il-d11 Scond. 71K mi. $6,900. (941)- Tlr8s 2632 .2005 LINCOLN TOWN CAR 639-5889 Signature, Carriage roof, 16K 1994 Grand Cherokee Ltd. mi. Full warranty. $23,900 or Exc. cond. Cold ac, new tires, offer. Call 941-626-0067. G i only 86K mi., plus leather A0f6iN LAZH R seats. CLEAN $4500 (941)- 2006 LINCOLN ZEPHYR, 769-0544 cobalt blue, less than 3K, 4D, 2001 SUNFIRE SE COUPE, loaded, estate sale must sell! AUTO, PN, pL, LOW MI! 2000 CHEROKEE, 2-dr, 100k Paid -$36K in .June, GAS' PW, PI, LOW M! miles, !towbar, 'Very',good $ z i00 941i-66.:1' 2GAS SAVER! C 5,990. shape $4000. 941-697-5583 625-2141. t.Char. GENE 2002 JEEP GR. CHERO- KEE OVERLANDER, 4X4. LEATHER. $14,990. 625-2141, Pt. Char. 7100 MERCURY 1991 GRAND MARQUIS, 20" rims, music... $3500. obo. (941)-276-0643 1995 MERCURY SABLE, 114K mi. New trans., runs great, $1200. 941-625-4799 GENE GORMAN'S 2002 BONNEVILLE SLE, 1 OWNER, ESTATE SALE! PERFECT! $10,900. 639-1601, Punta Gorda 2003 PONTIAC VIBE 40k mi. $8,988 941-966-7111 AUTO CITY 2004 PONTIAC GRAND AM V-6, 50k mi, Loaded $7988 941-966-7111 AUTO CITY 7135 SATURN 1997 SATURN SC-2, 2-dr, 5- sp, dark green, excellent cond., custom tint, very clean, 92K, $2275. 941-391-3844 2000 LS1, 4 dr., 80k mi., new air & tires. Runs & looks good! $3,500/obo. (941)-539-3947 USED SATURNS 20 to choose from $1,599 PRO-POWER AUTO SALES (941) 627-8822 (941) 628-0453 7136 SCION CUSTOM WHEELS -SHARP $13,900. 941-480-0309 7145 ACURA 1999 ACURA INTEGRA GSR, 5 SPD. LOADED, 104K MI., RUNS EXCELLENT $5500 (941)323-5815 ' 2004 TSX, white w/tan int., new tires, 49k, excellent condi- tion! $22,850 (941-485-1565 7160 HONDA '93 Honda del sol, runs good Need to sell AS IS, $2400 obo, Call for info 941-276-4529 1996, ACCORD 4DR, ALL POWER, leather, Only 68k mi, $6988. (941)-586-6513 1997 HONDA ACC 2-DR. LX, AUTO, ONLY 84K $5,999 Wid u od TolFe 002632 1998 HONDA CIVIC EX 2-DR. AUTO, ONLY 79K. c 5,999 A'' ., H,:.d ,C Hit in fr.: .r "- ,' OIfi i '. ,ll 941-286-5182 2001 Honda Accord EXL clean, on .64K$9,999 - .. ~ 1, ~.. A...- A --VI. No one else can give you what you want- all of the news! GiEdolier Sun 200 E. Venice Ave. 941-207-1200 Page 10 .. . .. .. . . j ;f. .1 I 'J. hi Page 11 Sunday, Oct. 22, 2006, Real Estate Classified 7163 HYUNDAI 7210 TOYOTA 2000 Hyundai Sonata, 6 1992 TOYOTA CAMRY cyl, 4 dr, auto, $1,995 X, V6, SUPER CLEAN, (941)237-1300 ONLY 76K. $4999 2001 Accent, 2 door hatch- -3 back., 48000 miles; 5 spd. $4200 obo 941-258-0151 2006 Tisburon GT LTD; 5 ( J 3,600mi.; Black ext.; leather thru-out Auto climate control; Infinity sound system . 440watts, 6 CD Player w cas- sette; sun roof; Power every- thing; Mfgr's warranty; Excep- r se an tional condition; $19,500.00 70k miles. Nice economi- O.B.O. 941-629-0086. Cell cal car $6,995 941-456-6091 480-0309 or 941-456-4637 7175 JAGUAR GEE 2000 JAGUAR S-TYPE GOR Uke Ne9 $10,988 2003 CAMRY XLE, SR, 941-966-7111 1 OWNER! ESTATE SALE! AUTO CITY ONLY 42K! $16,900.. 639-1601, Punta Gorda 7180 MAZDA 2003 TOYOTA MATRIX 842k mi. $10,988 941-966-7111 GEE AUTO CITY GOR MA S 2005 COROLLA S- 16k, white, 2001 MIATA, AUTO, LOW 4dr, auto. 38MPG. Very nice. Ml!, LOADED LEATHER, $13,000. (941)-474-7832 FLAWLESS! $12,990. 625-2141, Pt. Char. 7220 VOLKSWAGEN 2005 Mazda 3, auto, 2000 VW BEETLE GLS Spotless, under 13K mi LOADED! 42k mi. $8,988 $15,500. 941-627-3955 1 941-966-7111 7190 MERCEDES AUTO CITY 2001 CABRIO convertible, 5- 1981 MERCEDES 380SL speed, full power, looks & 110K, 2 tops, very well maint. runs excellent, clean. Asking $13,300. Call 941-639-3579. $4700. Call 813-363-0832 1986 190D, auto transmission, good condition, 34 mpg. GU $1800 firm, 941-320-3565 GODW IS 1990 Mercedes Benz Model 2002 GOLF GT VR6, LOW 300SE, 6 Cylinder, Only 2002 GOLF GTI VR6, LOADED 87,500 miles, Always MILES! FULLY LOADED! Garaged, Excellent Condition, IMMACULATE! $11,990. $4200 "*SOLD!!* 625-2141, Pt. Char. 1993 MERCEDES 190E 83k, auto. GRANDPA'S CAR G E $3,495 (941)237-1300 GIr1RM.I W A 7195 MITSUBISHI 1997 GALANT ES, 91K, alarm sys, upgraded stereo, auto. $3500/obo (941)488-7301 2001 ECLIPSE 4cyl, auto, ac, all power, 134k mi, $590.0/obo (941-2234104 2001 MITSUBISHI Eclipse Spi- der silver w/black convert. top. Reduced! Must Sell! $8500. obo. Call today to see (941)- 764-1332. . GEE GORMAN'S 2003 ECLIPSE CONV. SPYDER. V6. ALL POWER! SHARP! S14.990. 625-2141, Pt. Char. GORMAN'S, 2004 LANCER RALLIART, ' LOW MI! SR, SPORTY & PERFECT! $13,900. 639-1601, Punta Gorda 7200 NISSAN 1994 ALTIMA GXE, fully loaded, auto, A/C, custom stereo/wheels, must see. $2800 obo. 941-234-6155. 1996 NISSAN AL.IMA GLE, 4-DR. AUTO, 96K, 1998 ALTIMA GXE, Tan, new tires, 72K miles, sun roof, clean, $5000. **SOLD** 2000 NISSAN MAXIMA GLE. LEATHER. LOADED. ONLY 67K. $10,999 I 2001NissanAltima, leather, loaded,super clean. Onl 66K $8,999. WleS ,H . Toll :eso -2 GORAN'S 2002 ALTIMA 3.5L SE, LTHR, SR, 1 OWNER. IMMACULATE! $15,900. 639-1601, Punta Gorda 2006 Altima SE, fully loaded, leather, all power, 7k mi., $24,000, (941)408-3236 2006 Altma Leather, V6, 8K miles, $25,000 obo Must Sell (863)-494-3109 7205 SPORTS CARS 1996 Corvette, auto, all options, white/black, 2 tops, new tires, 143K interstate mi., always Mobil 1, meticulously maintained. No disappoint- ments. $11,500, (941)-662- 8733 2004 Chevrolet Corvette Coupe, mint condition, 15k mi. Silver, two tops, black inte- rior, many extras. $33,500/obo 941-876-6171 2004 Mustang GT convert- ible, 40th Anniversary Edition auto, 27k miles blk w/camel MUST SELL $17k OB0. Call Randy 941-234-7503. 2002 SLI, 4 DR., AUTO, LOW MI! GREAT ON GAS! PERFECT! $5,995. 625-2141, Pt. Char. 2002 VW Jetta 1.8L Turbo Auto white, mintt, great on gas moonroof 1 owner $13K 863-990-2733 GEE GORMAN'S 2003 JETTA GLX VR6, LEATHER, MOONROOF. LOW Ml! MINT! $15,990. 625-2141, Pt. Char. 7230 VOLVO 1.:'ADEP ,LiL U E IEW ." . 941.966.7111 AUTO CITY 7250 ANTIQUES/ COLLECTIBLES 1953 MG-TD Roadster, $8,500. Driven daily. Call for details, (941)-625-6526 1972 Buick Skylark Convert- ible, needs some TLC, $4,000 obo (941)-400-7264 1974 MGB, very good condition, $2,500 obo (941)-400-7264 1982 El Camino, V8, 16k, mint cond., PS, PB, A/C, blk, custom in & out, disc brakes, Jensen radio $10,000 (941)-429-9503 1993 FORD F150, auto, ac, bedliner, hitch, straight 6, runs good $1650 (941)-587-2462 Mechanical & Electrical repairs to antique/collectible cars and trucks. Licensed & insured repair facility. Charlotte RV Service Center 23180 Harper Ave, Charlotte Harbor, (9411-883-5555 WANTED: MODEL T FORD parts, books, magazines, man- uals, 941-408-9601 7252 BUDGET BUYS '88 Chevy Blazer. A/C, 4WD, new brakes. $700. 916-6584 '89 Ford Van. Runs good. $800. 941-637-1952 1983 Chevy Celebrity, runs great, $850 firm. (941)-628- 3408 dlr 1984 Dodge Dually Dump Truck, great work vehicle, $2,000 obo (941)-400-7264 1984 FORD E150 VAN Runs good! Great work van! $500. obo 941-258-4639 1986 GMC 2500 -Series work van, $500 as is!! (239)-349-6021 1988 MARK VII, $500 & 1984 Mercedes 300SD, $700. Need TLD. (941)-268-7701 1990 DODGE CARAVAN $500 or best offer Kevin's Car Sales 941-268-4395 1993 MERCURY COUGAR V6, AUTO, A/C $950 (941)4564989 1994 Camry for parts/trans new radiator, CB joints, tires, All $400 (941-23-9713 1995 LE SABRE, Cold AC, Runs excellent! 96k mi. $1900 obo 941-575-0962 1996 Olds Delta 88 4DR, Loaded, Looks & Runs Great, White, $1379 941-474-0807 1998, FORD CONTOUR, Recent tune-Up, 3 new tires. Ice cold AC. Needs some front end work. $900. 941- 716-2900 or 941-374-4903 7252 BUDGET BUYS 88' CHEVY CAPRICE/NEEDS WORK BUT RUNS STRONG/MUST GOT! $500 OBO 941-457-9699 LVE MSGE. 7270 AUTO PARTS/ ACCESSORIES Tonneau Cover, fits 1997 3 Dr. Chevy pick-up. $125 obo, (9411-769-4071 TRUCK BED COVER. Fits 64"x 7290 VANS 2005 DODGE Grand Caravan Conversion. All power incl. power ramp for wheelchair. Only 2,095 mi. Like new. $32,000. (941)-575-1406 7300 TRUCKS/ PICK-UPS GENES GORNAN'S for Chevy S10 Pickup, 6' bed, chrome wheels, short $490. (941)-766-0082 GE E bed, nice! $8984. G E E FIBERGLASS TOPPER for O Bill Buck Chevrolet GOS Dakota short bed, 60 x 80, i 941-493-4739 O $200. (941)-629-5421 2005 DODGE GR. CARA- 2002 Toyota Tundra, 6 cyl., 2004 CHRYSL. PACIFICA, Ladder rack w/tool boxes. VAN, STOW & GO! ALL WT, long bed w/ tool box, AC, 1 OWNER, ESTATE SALE. Needs painted. Full size truck. POWER! $14,990. radio, new tires, 66K miles, vg IMMACULATE! $16,900. $500 obo (941)-240-2614 625-2141, Pt. Char. cond. $9800. 743-0092. 639-1601, Punta Gorda 735 POTUTLIY 80" bed (MC/CHEV Incl. 4 2002 DODGE RAM, QUAD n 'chrome tie-down posts. $80. 7300TRUCKS/ CAB SLT, V8, ALL POWER. DONATED CARS (94661-28npo 7FLAWLESS! $13,900. DONATED CARS (941)-661-2810 PICK-UPS 625-2141, Pt. Char. FOR SALE Truck Topper, fits 8' bed, red, $200 (941)473-4168 12' 2006 ALUMACRAFT jon ALL VEHICLES WIND DEFLECTOR, fits GM boat 2 mos. old, $550. (941). G1 fi THOROUGHLY. SAFETY truck $225. (863)-382-9867 575-0766G CHECKED & 1984 Dodge Dually Dump U T ID RECONDITIONED 7280 AUTO SERVICE Truck, great work vehicle, 2002 FORD F-150 LARIAT & REPAIR $2,000 obo (941)400-7264 LTD. CREW CAB, 4X4, SRPAIR 1987 FORD RANGER, 4WD, 6 LOW MI! MINT! $17,500. SAUTOMATIC cyl., auto, runs great, good 639-1601, Punta Gorda PROCEEDS HELP QUALIFIED TRANSMISSIONS shape. $2000. 941-2700083 FAMILIES ACHIEVE HOME Are you looking for used or 1987 MAZDA B-2000, Long G E i OWNERSHIP! rebuilt? Over 35 yrs. exp. Call bed, w/toolbox and leader M A & S TRANSMISSIONS. 743- rack. Runs good, first $1550. G f M 1986 Lincoln Towncar 4411 or 1-877-355-6802 941-623-2100 2002 FORD F-150 XLT, Signature series loaded, 1988 $10, Good Condition! SUPER CAB, V-8, AUTO. let8her, e' Acord. 99 7290 VANS 90k mi. New tires .& parts. POWER EQUIPPED $9,995 4dr, 5spd j e cold ar.$1,500. (941)-627-0185 625-2141, Pt. Char. ]001S 1 lfamlyown. miles. 1/2-2 1/2 ton Parts or Whole 1989 FORD BOX TRUCK 2003 CHEW 1 Ton Dually e1.c ,:on.ri. 350G0 Truck 10-$800. (941)-44- E350, 15' Box, 351,strong Extended Cab, 8.1 Vortex 1994 Explorer XLT, 4 dr, 8939 motor & tranie, Dually engine, 4x4, Allison automat- 4WD, loaded, 160K. m, 1 1973 FORD, Econoline, V8, wheels cold a/c, 90K ic, 32,000 miles, loaded. owner, e\cellenl cond Auto, well maintained, 1 miles, $1600 obo. $22,500. Call 941-575-9607 $3995 owner, $1200, 941-320-3565 941-497-6408 1998 Buick Century cu~ RD o 190 d 6 2003 Chevy 1 ton Dually, ext. orm 4dr, loaded w equip 1984FORDE150, 1990 Ford F150, 6 cyl ice mu air airri-t new Runs good! Great work van! stick, work truck, $500 cab, diesel 4X4, Allison auto- tires n $500. obo 941-258-4639 down, $75 (941)237-1300matic loaed,$28,500, 1985 Mercedes Benz 1988 PLYM GRAND VOY- 1992 Dodge Dakota, V-6,2003 CHE P/U S-10 X-Cab 500 SEL absolutely gor AGER 88k mi. Exc. mech auto, front end damage. 2003 CHEVY P/U S-10 X-Cab, go500 SEL lutely gord Eond. $12 Om. c. mec 700/obo. (941)-629-5421 4 cyl,. 5 spd, 41k mi, $8500. A must-see car! 59900 Call 941-423-4514 1993 F150, V-8, Auto, PS, CHARLOTTE 1990 GMC VANDURA con- PB, $1650/obo. (941)-628- 2003 Chevy S-10 LS, COUNTY version, unbelievely nice 3408dIr ext cab. V6, auto, AC. condition $750 down 1993 FORD XLT F250, 7.3 3-Dr., tilt, cruise, alloy ALL REASONABLE $75/week (941)237-1300 diesel, Reading utility box, wheels, super clean! OFFERS CONSIDERED 1991 CHEVY pipe rack, cold air, lots of new S7984. parts, runs great. $2,800. G-30 EXT. VAN. OLD Bill Buck Chevrolet HABITAT FOR $995 941488-0000 obo. ****SOLD*** 941-493-4739 HUM13 ,tAN ITY 1992 DODGE HITOP VAN mag. 4WD, new trans/tires 2003 Chevy Silverado LT, 1354 SR 776, Murdock AUTO, AC, NEW TIRES, NEEDS AC $3000. 941-661-3399 2500HD, 4x4, duramax SBDick Field. W. of s (941468-1489Club MINOR WORK $550/0 1994 CHEV. 1/2 ton 350, diesel, crew cab, loaded, mint Dick Fields (941)468148 cold A/C, full power, nice $27,000 (941)-625-5060 Cell 941-740-4043 1993 FORD CARGO VAN auto- tires, no rust, auto, trans, matic, pwr wind. Great work needs work. $2,000 obo. 2003 Dodge Ram SLT 7260 AUTOS WANTED van. $1800 (941)-586-6513 (941) 639-6098. Quad Cab, Hemi V8! 1994 Pontiac Transport,' 1994 Chevy 1 Ton, V8, Auto, loaded, chrome JUNK CARS WANTED 3800 V6, auto, $500 down, Worktruck, $800 down, wheels, true must see! Top dollar paid. Will pick up $75 week (941)237-1300 $75 week (941)237-1300 $12,984. vehicle. Nelson's Towing 1995 Chevy Van. Ladder 1994 FORD F250, Super Cab, Bill Buck Chevrolet 941-234-5044 racks, shelving. Good/con.' 8'bed, 122K mi. V-8, 5.8 L, 5 941-493-4739 .i a. Tv' Wr,e .2,500 941-6274727 spd manual, 4WD, AC, full '-. DGE EXTENDED VAN power, running boards, cap 2004 Dodge Ram 1500 Quad VEHICLES .'. ur,,s excellent. $1150 bed liner, $4500/obo. (941- Cab SLT 5.7 Hemi, 14,500 ,:,r:. 941-628-3408 dIr. 255-9068 mi. $21,000. (9411-623-0609 NEEDED 1995 G-30 Ch rk 1995 Ford Ranger, 2004 FORD RANGER EDGE, 1995an, $1,950 extended, stick, cold /C, 4.0, Auto, All Power, 31K mi. NO !! 1996 C $1,950 newpaint $2,900 13,800. 941-628-2141 1996 Chevy 15' box truck, (941)237-1300 Nothing Rejected! $5,500 2005 Ford F-350 XL, 4x2, 1996 Ford 15' box truck, 1996 Chevrolet Silverado a/c, 47K mi., $20,500 obo, Local Towing Provided $5,500 extended .:at, 2WD, air, (9411-240-2614 Have all maintenance :~.wer i, ., pioneer DONATE IT TO records. cd/radio', new tires. 200k 2006 Ford F-350 XL, 4x2, CHARLOTTE Call (941) 815-1148 mi., runs great, excellent a/c, tilt, cruise, 21,500 mi., work truck. $4500. under warranty, $23,500 obo, COUNTY HABITAT i ,. FORD Aerostar, good 941-626-8287 (941)-240-2614 FOR HUMANITY FOR c.:rd ,000/ obo. SOLD! 1996 Chevy S10, 4 cyl 23'. Wellcraft Nova XL, 454 A MAXIMUM TAX I''., Ford E-150 :Conversa- stick, extended cab, I/O, CC, SS props, new cock- . WRITE-.OFF: r ':.'.. ao. i,1rwn.er,.,aZpass, $2,900 (941)237-1300 'iltc'bve$7;90/obb-(941-)- DICK FIELDS 9. runs great, p TV, Video 1996 Dodge i500, PS, PB, 5058602, CELL 941-740-4043 s,:,n bL, 4 captains chairs, Auto, AC, only 75K. Bed Liner )wing, air shocks. $4,500/obo. 941-627-6949 7305 SPORT UTILITY/ -' 4 1 :941)423-9564' 1996 F-150 work truck, rack VEHICLES TO P CA S H 1998 Plymouth Voyager, V6, & tool box, must sell moving.CHEROKEE 4.0 TOP CA$SH53 000, (941)-626-0073 or 1997 JEEP CHEROKEE 4.0 $$$$$$$$$$ 5 drs, white, loaded, pw seats, (941)-258-5785 Ex. cond. Forest grn, tint, FOR CARS & $3,300 941-575-2133, dir cold ac, $2950. Priv. TRUCKS 1996 GMC Sonoma Ext, 3 owner 941-623-2100 DEAD OR ALIVE 1999 PLYM VOYAGER dr, auto, 4x4, $3,900 fresh 485-7515 SUPER CLEAN, ONLY 81K. trade. (941)237-1300 G Eq I S3,99. 1996 Toyota Tacoma, extend- G NEl Junk & Abandoned W Sn ed, FRESH TRADE" GOR MANI S VEHICLES REMOVED!!!! re-226-3226* $3,900 today (941)237-1300 V COULD BE WORTH $$$$ 1998 EXPEDITION 4X4 697-7222 OR 475-9007 1999 TOYOTA Sinna XLE, 1997 CHEW 1500, 6 cy, TI JUNK CARS REMOVED 135k mi., fully equip., $6900. auto, ladder rack, toolbox. EB,sONLY 53K$MI!0LTHR, JUNK CARS REMOVED. obo. 19411-391-2958 95K mi. $3,950. (9411-286- SUNROOF] $11,400. FREE! RUNNING OR NOT. 4599(94-391-2958 639-1601, Punta Gorda CASH24/7! (941) 276-8826POSSIBLE! Ready 1997 FORD F150 XLT, 113k 1998 FORD EXPLORER (941)-286-3122 Lic./Ins mi., great cond., ES pwr SPORT, red, 2 wheel, 6 WiN!TED plate tool box, new tires. $4k (941)237-1300 C-RS & TRCKSobo. SOLD! 1999 Ford Expedition, Eddie C A.IS TOP & T PCKS 1998 F-150 3 Dr., King Cab, Bauer, 4X4, white, tan inside, ALWAYS TOP S$ PAID exc. cond. $5,500 obo, (941)- loaded, runs good, $6295. 941-626-9120 2000 DODGE RAM 1500 743-5309 obo 941-766-7566 CARGO VAN low miles *WE BUY CARS & TRUCKS New custom wheels & RUNNING $200 + up tires. $9400. *E FREE TOW-AWAYJUNKERS 480-0309or941-456-4637 GO'AN S rGORM A 'S *FRANK 941-276-0204 rISN E A 'S CASH POSSIBLE for your 2001 DODGE G-CARAVAN 1998 FORD F-150 SUPER 1999GMC YUKON SLT, vehicle! Fast Removal! Sport V-6. super clean. CAB XLT, 4X4, LEV8ATHER 1 OWNER Call (941)-286-4599 ony 78k. $6,999 50K Ml. MINT! $14,990. 4X4,PERFECT! HER$10,600.1 OWNER M.S.B. RECYLING WdS nH d 625-2141, Pt. Char. 639-1601, Punta Gorda Free Vehicle Removal *Tl Fre- 1999 Dodge Dakota race 1999 SUBURBAN 1500 UTIL Cash Possible 2001 FORD E-150, 82K ck400hp on motor built to V8, 72k, alloys, running 941-575-4008 miles, 4 Captain chairs, TV, hold 400hp nitrous 800hp boards. Wholesale $6,895 DVD, leather, dual A/C. total. Brand new motor 941-473-2802, dlr 7270 AUTO PARTS/ $9,900. obo 941-628-6768 Mikey Tompson street ACCESSORIES slicks to many upgrades G M l to list. Call for more info. G E (4) 33 X 12.50 X 15, All Ter- G E$8000 obo rain tires. $150/all/obo, f!AANIS 941-764-7620 2000 TOYOTA 4-RUNNER (942001 FORD -815-1880WINDSTAR 2000 Dodge 1500, 55k, short- SR5, LTHR. LOW MI! (4) tires & rims 6 lug, General 2001 FORD WINDSTAR bed, V6, auto, A/C, CD, real LOADED! MINT $12,990. P235/70R17 Never used SEL, 1 OWNER! ESA sharp, $7,900 941473-2802 625-2141, Pt. Char, 8$500 K(863233-2864 go 639-1601, Punta Gorda 2000 Dodge Dakota Sport, 4 NDARV 1987 DAKOTA, good engine dr. Quad Cab, V-8, 4.7, PW, 2001 HONDACRV and transmission, new tires, 2002 CHEW 1500 cargo van, PL, AC, clean, good cond. 50k mi. $10,988 no brakes, bad ball joint $500 75k miles, exc. cond., $9000. 86K, topper inc. $7,500. obo 941-966-7111 941-302-7787 cash. (941)-764-9304 941-380-9925. AUTO CITY 1992 Ford Aerostar, good 2001 DODGE SLT tires, trans, runs, needs work. 2002 Dodge Gr. Caravan. LARAMIE, Ice cold air, 4x4. H m first $100, (941)-637-7284 Sport. Clean, 7 pass, 83 kmi, Kevin's Car Sales G 1994 Camry for parts/trans. B7) 48bab seat637 0825 941-2684395 A S good, new radiator, CB joints, 2001 FORD RANGER XLT tires, All $400(941)-423-9713 2002 Dodge Grand Caravan V6, ice cold air 2001 JEEP CHEROKEE 1998 Ford Explorer, Motr Spor trearA$60 CD 74k17 ooks Kevin's Car Sales LOWRMT MIT! $990. sound, new tires, needs tran- (941)-2684395 6-0 PMNTa Gorda ny $750/obo 941-474-7406 2002 FORD WINDSTAR LX 639-1601, Punta Gorda 35x16.5 on 10" wheels BFs 30k mi. $7,988 2002 Dodge Ram 1500 35x16.5 on 10" wheels BFGs 941-966-7111 Quad Cab-AM/FM/CD-Bedlin- 2002 HONDA CRV EX AT. 2-75%, 2-33% fits 89 941-9671 7 er-Diamond chrome rail caps 4x4, auto.super clean. F250. $250. 941-815-4523 AUTO CITY & tool box-Chrome step bars- On 60K. 11999 4 CHROME MAG WHEELS 17" New raised white lettered m . 5 lug, 4 1/2" space and lug 2002 Gr Caravan ST, Top of the tires-SLT pkg w/pwr seats- nuts $500 941-302-7787 line, Loaded. Consider trade, Low miles. Asking $14,900. ALUM. TRUCK TOPPER $12,900. 941-276-0703 (941)-626-5381 Anytime! 2003 FORD EXPLORER XLT ALUM. TRUCK TOPPER Toyota Sienna XLE Third Seat $12,988 for full size pick-up loaded, all the toys, too much 2002 Dodge Ram, 941-966-7111 $200. (941)-426-9660 to list. $10,900 obo, (941)- magnum, V8, auto, AUTO CITY CAB HIGH Fiberglass Topper 276-5144 AC, 61K mlies, T C 7360 CYCLES/MOPEDS/ SCOOTERS 7305 SPORT UTILITY/ VEHICLES GEME GORAN'S 2004 FORD EXPEDITION EB, 4X4, LTHR., LOADED! FLAWLESS! $20,990. 625-2141, Pt. Char. GEE GORAN'S 2004 FORD EXPLORER SPORT TRAC, LOW MI! FULL PWR. $14,900. 625-2141, Pt. Char. 2006, JEEP LIBERTY SPORT, upgrade model, loaded, 5K. Due to wife's illness must sell this almost NEW car. Absolute mint condition. $14,995. Call 941-627-9187 73104 X 4'S '04 Jeep Wrangler Sport with 4" lift, 33" tires, auto 4.0 khaki w/hard & soft tops 35.6k miles $18k OBO. Call Randy 941-234-7503. .1997, F250, heavy duty, 7.5L. $1800 must sell. (941)- 769-1081 1989 Ford Bronco II 4x4, 5 spd, cold A/C, runs great, clean, $1,650obo (941)4264541 1997 Dodge2500, 4X4 5.9L. Ext. cab. 134K. Needs A/C. $2,000. SOLD! 7320 AVIATION HANGER FOR SALE, CHAR- LOTTE COUNTY AIRPORT. (239)-280-8161 7360 CYCLES/MOPEDS/ SCOOTERS 1985 YAMAHA DELUXE Scooter, 180 cc, very good cond. $600. 941-457-0279 1987 HARLEY DAVIDSON 1100 Sportster. New paint, clutch & starter. Runs great! Good cond! $3,900. 941-830- 8096 or (305)-797-4754 1996 600 GSX SUZUKI, low miles, runs great, $2250 obo. Call 941-624-0321 after 4:30 1998 Honda CBR 900 RR, asking $6,200. 941-270-0774. 1998 KX250, Runs strong! Ready to ride! $2,000/obo. (941)-743-8516 or 626-3458 1999 BUELL X1 LIGHTENING. Preformence enhanced. $4,800. (941)-740-0340 2001 Kawasaki KX125 w/ gear and ramp. Asking $1500. Call Chris at 941-268- 8509 2002 Kawasaki ZR-7S, 750CC, sport bike, 6,500 mi., great bike $2,950 (94114686768 2002 Yamaha Roadstar Mid- night, 1600 cc: Exc. cond., too many extras to list, garage kept. 14K adult rid- den miles. $7100. Call 941-629-5252 or 628-2035. 2003 Screemin Eagle Harley Davidson Road King, Asking $19,500. (2391-280-8161. 2004 Savage Suzuki LS650 Brand NEW $5000 obo (863)- 233-2864 2004 SUZUKI JR 80 Dirt Bike w/protection gear, ex cond $900/obo 941-266-9367 or 4734174 2005 Harley 883L w/ stage one preformance pkg, 1300 mi, immaculate, $6500 941-234-6948 2005 HONDA CR85 Dirt Bike, great condition. $2250. obo. (941)-493-7063 2005 HONDA CR85 Expert Dirt Bike Only ridden 5 times./ $1900/obo 941-526-2042 2005 HONDA VTX 1800 F SERIES. $4000. in Extras. $11,500/obo(941)-915-4677 2005 Kawasaki ZZR600 FIl cage,yosh. rs3 race pipe,vor- tex rear sets,undertail,hug- ger, much more./Steal it at $5500 firm (941)661-1844 2005 SunL 100cc Motor bike, adult rider, Harley look a like. Looks & runs like new. $995. 941-423-7350 - 2005 YAMAHA 125 CC Scooter, $1750 OBO only 15k mi. (941)828-8866 2006 .;HONDA, Rebel 250, pa -Re"v~ivO'. Xtras $2995. l -1. i- FLA CYCLE CLEARANCE SALE on all Scooters,, Lowest prices in town!. We service all makes & models. , 6022 S. Tamiami Tr. Sarasota (941-926-8830) 7365 ATV 7341 TRAILER & ACCESSORIES. 18' Boat trailer, Completely redone w/new tires & rims, $900. obo 941-815-3427 20 yard hydraulic dump trailer dual axle, w/ramp & electric brakes, less than 1 year old. Cost $7,500, sell $5,500 obo (9411-240-2614 20' .Cargo Express Touring Edition, Enclosed Utility/Car Hauler. Like new. Use once from NY to FL. $7000 Value, will sell $5000. 941-423-1271 or 631-767-3271 2005 18' FLATBED TRAIL- ER Stow-a-way Ramps, 70001b cap. dual axel. Electric breaks w/ safety, mounted spare, ex cond. $2600/obo (941)-473-1403 2007 Gatortail 7'x12' Enclosed Trailer w/shelves, dual axle, elec- tric brakes & ramp door, - ....stiLlike new,_$S3,699 ~'(94114857462 or (941)223-2558 2007, New gal, 1 axle, 3100 Ibs cap., hold up to 20', disc brakes, 14" tires, fibgl fender, have pics $975. Call between 9a-7p. 941-575-1393 22' flat bed trailer, dual axle, electric brakes, less than 1 year old, new $4,500, sell $4,000 obo (941)-240-2614 30 x 8 flat bed construction trailer, dual axle w/ dove tail, elec. brakes, $2,000. Gulf Carts (9411-625-7969 4 X 8 Utility / Tilt trailer, great shape. Good for ATVs, mow- ers. $300 obo 941-391-7125 5 x 10 heavy duty-utility trailer w/ 15" tires, exc. cond. $450 firm. *SOLD!* 7'xlO' Open trailer, $600. (239)-349-6021 Equipment Trailer -16' long, 7' wide, drive on ramps flatbed $850/firm -941-475-2121 New & Used Utility Trailers. Trailer Hitches and Wiring. TWO-MORROW'S ENTERPRISES, INC 941-460-9700 New 10x7 ATV Utility Trail- er. $600. (941)-255-6975 NEW BOAT TRAILERS AT Dealer Cost. Credit Cards Accepted. WEST COAST TRAILER (941)698-9902 Trailer & boat Fast float alum. trailer, dual axel, with a 21' Welcraft, $1400 941-426- 9425 TRAILER enclosed 9' long, 4'6" wide, 4' high. Homemade $375. 941-270-1073 TRAILER Single Axel, 7001bs, 6' x 10', Good Condition $600 obo. Call Denis (941)539-6287 2004 Fleetwood Microlite 25' '06 Kawasaki Ninja 250R, yel- TT. Air, stove, heat, fridge, low. 270mls. Excel.$2,800. micro, Xtras. Great cond. Must sell! 629-9909 Aft. 5pm $14,000/obo.941-240-6733 1968 Triumph 5sp, complete- 2004 FLEETWOOD Pioneer ly rebuilt, all bearings/engine 19T4: sleeps 4, qn bed, ext. parts new, performance cylin- warr. Reese hitch. Asking der head, GPS, Ex Cond, $7900. (941)474-0039 $4900. Robert941-623-5439 2004 KEYSTONE Challenger 1975 HD XLCH 1000c Sport- 5th wheel, alum. frame & ster, custom paint, chrome. slides, like new, ext. warr $4500/OB0. 941-661-4029. $20k obo (941)-697-8607. 1976 H-D ElectraGlide, 2005 Hornet by Keystone woman owned since 1977, Travel Trailer-29'-Never towed- death forces sale. Exc. cond. Like new-Adult owned -Front $10,000, (941)-780-6078 walk around queen bed-Super 1978 Kawasaki, KZ-1000, slide-Roof air-Large awning- 64k mi, Runs Great, Needs New over $28,000-NADA TLC. Engl. $1400/firm $22,000. (757)-636-4563 Asking $18,500. Call 1981 Vesta Piaggio SI (941)-626-5381 Anytime! Moped, 49CC, classic model, 2005, 21' camper, brand new 455 org mil., $450 obo Q., mattress, lots of storage & (941)-474-7708 closets $9,500 258-8888 1985 HONDA ELITE 250, 2006 29' Coachmen Adrenalin 9500 miles. $1,300. Call Toy Hauler, asking $28,500. 941-639-2621. (239)-280-8161 7370 CAMPERS/ TRAVEL TRAILERS '85 Huntsman, 20'. Self con- tained. Everything except gen- erator. Just returned from long trip. Everything works. Maintained & repaired. Clean. Runs great. '84 Toyota one ton truck frame. 46K, 4spd, 19mpg. Perfect for a mobile couple or live-in. Good hurri- cane escape vehicle. $8,500 invested. $7,250. 743-2991 *TRADE YOUR RV FOR FL, AL, GA, TN REAL ESTATE AS LOW AS $6900 OWNER/BROKER (941)626-4655 I'LL BUY YOUR MOTOR HOME Call Don at (239)-693-8200 1976 Dodge Class C 26', 79,000 miles. Sleeps 4-6. $2800. (941)-575-8979 1986 CLASS C 27', Ford 460, 56K, 4K generator, extra's. $4800. Call (941)-743-6823. 1991 GULFSTREAM 31' 46,000 mi., Onan gen., good cond. $8000 obo. Call 941- 743-7213 or 941-623-5439. 1995 TIOGA 22' MINI HOME, self cont., generator, 52,900 mi. $11,000. SOLD! 2003 DAMON CHALLENGER 33', 18,900 Ml, 2 slide outs, generator, 2 AC's, 2 TV's, tan interior, Loaded, Like new. Ext. Warranty. $44,350. (941)475-5752 2005 Lexington 25.5' GTS, 11K mi. double slide, qn walk around, satellite sys. Like new,$51,000. 941-575-9383 $$ CASH PAID $$ For Your Motor Home/ Travel Trailer Any Size or Price. Will Come To You. (941)626-9075 Charlotte RV Center Sales Service Parts Trades & Financing. Clean used motorhomes and toads available. i 23180 Harper, i Pt Charlotte 33,980 (941) 883-5555 Diesel RV'sWanted! Consignment sales experts. Free superior marketing. Charlotte RV Center (941) 883-5555 *FREE* 2wd, eng is strong, needs TLC We'll sell your RV/Camper $1350/obo (941)650-9993 at no cost' 2001 Yamaha Banshee 350, Skip Eppers RV's very fast, runs great, $2,800. 941-639-6969 (941)-6294588 941-639-6969 We do it right!! 2003 HONDA TRX 300EX SPORT TRAX $2400; ! HELP !! LIKE NEW 2004 HONDA We have sold most of our TRX 250EX SPORT TRAX, Motor homes!! $2300. 941-497-5297 if you want CASH & 2004 YAMAHA Blaster $3000 don't want your RV 1999 Yamaha Bear Tracker CALL CAMPER DEPOT $1900. 941-456-3634. 639-6000 2005 Kazuma 250 4 stroke North Trail RV Center ,auto w/reverse, used about Motorhomes- 5th Wheels, 4 hrs, runs & rides perfect. Travel Trailers & Toy Haulers. $2,400 obo (941)-626-4072 Newmar-Monaco-Fleetwood 2005 YAMAHA 350 BRUIN & More! Over 500 RVs. automatic, 4WD, excellent 1-75 Exit 141 Fort Myers condition, less than 10 hr. 1-800-741-4383 $3700 obo. 941-628-3657 BRAND NEW 90cc 4 wheeler, RV Storage. Charlotte Coun- $749. (941)-815-8088 ty Airport area. Fully enclosed, secure. $300 per month. YAMAHA WARRIOR, good con- .(239) 643-6333 Ray Ander- dition, runs well, after market son, Arnold & Arnold Real wheel/tires. $1750 obo. 941- Estate. Inc. 625-4888, 941474-0056. 7370 CAMPERS/ F AR TH E TRAVEL TRAILERS T O 1975 Airstream 31' New A/C, Ex. Cond. $6000 941-628- 9270 or 698-0066 after 6pm 1992 Starcraft Popup Camper, sleeps 5, A/C, stove, good shape, $850 (9411468-6768 2003 H.R. Presidential 5th Wheel "A Beauty" $28,500 863-993-1320 I I qQR YAMAHA KnDIAK 4nor.r. 11 n 1, if it b 5 r 0 7' d I I I Sunday, Oct. 22, 2006, Real Estate Classified * 1 ulntsl~oid Wloo Visitus toview hous nds of IoiI proprty phots& virtul tourI WATERFRONT ACERAGE ON GOTTFRIED CREEK! 3 Bedroom, 2 Bath, 2 Car Garage located in a park- like setting on 1.87 Acres. Access to the Gulf of Mexico. View at Owner/Agent MLS#507017 $899,000 Call Phyllis Rollo At 941-416-1164 189 MEDICI TERRACE $50,000 PRICE REDUCTION SEE TODAY So many upgrades in this new 3 BR+ den home over- looking lake. Fabulous... pool/ spa/ waterfall. Large paver lanai. Upgrades inside include granite, tiled breakfast bar area, stainless steel appliances, pleasing floor plan w/great room.- schwartz.net MLS#525275 $639,000 Call Stacey Schwartz At 941-441-5500 GORGEOUS VIEWS AND TOTAL PRIVACY Venice Palms 3 bedroom 2 bathroom with 2.5 car garage and Diamond Brite pool. Huge gourmet kitchen with Corian counters, center island, convection microwave, breakfast bar. Spacious family room plus living room and separate dining. V i r t u a I T o u r MLS#529251 $440,000 Call Charryl Youman At 941-468-5215 BEAUTIFUL POOL HOME WITH IN-GROUND JACUZZI. SPA Country Club Estates in North Port. Huge lanai sur- rounds caged pool. Large lot provides privacy Visit for more information on this home.. MLS#633550 '$329,900 Call CONNIE NOWELL at 941-628-0949 DAY DREAM BELIEVER! Born 2005. Three bed- room, two bath home with walk-in closets in all bed- rooms. Huge lanai area with pool bath. Light colors. All appliances including washer and dryer. MLS#649251 $279,000 Call RICHARD KNOPE at 941-426-0755 I _- $50,000 PRICE REDUCTION- -BEAUTIFULLY APPOINTED ESTATE HOME Venetian Golf & River Club. Designer deco- rated, spectacular pool & spa with fire pit for entertaining at its finest. Fabulous lake cul- de-sac homesite. Visual Tour s.com MLS#516416 $889,000 Call Team Venetian At 941- 270-7363 226 PESARO DRIVE LOWEST PRICE ESTATE HOME on the market! Lake view 4 bedroom, 4 bath, separate imagination suite, 3 car garage. Visual Tour mes.com MLS#528403 $619,000 Call Team Venetian At 941-270-7363 ARCHITECTURAL DIGEST STYLE CUSTOM POOL HOME Gorgeous. 2002 3/2/2 with high-end upgrades including HUGE gourmet kitchen, Corian countertops, crown molding, designer tiles, double tray ceilings. Enormous Master Suite, spacious formal living, dining AND family rooms. Solar heated pool. V i r t u a I T o u r MLS#527959 $432,000 Call Charryl Youman At 941-468-5215 SPLISH! SPLASH!! Beautiful pool home close to everything. Completely updated with lots of upgrades and extras. Large RVpad for your Motorhome or Boat. Walking distance to beaches. View a virtual tour at teammc- nicholas.com MLS#527608 $329,900 Call Mcnicholas Ginny At 941-830-1777 2721 LOGDSON NORTH PORT New custom home city sewer city water 3/2/2 formal dining or office. Hurricane win- dows, security system, built in bookcases in great room. Ceramic tile, berber carpet, solid countertops wood cabinets in kitchen. Screened lanai area of new homes. MLS#639494 269,900 Call FRAN TEMPLE at 941-423-0211 DEEP WATER NO BRIDGES TO THE GULF! Take in the spectacular views as you troll along the Trenton and Havana Waterways on your way to the Gulf MLS#531770 $799,900 Call Phyllis Rollo At 941- 416-1164 - LUXURY HOME ON GOLF COURSE Exceptional Home in Sabal Trace Golf Course Community with lake views. Gated entrances and deed restrictions. Beautiful views from entire house. The details are too many to list. Must See !! A True Luxury Home. MLS#650890 $599,900 Call MIKE NICKLOS at 941-258- 4926 MY LOSS IS YOUR GAIN This maintenance free grand villa at Venetian Golf & River Club is the lifestyle you have been looking for. Just. reduced $40,000 way below cost. 2BR/2BA, den, numer- ous upgrades with great view, brand new. MLS#506154 $399,900 Call Judy Mazrin At 941-922-7030 FREE PUMPKINS POOL HOME! 4751 Alibi Terrace, NP. Handsome 2003 home, gourmet kit. w/maple and Corian, 3 BD/2BA, family rm. Heated pool w/cover & fence. Hurricane shutters, 2CG, Privacy. US41 L. on Cranberry, more homes at MLS#527789 $310,000 Call Toula Xistris At 941-468-0258 MAKE AN OFFER- BUYER INCENTIVES Seller is offer- ing incentives to the buyer for this home. Brand new and BEAUTIFUL. This 3/2/2 is on a quiet canal. Visit my website- ity.com for details. MLS#518028 $269,000 Call Eva Scherer At 941-681- 3286 166 MEDICI TERRACE INSTANTLY FEELS LIKE HOME. MANY custom finishes, hardwood & tile flooring. Wood closet organizers. New immacu- late 4BR 3 BA wide open with tray & volume ceilings, crown molding. Magnificent custom pool & spa. Venetian Golf & River Club. om MLS#526768 $710,000 Call Team Venetian At 941-270-7363 CAPE HAZE POOL HOME St. Claire custom home. 3 Bed, 2 Bath, 2 Car garage with. caged pool. Immaculatly kept. Visit 770.mccraneytea m.com for more information and a virtual tour. MLS#491770 $530,000 Call Linda Mccraney At 941-468-2076 WHAT ARE YOU WAITING FOR? PRICED RIGHT, NEW never lived in. Nicely upgraded preserve view. Rosa style home. Venetian Golf & River Club with endless amenities. mes.comr MLS#508230 $389,000 Call Team Venetian At 941-270-7363 VENETIAN GOLF & RIVER 230 PESARO DR PRICE CLUB Elegant living at its BLOW OUT 3 BED 3 BATH 3 finest brand new 3/2.5/2 CG plus den, plus parlor plus 2477 SF home features formal dining plus breakfast open split floor plan with nook plus a 56'x10' lanai. New unlimited upgrades health construction you be the deco- club tennis courts golf corn- rator! Venetian Golf & River munity lake & course view Club endless amenities gorgeous pool. MLS#518931. 695,000 Call Judy Mazrin com MLS#529737 $669,00 At 941-922-7030 Call Team Venetian At 941- At 941-922-7030 270-7363 101 BELLA VISTA TERRACE 1B SWEET DEAL Just bring FABULOUS UPSCALE CONDO your boat and tooth- IN GOLF COMMUNITY Large brushes! It's all here and 3BR/2BA/2CG. Tastefully It. s all her and upgraded. Desirable, active waiting for you. Perfect resort-style community. Open, condition 3/2.5/2 TOO many bright floor plan with plenty of tile, details to mention. wood cabinets, stainless steel Fabulous location too! appliances. Enjoy your lake and .K athowion rn golfcourse view! Visit- ceyschwartz.net MLS#530332. Call now MLS#531898 $499,900 Call Stacey Schwartz $499,000 Call Kathe At 941-441-5500 Owens At 941 -586-8931 UNIQUE FIND ON 3. Outstanding Tenbusch ACRES Custom built home built Lido 2 model. More w/pond. 4th bedrm w/bath & than 2200 sq.ft. living add I room & smaller lanai area, wood cabinets, all is private for your guests or walk-in closets, ceramic parents. Seller will consider tile, breakfast nook, caged allowance for closing costs. saltwater pool, on two lots. Lowest price in North Port MLS#650929 $359,000 Estates. MLS#651698 Call JO ANN TENBUSCH $369,900 Call LOIS Cat 941-426-3538 KOZAK at 941 -468-2973 at 941-426-3538 WHAT A VIEW! 459WEXFORD ABSOLUTE PERFECTION! CIRCLE This Augusta Villa at Brand new three bedroom, the Plantation Golf & CC is two and half bath home with beautifully furnished 2BR/2BA multiple ceiling designs, wood with expansive views of golf i net ranite cointer- course and lake. Newer cream- cabinets, granite counter berber carpet, neutral tile. tops, aquarium window lead- Private outdoor patio off kitchen ing to the lanai area. Open leads to utility room & storage. floor plan tile & berber car- View at: peting. MLS#647812 MLS#503248 $299,900 Call 299,000 Call RICHARD Cheryl Torres At 941-915-9026 'KNOPE at 941-426-0755 BEAUTIFUL HOME ON DOU- BLE LOT Spacious home with cozy family rm & fireplace. Oversized lanai. Home is situ- ated on 2 lots. Includes all appli- ances. A second laundry tub is located in garage. Garage has extra electrical outlets and shelv- ing. MLS#633635 $249,900 Call MIKE NICKLOS at 941-258- 4926 WWW. BOBTHEREAL- ESTATEBUILDER Beautiful 3/2 home,. totally updated in 2004. Large and nicely land- scaped yard with fruit trees. Sit by your living room fire- place on a cool Florida eve- ning or lounge on your screened lanai on a warm Florida night. MLS#506029 $239,900 Call Robert Overholt At 941-447-4028 NEW QUALITY TENBUSCH BUILT HOME 3 Bedroom 2 bath 2 car garage over 1900 living area with wood cabi- nets, granite counter tops, walk in closets, upgraded features and great land- scaping. See it now! MLS#646729 $283,900 Call JO ANN TENBUSCH at 941-716-0345 PRIVACY PRIVACY PRIVACY PLUS ELEGANT UPGRADES Venice Golf and Country Club 4/ 3/3 plus den, no houses behind, heated waterfall pool with spa, outdoor kitchen, granite, stain- less and oversized rooms. Completely remodeled in 2003. MLS#527740 $639,900 Call Charryl Youman. At 941-468- 5215 WIDE WATER LAKE VIEW POOL HOME Prestigious Pelican Pointe 3/2/2 loaded with upgrades. Motivated seller offering $5,000 upgrade allowance so you can add more. Cul-de-sac location for quiet privacy. Immaculate. VirtualTour- ouman.com MLS#529886 $459,000 Call Charryl Youman At 941-468-5215 VENETIAN GOLF & RIVER CLUB BEAUTY Perfect in every way immaculate 3/2/2 maint. free home with spec- tacular lake view 2 com- munity pools health club tennis courts golf community call about this house & live the good life. MLS#531620 $349,900 Call Judy Mazrin At 941-922-7030 : OVERSIZED CORNER LOT N" c e 3 p i ln:'.h-. r ,13rn r..:.,mil iIr, lormaI l,'ing r.':nrr ard dining room,ceramic file ,& wood floors. Beautiful kitchen with granite counters and island.Tray ceilings.Jacuzzi tub in master bath. Oversized cor- ner lot with nice palm trees and fruit trees. MLS#649524. 279,900 Call OKSANA MELNICHUK at 941-408-3545 W W W. BOBSREAL- WELL KEPT UPDATED ESTATEPLACE.COM Bring HOME 3/2/2 split level home. all offers. A good buy just Has lots of upgrades.Tile and got better. This 2/2/2 has wood laminate floors. Formal Living room & dining been meticulously main-, room.Garden tub in master trained and is located along bedroom. Nice sidewalk around the 7th fairway of The house with large patio by Palms For details above ground pool.Fruit trees. MLS#527459 $239,900 Agent owner. MLS#649532 Call Bob Rowe At 941-585- 239,900, Call OKSANA 9548 MELNICHUK at 941-408-3545 CHESTNUT CREEK VILLAS 412 Pendleton Drive, is available for immediate occupancy. 2BR 2 BA 1 CG has newer appliances, new roof in '04, office/den off living room adds additional living space. Screened lanai with out- door brick paver patio overlooking quiet greenbelt area. 55+ com- munity with heated pool & tennis courts, MLS#531143 $219,900 Call Cheryl Torres At 941-915-9026 GREAT LOW PRICE FABU- LOUS LOCATION Value! Price reduced! 2BR/2BA home near Manasota Beach. Great deal, priced lower than most in active pool community, low- maintenance fees, well main- tained and lots of updates." Come see today.- schwartz.net MLS#517901 $175,000 Call Stacey Schwartz At 941-441-5500 PRIVATE LOCATION CLOSE BEST VALUE IN ENGLEWOOD TO EVERYTHING Visualize you 11098 Deerwood Ave. This 1 and your family in this brand owner immaculate home is new CCI Model, The Boca ready for your family to move in. Grand. This home has 3 bed- Everything in tip top shape, pri- rooms with the possibility of a vacy, trees, manacured lawn 4th, a knockout master suite with and window treatments. 5 min- a garden tub and is in an area of utes to beaches, boating and new homes. golf. 3/2/2 Make an offerll www. TwoMoores.com MLS#531783 $209,800 Call MLS#638160 216,900 Call Dawna Oyler-Bruner At 941- SHANNON MOORE at 941-276- 875-6621 8142 PRICED TO SELL $175,000 3 Bed 2 Bath home on an oversized lot PRIVATE setting! Home is in great condition ready to move-in!! Visit m.com for more info and photos. MLS#530226 $175,000 Call Rich Mc Craney At 941 -468-5201 -a. VISIT THE SPRINGS A pleasant surprise, in the beautiful Warm Mineral Springs area. Spacious with inside utility room, tiled living & florida rooms, on a quiet street in low traffic area. Owner is Realtor. MLS#650571 $174,900 Call HENRYK SLEPECKI at 941-426-0755 GULFTOGOLFMAS- TERS.COM Waterfront in a desirable Englewood neighborhood. Blowout price $200,000 $5,000 bonus to agent/broker. need a quick sale MLS#508702 $200,000 Call De Masters At 941- 544-8371 WOWH SWEET DEAL 3 possible 4 bedrooms on a double corner lot. Great in- town location and recently updated. This super buy is ready and waiting for YOU!! katheowens.c om MLS#532401 $159,900 Call Kathe Owens At 941- 586-8931 ROCK BOTTOM PRICE FOR NEW HOME BUILDER'S Builder's warranty on 2006 home including all appliances. 3 bedroom, 2 bath, 2 car garage. Huge walk-in closet in the master bedroom and wood cabinets in the kitchen and bath- rooms. It is located close to 1-75 and all 3 schools in North Port. . Visit MLS#630047 189,900 Call SHANNON MOORE at 941-276- 8142 A SHINING JEWEL! Beautifully maintained. Don t let the sqftg fool you! Kitchen redesigned, tiled lanai w/screen & vinyl, shed, newer roof, newer windows . Beautiful yard & great loca- tion. See & be pleasantly surprised! MLS#651501 $149,900 Call LOIS KOZAK at 941-426-3906 'A " YOU CAN STEAL FOR ONLY $189,900 This fresh waterfront 3 bedroom, 2 bath home is also tastely furnished. Nothing to do but move in. Totally remodeled home with enclosed lanai overlooking the Cocoplum waterway. Very clean and bright plus a work- shop. MLS#642299 $189,900 Call LUCILLE MAILLET at 941-716-0345 [.. ; . BACK ON THE MARKET $110,000 Handyman special 1 Bed 1 Bath on a huge lot. Convenient loca- tion to everything. Visit m.com for more info and photos. MLS#528658 $110,000 Call Rich Mc Craney At 941-468- 5201 . -r, WOW! WOW! ONE OF A KIND 3/2/1 something for everyone in this totally remod- eled home. Large 18 x 20 family room, separate work- shop or second garage. Wonderful landscaping with fountain in the backyard. Walk-in closet, wood cabinets. MLS#633219 $179,900 Call LUCILLE MAILLET at 941- 426-0435 WATERFRONT IN HARBOR COVE Furnished 2 Bedroom, 2 bath with 99 yr lease. Enjoy all the amenities for just $99 per yr. Large Florida room, & storage shed. Located in pet section. MLS#651680 $88,000 Call LOIS KOZAK at 941-426-3906 Prudential Florida WCI Realty VENICE 1779 Tamiami Trail South 941.207.5055 ENGLEWOOD 298 S. Indiana Avenue 941.475.3600 NORTH PORT 14601 Tamiami Trail 941.426.0755 2()2006. An independently owned and operated member of The Prudential Real Estate Affiliates, Inc.Prudecntial is a service mark of The Prudential Insurance Company of America. Equal Housing Opportunity.r Vist W RL P O E R I S.CO t vew ve 3milin roertie s fro arund -he Sorl Pane 12 THE SUN Sutn Co Southwest Florida's Guide To Building & Rem a modeling Your Home dealing Your H om e ..........,..... ..,......... . Sunday, October 22, 2006 Editor: Donna Davidson at ddavidson@sun-herald.com A section of the Sun What are today s retirees looking for'? "Cop pyrighted Material S ....Sndicated Content Available rom C ommercial News Providers" WMA 4 -dWPM Stoneybrook At Venice 'I liii. * Estuary Cove Inaugural Homes Honmes from the $200's * Estates Homes from the $300's * Manors Homes from the $300WO I . * Large lifestyle recreational campus with resort-styie pool, state-of-the-art fitness center with onsite activities director, in-line skating rink, lighted tennis courts, basketball courts, sand volleyball courts and more * Gated entry * ,lat!Are Trail and Butterfly Garden * Convenient to 1-75, shopping, Jelks State Park, great schools and more 11 N R.YJI~ * *~ Xd-iT' i i ( 'M 04 7 I j' .-I ,la. & u4... .. . .- ~ L, -jic r ril -n C- h A 1~ rSarasota.com Page 2 D/E/N/CN The Sun Venice Gondolier Sun Sunday, October 22, 2006 Budowc peocrs V"Copyrighted Material - Syndicated Content w w ^Available from Commercial News Providers" ft dE - - HERONV CREEK 3401 S. Sumter Blvd. North Port, FL 34287 Between U.S.41 and 1-75/ Exit 182 (941) 423-6755 Toll Free: 877-334-3766 David Weekley Homes Winner aradeOfHomes "BEST KITCHEN "BEST OUTDOORS" Our Models Are Located At 8475 Gasparilla Rd & 16922 Toledo Blade Blvd. Let Us Build On Your Lol Or Ours 16922 Toledo Blade 1 Mile From Hwy 41 8475 Gaspaiella Rd. 1941) 206-2055 (941) 766-0122 LC 6 CBC( 1 11-- ., - - - S., .. .. ...... .. - . ...., .. .. .. Tr0oicaire Blvd -As =70 053062 JDARAMOUNT QL QUALITY HOMES SToledo Blade ic. K, m %i. Firic right 10 Lodetr Map #3 I CRC 132o442 NEW Inventory Homes Available From $199,990 Visit our "St. Vincent" Sales Model (941) 423-2100 .:H ome Masters WConstruction,1Corp.. H.Stt eCetifire d.LicenseC 033157 .M. o p. 423-6144 4090 W. Price Blvd. "Service is our Reputation" SPECIAL CENTIVES! NEW INVENTORY Mon-Tues-Wed NEW INVENTORY n Thurs-Fri-Sat HOMES 10am-5pm AVAILABLE. -,- tumeS QA{ r~ .u Sunday 941-429-2200 / Noon-5pm One block off of Toledo Blade on Kenvil Drive 3 1a~*',. 941-429-7 -i ..rclrcinnnon F772 PRE- es.com CONSTRUCTION SAVINGS "r H o aL Call Today Siiie~lIfq oFor Appointment "More Home For Less" H IQuality Brand New Construction U MODEL HOME at 1711 Nafta/ Rd. U North Port, FL 34287 941-423-9910 CGC057080 233062 WATCH EVERY SUNDAY FOR NOVUM CONSTRUCTION Visit our 'Irena' model -from $234,000 Winner of Six 2005 Parade of Homes Awards! 3805 Price Blvd. North Port, FL $29,9000BUYER'S BONUS DURING OCTOBER DAILY FROM 11-4 941-423-3028 edar Grove O Gypresaf AT THE WOODLANDS AT THE WOODLANDS A TRADITIONAL FAMILY ACTIVE ADULT LIVING NEIGHBORHOOD Growing close to everything. WITH NEIGHBORHOODS ' Visit our new, on-site r sales center open daily rENTEX -7S Call 941-423-5316 or rom75,xi 179 Toledo BldeSoth, visit centexhomesom 1/2 mile on left *North Port,Florida W INDE/MERE HOMES, InC. ildding x Q t Q fufaestyled! 429-0239 NORTH PORT'S BUILDER FOR OVER 20 YEARS Stop in MOVE INTO A BRAND NEW HOME NOW! f d j ~4640West Price Blvd. or detailed Email: windemerehomesinc@comcast.com location map . NEW MODEL NOW OPEN '0 9Maintenance Included Golf Villas Villas f a From the mld-$200's Sabal race with 2-car garage! A Trace Co.., (941) 423-9797 ---........ 'A (Itittd Commuuti~iy ^yyi^ T~ y ~ *"^ """'lM North Port's Hidden Gem .* Single-family homes from the low $300's SGatd,(941) 426-613 Coity with Si glefReaeational Center and Lagoon Pool i Bry (941) 426-6135 "*S THE NEWEST HOMES COMMUNITIES IN OUR I II MARKET iRSN Homes a Division of S om Schroeders Homes, Inc. 6th Generation Builder From the $200's with many quality standard features. Tiffany Deluxe Model: 16994 Toledo Blae Blvd. 1 (941) 624-0060 Webite: * ~T, .'~ - i -- . I I#GC55s - - 9 " a I 44, Venice Gondolier Sun Sunday, October 22, 2006 Page 3 DIE/N/C/V The ~ Sun T t ol t z;w 1, Ml;# t ir 77. m in aR. ngyoul., W.W. 7T dIT nal J., 2863 Suncoast Lakes Blvd., Port Charlotte I (941) 613-1506 2 miles west of 1-75, exit 170, then left on Suncoast Blvd. The Madiera Lot #148 2,216 sq. ft. $235,000 The Siesta Lot #161 2,048 sq. ft. $299991- $225,000 ..w-/ / Banyan Bay From the $360's SCreek's Edge at Heron Creek From the $430's SPromenade at The Forum Castillo Series From the S330's Chateau Series From the $380's Palazzo Series From the $450's SRemington Oaks From the $500's 1r River Hall Family Homes From the $350's Golf Homes From the $430's Sandoval From the $300's Solana at Heron's Glen From the $220's SSuncoast Lakes From the $250's k239) 225-5772 (239) 633-8669 (239) 939-4907 1239) 462-5213 (239) 939-5107 1239) 283-8571 (239) 939-5107 t941' 613-1506 RYLAND HOMES sPh)Go shoppi rig e.[pe c-valir n rly or s4m:r how, PtIrr~hased be [wemn 10 5 Ot arnd 0,311 06 Hone rnumi (du~by 1? 31 06, and [iuyt ofrnuc I u,-Pyland Mi 'lgrage S3,000 Rorrm- 1cGo gn Ofrfiar I]Idiad 1ahli dsrin, [1)1 uedeerniati Iirash May nor bf- (in. i-d wilh any oWhetoi rjtlif.- ilo 10Ryland F[IMyers Divisinornljiy All prices. plans, (earures. and sperial otlpisae .btiI'haawthunncSeSls(oreiiI dri 20,Pyrd(6598 Suncoast Lakes p Venice Gondolier Sun Sunday, October 22,2006 Page 3 D/E/N/CIV The sun 0' . e C e -0- 6DOo "'1 * Luxurious Estates surrounded by the tranquility of nature * Gated Community * Each Home has a swimmingpool * The 2-story Grande St. Charles LSV offers 3,201 sq. ft. of living space, with 4 bedrooms, 4 baths, a loft, 3 car garage, and a swimmingpool. Homesite #122 o $687,900 (941) 929-1707 * Convenience and beauty of living on the golf course * Very low community fees, No CDD * One and two-story plans Available * The Ascot features . 1,996 sq. ft. of living space with 3 bedrooms, 2 baths, 2 car garage, swimming pool, and golf course view! Homesite #A036 M $362,900 (941) 729-4253 Ever visit a beautiful model only to find out all those amazing features are expensive upgrades? Rest assured with Lennar, the price you see is the price you pay. You know exactly what the price is because Everything's Included. Thousands of dollars in Everything Incdudiecr homes premium features for not a penny more. Seeing is believing. Visit one of our models and see for yourself. FAIRWAYS OF IMPERIAL LAKEWOODS (941) 729-4253 Golf Course Community Ascot 3 br/2 bath/2 car/pool Homesite #A036 $362,900 * COVERED BRIDGE (941) 721-1682 Community Recreation Center Oakmoor 4 br/2 bath/2 car Homesite #4176 $299,900 CHELSEA OAKS (941) 776-9323 Community Pool and Cabana Redwood III 2 story/3 br/2V2 bath/loft/3 car, Homesite #89 $299,900 HERITAGE HARBOUR SLighthouse Cove (941) 744-5650 Townhomes Condominiums Cape Florida 2 story/3br/2/2 bath Homesite #0301 $199,900 Lighthouse Cove (941) 748-2731 Single family homes Cypress 2 story/3 br/2V2 bath/loft/2 car Homesite #3144 $264,900 RIVER STRAND GOLF & COUNTRY CLUB (941) 746-1482 Key West 2 br/2 bath/2 car Homesite #4144 $374,900 F of Mexico 0 COUNTRY MEADOWS (941) 747-4424 Country Living / Large Homesites Liszt 3br/3 bath/3 car Homesite #1040 $499,900 O GREYHAWK LANDING (941) 747-6294 Luxury Homes St. Charles Executive 3br/2 bath/den/3 car Homesite #3021 $458,900 0 LAKESIDE VILLAGE (941) 727- 9550 Townhome Condominums Preview This Weekend Cape Florida 3 br/2 bath Homesite #1107 $181,900 O RED HAWK RESERVE (941) 929-1707 Luxury homes Grande St. Charles LSV 2 story/4 br/4 bath/3 car/pool Homesite #122 $687,900 O STONEYBROOK AT VENICE Community Life style Center Inaugural Homes (941) 493-6904 .Birch 3 br/2/2 bath/loft/2 car Homesite #2147 $239,900 Estates (941) 492-3466 Berkshire 4 br/2 bath/2 car Homesite #1114 $369,900 Manors (941) 493-5846 Oxford 2br/2 bath/den/2car Homesite #1323 $299,900 O STONEYWOOD COVE (941) 408-7984 2-Story Townhomes Cape Florida 2 story/3br/21/2 bath Homesite #3079 $186,900 SHERON CREEK (941) 426-1466 Luxury Golf Course Community Grande Weston Flex 2 story/3 br/ 21/2 bath/den/bonus rm/3 car/pool & spa Homesite #828 $449,900 SABAL TRACE VILLAS (941) 423-9797 Paired Maintenance-Free Villas Villa 2br/2 bath/den/2 car/lakeview Homesite #1132 $213,900 TALON BAY (941) 426-6135 North Port's Hidden Gem Dover Flex 2 br/2 bath/den/2 car Homesite #2013 $299,900 SOUTH GULF COVE (941) 426-1466 14 Specially Selected Homeites Berkshire 4 br/2 bath/2 car Homesite #2003 $312,900 Welcome Home Center Open 9:00 am 6:00 pm Monday Saturday 10:00 am 6:00 pm Sunday for Driving Directions TY,e m %s; , S p t 'A' Xt-K Toga -,.4 Venice Gondolier Sun Sunday, October 22, 2006 Page 5 D/E/N/CN The ~ Sun Boca Lago welcomes Mr. and Mrs, Rice Get more of what you're looking for in your SUN Newspaper! A~ria sBESTComu it ai PROVIDED BY BOCA LAGO beingE aymond and Pat Rice are Leon I the first residents to bike tc Move into Boca Lago at The Vivante, children a luxury condominium girl, an community in Punta Gorda. grand Originally from Massachu- family setts, the Rices moved to home. Punta Gorda more than two Boca years ago. Pat, a seasoned feature Realtor and real estate miniur investor, works for Berson Compe Real Estate and Raymond plans renovates and restores the from 1 homes the couple purchases. feet of Now settled into their new space. 2,100 square foot condomini- feature um, the couple is looking appoir forward to the amenities that upgrac Vivante will offer, "We can't tile, Mi wait for the gym and the pool of these is gorgeous. We enjoy being With active so all of the amenities house are perfect for us." piece c The couple also enjoys 12,000 so close to Ponce de Park, which they walk or Sin the evenings. parents of three grown en, two boys and one id grandparents to one child, the Rice's entire will enjoy their new a Lago neighborhood es 381 luxury condo- ms built by Bove any. There are five floor available ranging in size ,076 to 2,198 square air-conditioned living The condominiums e the finest interior itments, including led appliances, ceramic oen fixtures and views surrounding lakes. tin Vivante, the Club- is the social center- f the community. This square foot hub .w - " features a media room, billiards room, exercise facility, a spa and a resort- style pool. There are numer- ous recreational opportunities with walking paths and six Har-Tru tennis courts. The residences in Vivante are priced from the $400,000s to more than a $1 million. Offering a location minutes from historic downtown Punta Gorda, Vivante is located only a few hundred yards from Ponce de Leon Park with its white sandy beach and boat launch. For more information, please visit the Vivante on-site sales center at 2950 West Marion Avenue in Punta Gorda. Call 941-833-8999 or toll- free 1-800-901-0106 or visit the community Web site at. -- ., .M- - o W -: "Copyrighted Material -- -' Syndicated Content - Available from Commercial News Providers" - -~. a - ~ -a - -- *- - 0 a 0 'S a a 0 S a .~ ~- - 0. - 'S- -~ 'S.- - - -a - - a -~ - * - a - = 0 a a a - -~ -~ a * -.- - - a - - -a - ~- ~ - 0 -~ - -~ a a - - 0 0. a - ~- ~. - .*-~ - -- a- a- --a -a-- a a a-. - - a - a. - 0 a a - - -a- a- - - - IsALL IGH- HEE.. FOOU IGH NOW] RYAN a - e 41W ' .qlpp - 4b - 47._- a w 0 - p-.~ -~ Boca Royale, a Soudi Saraioia golf, tennis and Country Club gated communirv of Sexquisite single-family homes on large beauiifull) landscaped lois, each home featuring a panorama of golf course, lake or nature preserve. An expansive palette of lhuurious model homes by award-winning builders Arthurs Rulenberg, Lee Welheringion Homes , and Thompson Custom Homes awail your inspection. Model homes that feature unrivaled architectural design, spacious and imaginative floor plans and premium finishes that add character, dimension, s le and extraordinary beauty . HOME/LOT PACKAGES FROM THE $600'S 1 MODELS OPEN DAILY 10-5. SUNDAY 12-5 PRIVATE & GATED AT 1601 HIGHWAY 776 -. 4 MILES SOUTH OF US 41 (941) 474-5525 OR (800) 348-4554 Schroeders Homes, Inc. Ahfh = .n H n .a,... (4) David Weekley Homes Winner Parade Of Homes "BEST KITCHEN" "BEST OUTDOORS" Our Models Are Located At 8475 Gasparilla Rd & 16922 Toledo Blade Blvd. -: Let Us Build On Your Lot Or Ours. 7. t Contact 941-698-4033 , h MI111ln1 o I.,... -~ - ~- - ~. -~ -~ - 'S ..~ - ---~ 'S. m .~ ~ -.~ -.'S - ~ a- - a - a~'S~ - a- *- .~ 'S ~0 - - 'S * 0 -- - a- -~ a - a. a LENNAR. ttsk ibout oti FREE pool promotion! -0 Venice Gonclolier Sun Sunday, October 22, 2006 Page 5 D/E/N/C/V I.- T h S u n Venice Gondolier Sun Sunday, October 22, 2006 Page 6 D/EIN/CN The ~A~t Sun Yes, you can avoid buyer's remorse OGQ p "Copyrighted Material Syndicated Content- Available from Commercial News Providers" - - 0 I . - - 40 40 - 4-1b -. a 9 ~ - .e a - - - FROM PAGE 5 net- work of local trails, and Hilton Head Island's 20 miles of public pathways along with its 12 miles of beach. "My wife and I love to take out our - ,,,mom a - hybrids do%.nI -- - .911"m 4b. City to Bluffton, and wasn't able to because the roads around us were so busy," says Ms. Heitman, 60. Her group lobbied South Carolina officials to widen highway shoulders to accom- modate -o - - - be a a- - ~ ap O- - -Ni some- thing that will help our children and grandchildren." w -- 0-0 - f-- w Sun Coast Homes is a section of the SUN, 23170 Harborvlew Road, Port Charlotte, Fla. 33980 Donna Davidson, Features Editor 941-206-1164 For advertising questions, please call: Advertising Manager Debbie Dunn-Rankin 941-206-1500 Account Executive McrciaierSun 866-357-6204 Sales Consultant Larry Larson for DeSoto Sun 888-690-6204 - Builder Pays $10,000 in Closina Costsl Unbelievable $279,900 available immediately INCLUDED FEATURES V 2 Bedroom + Den, 2 Bath, Great Room w/laundry room V 2 car garage V Tile floors throughout main living areas V Berber carpet in bedrooms and den " Solid Surface counter- "-1 tops in kitchen V Complete kitchen appliance package all Natural gas Bobcat Trail Golf & Country Club ; Exit #179 Toledo Blade Blvd. A 1-75 South I The St. Croix 1600 Living 1626 Entry 68 Lanai 186 Garage 433 TOTAL 2313 DIRECTIONS: 1-75 to exit 179, right on Toledo Blade Road, 2.5 miles to guarded entrance on the left, go straight, then right on Kentia Way to Sales Center. ......... -. - a - 0 - - - - w- - -.,im. ,I W 4 . 40 S 0 - q FATURE HOM Venice Gondolier Sun Sunday, October 22, 2006 Page 6 D/E/N/CN . 41. 0 -. a - .. The Sun. Contact Us | Permissions | Preferences | Technical Aspects | Statistics | Internal | Privacy Policy © 2004 - 2011 University of Florida George A. Smathers Libraries.All rights reserved. Acceptable Use, Copyright, and Disclaimer Statement Powered by SobekCM
http://ufdc.ufl.edu/UF00028295/00277
CC-MAIN-2017-34
refinedweb
82,031
77.23
OK figured it out (@jps the 3rd post is actually for ST2). I didn't know how command names are mapped from their classes to the actual command name, but it turns out that CloseTagCommand is avaiable as "close_tag". After that it works great! EDIT Also, to prevent it from closing tags such as or use this RE:regex = re.compile('<(\w+) ^/]?>') Sorry for my ignorance. I just started trying SublimeText so far, and like it a lot. But I really want tag closing. This is what I did: 1) Went to Tools > New Plugin, and pasted in this: import sublime, sublime_plugin, re class CloseTagCommand(sublime_plugin.TextCommand): def run(self, edit ): leftOfCursor = self.view.substr(sublime.Region(0, self.view.sel()[0].begin())) regex = re.compile('<(/?\w+)^>]*>') tags = regex.findall(leftOfCursor) opentags = ] for tag in tags: if tag[0] == '/': if opentags-1] == tag[1:]: opentags.pop() else: opentags.append(tag) if len(opentags) > 0:' self.view.insert(edit, self.view.sel()[0].begin(), tag) I then saved it to the default plugin directory: C:\Users\~\AppData\Roaming\Sublime Text\Packages 2) I then went to Preference > User Key Bindings, and pasted in the command I found here like this: <!-- Place your key bindings in here, this will ensure they don't get overwritten when installing new versions of Sublime Text --> <bindings> <binding key="ctrl+period" command="closeTag"/> </bindings> Hitting Ctrl + . does not do anything though. And nothing shows up in the console when I do. How can I make this work? Thanks It looks like you're using a Sublime Text 2 plugin but a Sublime Text 1 keybinding. Which version are you running?A Sublime Text 2 keybinding looks like this: { "keys": "ctrl+period"], "command": "close_tag" }, You're right, I was using 1.4 Switched to 2 and it works great! Thanks I've just followed through the instructions above on a Mac. But when I try to run it using CTRL-period, I get the following output in the console: no command for selector: noop: I've copied the code in ~/Library/Application Support/Sublime Text 2/Packages/User in a file named: close_tag.py And added the following line to user key bindings: { "keys": "ctrl+period"], "command": "close_tag" } Am I missing something? period isn't bindable in OS X, however the next version is getting an input handling refresh, and it'll be bindable as "ctrl+." then. Then dev build will be available soon. You should take care when using regular expressions for parsing HTML, it is generally not a good idea. There are other far better tools for that purpose. Parsing HTML with regular expressions will only add to your list of problems. You might find this post interesting on Stack Overflow: Which one? For the purpose of this plugin, it will work the majority of the time. It's meant to be called manually so I think it's more than good enough. But if you know of a good parser than can be easily integrated, it could lead to for interesting plugins. The parsers I've used are meant to extract information: they return a tree that doesn't have the character position of the nodes in the document. Having the same issues, any info on how we can get this working? Such a handy Textmate feature. { "keys": "super+."], "command": "close_tag" } ] Use the above. thanks for this, really helped me a lot moving from textmate. If anybody is interested I have created a plugin that auto closes tags when entering "</" (if mapped to the "/" key).Please have a look at github.com/kihlstrom/CloseTagOnSlash @wastek THANKS! I love this plugin and for me is in top 5 sublime plugins @wastek Good stuff, thanks for sharing. I made the following change which removes an extra closing '>'. if tag is not None and not tag.endswith('>'): self.view.insert(edit, self.view.sel()[0].begin(), tag + '>') elif tag is not None: self.view.insert(edit, self.view.sel()[0].begin(), tag) Thank you all for finding it useful! @voxmea Thanks for the code fix! In what situation did you get the extra closing '>'? (I have not been able to reproduce the behavior.) @wastek If I had more than one open tag (maybe on the same line?) I would get an extra closing '>'. Fixed a bug in "CloseTagOnSlashCommand" where nested tags of same type resulted in one of the tags being treated as open even if it was closed. See github.com/kihlstrom/CloseTagOnSlash for the latest version. @voxmea Thank you! I hope the bug you found is gone as well now. If not please send me a message. Awesome! This is now included in Sublime since version 2111. How come I can't install this from the package manager? It is called "tag" plugin
https://forum.sublimetext.com/t/closetagcommand-closes-closest-unclosed-tag/996/18
CC-MAIN-2016-22
refinedweb
798
68.06
C0D312 wrote:Magic. TBH, I don't remember where. I actually think Jon posted it. Someone asked about copying the scope to the clipboard and he stepped it with his undocumented black magic. C0D312 wrote: I'm still claiming this as a victory. castles_made_of_sand wrote:C0D312 wrote: I'm still claiming this as a victory. This... is a knife... hahaha C0D312 wrote:I'm sorry, you're too late. quodlibet wrote:I use the code provided by adzenith here: viewtopic.php?f=3&t=1646&p=7545&hilit=scope+clipboard#p7545 YMMV, but I find this plugin less intrusive as it prints the scope to the statusbar (allowing for quick inspection), but also to the console (which allows you to build lists as well as selective copy & paste). It's also faster if you want to inspect several sections, as you don't have to deal with the popup every time. quodlibet wrote:I general, I find this functionality to be super useful. Does anyone maybe want to round this out with a couple of options (e.g., disabling the pop-up) and throw it in Package Control? import sublime, sublime_plugin class PrintScopeNameCommand(sublime_plugin.EventListener): def on_selection_modified(self, view): sublime.status_message(view.scope_name(view.sel()[0].a)) Return to Technical Support Users browsing this forum: No registered users and 13 guests
http://www.sublimetext.com/forum/viewtopic.php?f=3&t=3048&start=10
CC-MAIN-2015-27
refinedweb
221
59.7
Welcoming my new colleague Carol leads to a renewed look at getting started: - Access permission to load my first add-in - Assembly path and buttons missing - My first Revit plug-in todo - Books on Python for Revit Dynamo - pyRevit saves insane amounts of time - Newtonsoft Json.dll version conflict - Lost in the World by Steve Cutts Access Permission to Load my First Add-In I probably pointed beginners to the Revit API getting started material several thousand times already, and sincerely hope that it provides a couple of useful pointers for them. Still, people keep running into problems anyway. A colleague hit another unexpected obstacle last week: Question: I dived into the Getting Started with Revit platform API, following the DevTV tutorial by Augusto Goncalves. None of my commands appear on the Revit UI > Add Ins > external commands. Answer: One thing you ought to read is the introductory section of the Revit API developers guide. It tells you exactly what to do to install and launch your add-in. It is shocking if that information is not clear and does not work in the tutorial, though. Thank you for bringing it up! Installing a Revit add-in is really simple, but people run into difficulties like you describe anyway. There are only two relevant components: - Add-in manifest file *.addin - .NET class library assembly DLL These are the important steps: - The DLL must implement IExternalCommand; that means, it must implement the Executemethod. - The add-in manifest must point to the DLL and must be placed in the Revit Add-Ins folder for Revit to find and load it. - If the DLL and add-in manifest both reside in the Revit AddInsfolder, the full DLL path can be omitted; otherwise it must be specified. That is really all. There are thousands of places explaining it; they all say the same thing. Good luck and lots of fun with the Revit API :-) Response: I have not had any luck since yesterday about my add-in not appearing in the Revit external commands. I have carefully structured my code correctly. The add-in manifest file is pointing to my project .dll file. My project class explicitly implements the IExternalCommand interface and fires up the Execute method just fine. I don't understand what the issue could be. Update: I managed to debug my code. Kindly, ignore previous message. The location of my manifest add-in file was locked. I guess that happened when my account was set up. The location needed permission to be accessed. This path: - C:\ProgramData\Autodesk\Revit\Addins\2022\ I utilised the try and catch exception to see the issue. Once I gave access permission, the add-in file is now visible; it worked! Assembly Path and Buttons Missing Another issue getting started was resolved by decompiling and analysing the add-in .NET assembly DLL using IL decompilers, "Failed to initialize the add_in_name because the assembly path_to_an_add_in_DLL_file does not exist" when launching Revit: Question: I've exhausted every resource possible and can not figure out what the issue is. Button images won't show and I keep getting this message launching Revit when I try to use the command: Failed to initialize the [add-in name] because the assembly [path to an add-in DLL file] does not exist But I may have been trying to run before I learned to walk with this one. The only thing I'm not understanding is why the commands work fine in the addins but the buttons can't find them. Answer: Maybe your add-in is trying to reference a .NET assembly DLL that cannot be found when Revit tries to load it. Looking at the list of namespaces that you reference in your source code using statements, I see nothing but standard Autodesk Revit, Microsoft and .NET assemblies listed. So, they should all be present and accessible. Are you using anything else elsewhere in your code that is not obvious from that list? You might be able to use tools like fuslogv to analyse your add-in dependencies during load time, as suggested in the note on exploring assembly reference DLL hell with Fuslogvw. Response: Looks like I'm getting some XAML Binding errors during debug. Update: I got one of the buttons to work correctly after I put the full path for the assemblies: - C:\ProgramData\Autodesk\Revit\Addins\2021\TpMechanical\bin\Debug\TpMechanical.dll Update 2: The IL decompiler did the trick! The full class name was pulling as a different name. Now I just have to figure out the button images and I'll be in a good spot to start on my own plugins. Update 3: Just solved my image issue. I changed the resources to embed and used the full path to the resources. Seems to have done the trick. My First Revit Plug-in Todo The My First Revit Plug-in tutorial available from the Revit Developer Center needs an overhaul, as the Revit API discussion forum thread on Revit Add-ins Tutorial needs an update for version 2021.1 points out. Our new team member Carol Gitonga is just getting started with the Revit API herself and will very kindly take a look at it. Many thanks and a warm welcome to Carol! Books on Python for Revit Dynamo Discussing another area to get started in, Gulshan gulshannegi94 Negi updated the thread on books or other resources to learn Python for Revit Dynamo: Best ones are: - Learn Python the Hard Way by Zed Shaw a very popular author and a must-have book for any python student. In Learn Python the Hard Way, you'll learn Python by working through 52 brilliantly crafted exercises - Python For Data Analysis The book is a complete guide on processing, cleaning, influencing and gathering of data in Python. It is made for the area of data intensive applications and provides an excellent introduction on data analysis issues. It is the best source for understanding the various tools. - Python, In A Nutshell provides an easy guide on Python programming language. It is a perfect source when it comes to areas like the official library and language references. This book is to be read by those who already have their fundamentals on Python strong. It deals with many advanced and complicated areas regarding the subject. - Violent Python: A Cookbook For Hackers, Forensic Analysts, Penetration Testers Written by TJ O’Connor, this book is an introductory level book on Python programming language that provides a clear-cut understanding. This book will teach you to forge your own weapons using the Python programming language instead of relying on another attacker’s tools. It is the best book to read when it comes to security concepts and deals with forensics, tool integration for complicated protocols like SMB. It also demonstrates how to write Python scripts to automate large-scale network attacks, extract metadata, and investigate forensic artifacts. The book is apt to be used by those programmers who already have a good understanding of the Python language. - Python Machine Learning Unlock deeper insights into Machine Leaning with this vital guide to cutting-edge predictive analytics about This book leverages Python's most powerful open-source libraries for deep learning, data wrangling, and data visualization. Learn effective strategies and best practices to improve and optimize machine learning systems and algorithms. Ask and answer tough questions of your data with robust statistical models, built for a range of datasets. For more best Python book recommendations, check out the 10 Best Python Books for Beginners & Advanced Programmers. pyRevit Saves Insane Amounts of Time Talking about Python and Dynamo in Revit, Nicolas Catellier highlights 10 amazing pyRevit features to save insane amounts of time. As always, one of the best aspects of this is that it is all open source, so you access to source code for all the functionality presented. Newtonsoft Json.dll Version Conflict Question: A developer reported problems with their Revit add-ins. They make no use of any web services or BIM 360. Still, they cause problems with BIM360 under certain circumstances: - In Revit 2019 everything works as expected, the client can see their BIM 360 folders and files. - In Revit 2020 the client cannot access or see their BIM 360 folders via Revit, but they can see their organization. - The same is true for Revit 2021 and Revit 2022. - If the apps are uninstalled, Revit 2020 works as expected. - If the client upgrades their BIM 360 project to 2020 then Revit 2020 works as expected. - When we test on different machines, even with no apps installed, Revit 2021 and Revit 2022 doesn't even show the BIM360 organization. Answer: Probably some DLL in the customer’s add-on conflicts with Revit’s. Does it by any chance use Newtonsoft.Json.dll? After some analysis, I can see that it does indeed. The add-in uses Newtonsoft.Json.dll version 13.0.1, two major versions newer than the one shipped with Revit 2021, which is version 11.0.2. Probably they will have to downgrade the DLL. That is easy, if the app doesn’t consume any features only available only in versions 12 or 13. They also need to make sure not to explicitly load the DLL (and any other DLLs), e.g., using Assembly.LoadFromFile. In another case, a third-party add-in used the same version of Newtonsoft as Revit but explicitly loaded the DLL; this caused similar issues to Revit core functionalities. Yet another example of DLL hell resolved. Lost in the World by Steve Cutts To wrap up, a little non-programming topic: I liked the animated two-and-a-half-minute short film Are You Lost in the World Like Me? by Steve Cutts very much, leading me to check out several of his other animations. Happy Twosday! 2/2/22
https://thebuildingcoder.typepad.com/blog/2022/02/getting-started-once-again.html
CC-MAIN-2022-21
refinedweb
1,646
62.48
12 September 2008 12:27 [Source: ICIS news] LONDON (ICIS news)--Turkish polymers producer Petkim has slashed its polyethylene (PE), polypropylene (PP) and polyvinyl chloride (PVC) prices twice in a week and cut output at a time of particularly weak demand, a company source said on Friday. “Demand is very weak. We have also cut back our low density PE (LDPE) and PVC,” the source explained. “Two lines of PVC are down, and one of LDPE.” Petkim had reduced its selling prices on Monday but made the second cut on Friday. LDPE was first lowered $120/tonne (€86/tonne) to $1,890-1,900/tonne FCA (free carrier) Aliaga, and Friday saw another $100/tonne drop, leaving Petkim’s new LDPE offers at $1,790-1,800/tonne FCA Aliaga. PP first decreased $30-50/tonne, and Friday’s new drop of $60/tonne left homopolymer at $1,700-1,730/tonne FCA Aliaga. PVC fell by $110/tonne in total this week, to $1,230-1,290/tonne FCA Aliaga, depending on the grade. Petkim cut PVC output by a half and LDPE by a third at beginning of the week, according to the company source. It produces around 310,00 tonnes/year of LDPE and 150,000 tonnes/year of PVC in Aliaga. “The cutbacks will probably last until the end of the month (September),” he added. The big question mark in these markets was now over the level of demand that would be revealed in October. Some selling sources felt that the current low level of demand for all polymers in ?xml:namespace> Other sources saw a gloomier picture with ongoing weak demand leading to yet more price cuts next month. Petkim had already made several price cuts to its polymer products in August and early September. ($1 = €0.72) For more on polymers
http://www.icis.com/Articles/2008/09/12/9155903/petkim-cuts-pe-pp-pvc-prices-twice-in-a-week.html
CC-MAIN-2014-49
refinedweb
307
71.04
My Product Manager recently told me that he wanted to improve the friendliness of our products. He went on to explain that he liked the idea of displaying a tip of the day when the application starts, like what WinZip does: Which is OK, he said, but boring - just plain text with no formatting and no hyperlinks. So I tell him, no problem! - because I see that I can use my XHTMLStatic control to display the HTML. Throw in my XGlyphButton for some nice forward and back buttons, and the dialog will look really nice. I have to admit, I didn't start from scratch. I started with the Tip of the Day component from the Visual C++ Component Gallery. This dialog looks like this: I changed the dialog so that there are four areas, each defined as a STATIC control in the dialog resource: the side panel, the lightbulb, the header, and the tip. The side panel and the lightbulb STATICs are used as placeholders for retrieving the RECT. They are hidden by XHTMLTipOfTheDay. The side panel is painted with COLOR_BTNSHADOW. The header and tip STATIC controls are subclassed as CXHTMLStatic. This is my new dialog with the four STATICs outlined in red: COLOR_BTNSHADOW CXHTMLStatic The Tip of the Day component adds code to your project that will read and display tips from a flat text file. Each line of the file is one tip. Blank lines and comment lines are skipped. Here is part of the tips file for XHTMLTipOfTheDayTest: Welcome to the BozoSoft Primo App. This is the first tip in the tips file. This is the welcome tip, and will only be shown once. <br><br><b><font size="+6" color="blue">m_nTipNo = 0</font></b> <br><br><font size="+2" color="#ff9900"><b><u> <a href="app:WM_APP_COMMAND">Click here to see who wrote this</a></u></b></font> This is the second tip in the tips file. <br><br><b><font size="+6" color="blue">m_nTipNo = 1</font></b> <br><br><br><br><font color="navy"><u><a href="app:WM_APP_COMMAND"> More information</a></u></font> Each tip in the file must be a single line with no line breaks. The blank lines are included only for readability. XHTMLTipOfTheDay uses the same file format as the VC++ component. In the file, the first tip is the welcome tip. It is shown only once. After that, only the second through the last tips are displayed, with wrapping when the last tip, or the second tip, is reached. The welcome tip has its own Welcome header, as shown above. Subsequent tips are displayed with the header Did you know..., like in the following: Each of the tips in the demo app shows an APP: hyperlink, which allows the parent of the CXHTMLTipOfTheDayDlg dialog to process user clicks - to show more information, open a help file topic, etc. Regular HREF hyperlinks may also be used to link to a web site or send email. CXHTMLTipOfTheDayDlg HREF In the demo app, the text for the tip file is included as a custom TIPS resource: //////////////////////////////////////////////////////////////// // // TIPS // IDR_TIPFILE TIPS MOVEABLE PURE "XHTMLTipOfTheDayDlgTest.tip" This resource is extracted and written to the file Tips.tip with CreateFileFromResource(): CreateFileFromResource() DWORD CreateFileFromResource( UINT nID, // resource id LPCTSTR lpszResourceType, // resource type LPCTSTR lpszFile, // output file name LPCTSTR lpszDirectory /*= NULL*/, // directory path BOOL bOverWrite /*= FALSE*/) // TRUE = overwrite existing file Of course, you do not have to use this technique for generating the tips file - you can just have your installation package place the tips file in the app directory. The Test Again button will display the Tip of the Day dialog at the next tip. The Test Again - Force Display button will display the Tip of the Day dialog after you have unchecked the Show tips at startup checkbox. You may want to do this if you have added Tip of the Day to the help menu of your app. The Test Again - Start at Welcome tip button opens the Tip of the Day dialog at the first tip in the tips file, which is the welcome tip. To integrate XHTMLTipOfTheDay into your app, you first need to add the following files to your project: If you want to use CreateFileFromResource(), you should also add CreateFileFromResource.cpp and CreateFileFromResource.h. You also need to add XHTMLTipOfTheDay.rc to your project .rc file - go to View | Resource Includes... and in the bottom listbox, scroll down to the end. Insert #include "XHTMLTipOfTheDay.rc" right before the #endif: #include "XHTMLTipOfTheDay.rc" #endif Then add XHTMLTipOfTheDayDlg.h to your source file, and you can display the XHTMLTipOfTheDay dialog like this: XHTMLTipOfTheDayDlg.h CXHTMLTipOfTheDayDlg dlg(_T("Tips.tip")); dlg.SetAppCommands(AppCommands, sizeof(AppCommands)/sizeof(AppCommands[0])); dlg.DoModal(); Note that XHTMLTipOfTheDay expects to find the tips file in the application directory..
http://www.codeproject.com/Articles/7424/XHTMLTipOfTheDay-HTML-Tip-of-the-Day-Dialog?fid=63348&df=10000&mpp=10&noise=1&prof=True&sort=Position&view=None&spc=None&PageFlow=FixedWidth
CC-MAIN-2016-22
refinedweb
801
64.61
JWT¶. Getting Started¶ The first step to using JWT is adding the dependency to your Package.swift. // swift-tools-version:5.2 import PackageDescription let package = Package( name: "my-app", dependencies: [ // Other dependencies... .package(url: "", from: "4.0.0"), ], targets: [ .target(name: "App", dependencies: [ // Other dependencies... .product(name: "JWT", package: "jwt") ]), // Other targets... ] ) If you edit the manifest directly inside Xcode, it will automatically pick up the changes and fetch the new dependency when the file is saved. Otherwise, run swift package resolve to fetch the new dependency. Configuration¶ The JWT module adds a new property jwt to Application that is used for configuration. To sign or verify JWTs, you will need to add a signer. The simplest signing algorithm is HS256 or HMAC with SHA-256. import JWT // Add HMAC with SHA-256 signer. app.jwt.signers.use(.hs256(key: "secret")) The HS256 signer requires a key to initialize. Unlike other signers, this single key is used for both signing and verifying tokens. Learn more about the available algorithms below. Payload¶ Let's try to verify the following example JWT. You can inspect the contents of this token by visiting jwt.io and pasting the token in the debugger. Set the key in the "Verify Signature" section to secret. We need to create a struct conforming to JWTPayload that represents the JWT's structure. We'll use JWT's included claims to handle common fields like sub and exp. // JWT payload structure. struct TestPayload: JWTPayload { // Maps the longer Swift property names to the // shortened keys used in the JWT payload. enum CodingKeys: String, CodingKey { case subject = "sub" case expiration = "exp" case isAdmin = "admin" } // The "sub" (subject) claim identifies the principal that is the // subject of the JWT. var subject: SubjectClaim // The "exp" (expiration time) claim identifies the expiration time on // or after which the JWT MUST NOT be accepted for processing. var expiration: ExpirationClaim // Custom data. // If true, the user is an admin. var isAdmin: Bool // Run any additional verification logic beyond // signature verification here. // Since we have an ExpirationClaim, we will // call its verify method. func verify(using signer: JWTSigner) throws { try self.expiration.verifyNotExpired() } } Verify¶ Now that we have a JWTPayload, we can attach the JWT above to a request and use req.jwt to fetch and verify it. Add the following route to your project. // Fetch and verify JWT from incoming request. app.get("me") { req -> HTTPStatus in let payload = try req.jwt.verify(as: TestPayload.self) print(payload) return .ok } The req.jwt.verify helper will check the Authorization header for a bearer token. If one exists, it will parse the JWT and verify its signature and claims. If any of these steps fail, a 401 Unauthorized error will be thrown. Test the route by sending the following HTTP request. GET /me HTTP/1.1 authorization: Bearer If everything worked, a 200 OK response will be returned and the payload printed: TestPayload( subject: "vapor", expiration: 4001-01-01 00:00:00 +0000, isAdmin: true ) This package can also generate JWTs, also known as signing. To demonstrate this, let's use the TestPayload from the previous section. Add the following route to your project. // Generate and return a new JWT. app.post("login") { req -> [String: String] in // Create a new instance of our JWTPayload let payload = TestPayload( subject: "vapor", expiration: .init(value: .distantFuture), isAdmin: true ) // Return the signed JWT return try [ "token": req.jwt.sign(payload) ] } The req.jwt.sign helper will use the default configured signer to serialize and sign the JWTPayload. The encoded JWT is returned as a String. Test the route by sending the following HTTP request. POST /login HTTP/1.1 You should see the newly generated token returned in a 200 OK response. { "token": " } Authentication¶ For more information on using JWT with Vapor's authentication API, visit Authentication → JWT. Algorithms¶ Vapor's JWT API supports verifying and signing tokens using the following algorithms. HMAC¶ HMAC is the simplest JWT signing algorithm. It uses a single key that can both sign and verify tokens. The key can be any length. hs256: HMAC with SHA-256 hs384: HMAC with SHA-384 hs512: HMAC with SHA-512 // Add HMAC with SHA-256 signer. app.jwt.signers.use(.hs256(key: "secret")) RSA¶ RSA is the most commonly used JWT signing algorithm. It supports distinct public and private keys. This means that a public key can be distributed for verifying JWTs are authentic while the private key that generates them is kept secret. To create an RSA signer, first initialize an RSAKey. This can be done by passing in the components. // Initialize an RSA key with components. let key = RSAKey( modulus: "...", exponent: "...", // Only included in private keys. privateExponent: "..." ) You can also choose to load a PEM file: let rsaPublicKey = """ -----BEGIN PUBLIC KEY----- MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQC0cOtPjzABybjzm3fCg1aCYwnx PmjXpbCkecAWLj/CcDWEcuTZkYDiSG0zgglbbbhcV0vJQDWSv60tnlA3cjSYutAv 7FPo5Cq8FkvrdDzeacwRSxYuIq1LtYnd6I30qNaNthntjvbqyMmBulJ1mzLI+Xg/ aX4rbSL49Z3dAQn8vQIDAQAB -----END PUBLIC KEY----- """ // Initialize an RSA key with public pem. let key = RSAKey.public(pem: rsaPublicKey) Use .private for loading private RSA PEM keys. These start with: -----BEGIN RSA PRIVATE KEY----- Once you have the RSAKey, you can use it to create an RSA signer. rs256: RSA with SHA-256 rs384: RSA with SHA-384 rs512: RSA with SHA-512 // Add RSA with SHA-256 signer. try app.jwt.signers.use(.rs256(key: .public(pem: rsaPublicKey))) ECDSA¶ ECDSA is a more modern algorithm that is similar to RSA. It is considered to be more secure for a given key length than RSA1. However, you should do your own research before deciding. Like RSA, you can load ECDSA keys using PEM files: let ecdsaPublicKey = """ -----BEGIN PUBLIC KEY----- MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE2adMrdG7aUfZH57aeKFFM01dPnkx C18ScRb4Z6poMBgJtYlVtd9ly63URv57ZW0Ncs1LiZB7WATb3svu+1c7HQ== -----END PUBLIC KEY----- """ // Initialize an ECDSA key with public PEM. let key = ECDSAKey.public(pem: ecdsaPublicKey) Use .private for loading private ECDSA PEM keys. These start with: -----BEGIN PRIVATE KEY----- You can also generate random ECDSA using the generate() method. This is useful for testing. let key = try ECDSAKey.generate() Once you have the ECDSAKey, you can use it to create an ECDSA signer. es256: ECDSA with SHA-256 es384: ECDSA with SHA-384 es512: ECDSA with SHA-512 // Add ECDSA with SHA-256 signer. try app.jwt.signers.use(.es256(key: .public(pem: ecdsaPublicKey))) Key Identifier (kid)¶ If you are using multiple algorithms, you can use key identifiers ( kids) to differentiate them. When configuring an algorithm, pass the kid parameter. // Add HMAC with SHA-256 signer named "a". app.jwt.signers.use(.hs256(key: "foo"), kid: "a") // Add HMAC with SHA-256 signer named "b". app.jwt.signers.use(.hs256(key: "bar"), kid: "b") When signing JWTs, pass the kid parameter for the desired signer. // Sign using signer "a" req.jwt.sign(payload, kid: "a") This will automatically include the signer's name in the JWT header's "kid" field. When verifying the JWT, this field will be used to look up the appropriate signer. // Verify using signer specified by "kid" header. // If no "kid" header is present, default signer will be used. let payload = try req.jwt.verify(as: TestPayload.self) Since JWKs already contain kid values, you do not need to specify them during configuration. // JWKs already contain the "kid" field. let jwk: JWK = ... app.jwt.signers.use(jwk: jwk) Claims¶ Vapor's JWT package includes several helpers for implementing common JWT claims. All claims should be verified in the JWTPayload.verify method. If the claim has a special verify method, you can use that. Otherwise, access the value of the claim using value and check that it is valid. JWK¶ A JSON Web Key (JWK) is a JavaScript Object Notation (JSON) data structure that represents a cryptographic key (RFC7517). These are commonly used to supply clients with keys for verifying JWTs. For example, Apple hosts their Sign in with Apple JWKS at the following URL. GET You can add this JSON Web Key Set (JWKS) to your JWTSigners. import JWT import Vapor // Download the JWKS. // This could be done asynchronously if needed. let jwksData = try Data( contentsOf: URL(string: "")! ) // Decode the downloaded JSON. let jwks = try JSONDecoder().decode(JWKS.self, from: jwksData) // Create signers and add JWKS. try app.jwt.signers.use(jwks: jwks) You can now pass JWTs from Apple to the verify method. The key identifier ( kid) in the JWT header will be used to automatically select the correct key for verification. As of writing, JWK only supports RSA keys. Additionally, JWT issuers may rotate their JWKS meaning you need to re-download occasionally. See Vapor's supported JWT Vendors list below for APIs that do this automatically. Vendors¶ Vapor provides APIs for handling JWTs from the popular issuers below. Apple¶ First, configure your Apple application identifier. // Configure Apple app identifier. app.jwt.apple.applicationIdentifier = "..." Then, use the req.jwt.apple helper to fetch and verify an Apple JWT. // Fetch and verify Apple JWT from Authorization header. app.get("apple") { req -> EventLoopFuture<HTTPStatus> in req.jwt.apple.verify().map { token in print(token) // AppleIdentityToken return .ok } } // Or app.get("apple") { req async throws -> HTTPStatus in let token = try await req.jwt.apple.verify() print(token) // AppleIdentityToken return .ok } Google¶ First, configure your Google application identifier and G Suite domain name. // Configure Google app identifier and domain name. app.jwt.google.applicationIdentifier = "..." app.jwt.google.gSuiteDomainName = "..." Then, use the req.jwt.google helper to fetch and verify a Google JWT. // Fetch and verify Google JWT from Authorization header. app.get("google") { req -> EventLoopFuture<HTTPStatus> in req.jwt.google.verify().map { token in print(token) // GoogleIdentityToken return .ok } } // or app.get("google") { req async throws -> HTTPStatus in let token = try await req.jwt.google.verify() print(token) // GoogleIdentityToken return .ok } Microsoft¶ First, configure your Microsoft application identifier. // Configure Microsoft app identifier. app.jwt.microsoft.applicationIdentifier = "..." Then, use the req.jwt.microsoft helper to fetch and verify a Microsoft JWT. // Fetch and verify Microsoft JWT from Authorization header. app.get("microsoft") { req -> EventLoopFuture<HTTPStatus> in req.jwt.microsoft.verify().map { token in print(token) // MicrosoftIdentityToken return .ok } } // Or app.get("microsoft") { req async throws -> HTTPStatus in let token = try await req.jwt.microsoft.verify() print(token) // MicrosoftIdentityToken return .ok }
https://docs.vapor.codes/security/jwt/
CC-MAIN-2022-33
refinedweb
1,673
52.87
0 *sigh* Okay, I'm building a small console app to launch batch files. I have user inputs for selecting the drive letter, and the folder path. The batch files have the same name as the drive letter (i.e. d.bat, e.bat, etc.). drvPath = (drive + ":\\" + fpath + "\\" + drive + ".bat"); This actually works, so the variable stores the entire path and bat file name. system(drvPath); This does not work. I get the following error: error: cannot convert 'std::string' to 'const char*' for argument '1' to 'int system(const char*)'| The bottom line is, I'm using user input to determine a drive letter and a path to launch the bat file. I don't understand the error. Here's the entire code: #include <iostream> #include <stdio.h> #include <stdlib.h> #include <string.h> using namespace std; int main() { string drive; // holds the drive letter string fpath; // holds the folder name string drvPath; // Combines the drive and folder names int x; // Number for option selection cout << "Enter Drive Letter of this Thumb Drive: " << endl; cin >> drive; //system(drive+":"); cout << "you selected drive " << drive << " for this operation." << endl; cout << endl; cout << endl; cout << "Select 1 if you are working on a OLD PC" << endl; cout << "Select 2 if you are working on a NEW PC" << endl; cout << "Select 3 if you are working on a STAND ALONE PC" << endl; cin >> x; switch(x) { case 1: fpath = "old"; break; case 2: fpath = "new"; break; case 3: fpath = "standalone"; break; default: cout << "Invalid selection" << endl; } drvPath = (drive + ":\\" + fpath + "\\" + drive + ".bat"); cout << drvPath; //debug line system(drvPath); return 0; } Any help would be greatly appreciated. Thanks, Hendo
https://www.daniweb.com/programming/software-development/threads/378768/system-process
CC-MAIN-2018-13
refinedweb
274
78.18
End-to-End Tutorial¶ By the end of this tutorial, you will have learned the basics of Ray Serve and will be ready to pick and choose from the advanced topics in the sidebar. First, install Ray Serve and all of its dependencies by running the following command in your terminal: pip install "ray[serve]" Now we will write a Python script to serve a simple “Counter” class over HTTP. You may open an interactive Python terminal and copy in the lines below as we go. First, import Ray and Ray Serve: import ray from ray import serve Ray Serve runs on top of a Ray cluster, so the next step is to start a local Ray cluster: ray.init() Note ray.init() will start a single-node Ray cluster on your local machine, which will allow you to use all your CPU cores to serve requests in parallel. To start a multi-node cluster, see Ray Cluster Overview. Next, start the Ray Serve runtime: serve.start() Warning When the Python script exits, Ray Serve will shut down. If you would rather keep Ray Serve running in the background you can use serve.start(detached=True) (see Deploying Ray Serve for details). Now we will define a simple Counter class. The goal is to serve this class behind an HTTP endpoint using Ray Serve. By default, Ray Serve offers a simple HTTP proxy that will send requests to the class’ __call__ method. The argument to this method will be a Starlette Request object. @serve.deployment class Counter: def __init__(self): self.count = 0 def __call__(self, request): self.count += 1 return {"count": self.count} Note Besides classes, you can also serve standalone functions with Ray Serve in the same way. Notice that we made this class into a Deployment with the @serve.deployment decorator. This decorator is where we could set various configuration options such as the number of replicas, unique name of the deployment (it defaults to the class name), or the HTTP route prefix to expose the deployment at. See the Deployment package reference for more details. In order to deploy this, we simply need to call Counter.deploy(). Counter.deploy() Note Deployments can be configured to improve performance, for example by increasing the number of replicas of the class being served in parallel. For details, see Configuring a Deployment. Now that our deployment is up and running, let’s test it out by making a query over HTTP. In your browser, simply visit, and you should see the output {"count": 1"}. If you keep refreshing the page, the count should increase, as expected. Now let’s say we want to update this deployment to add another method to decrement the counter. Here, because we want more flexible HTTP configuration we’ll use Serve’s FastAPI integration. For more information on this, please see FastAPI HTTP Deployments. from fastapi import FastAPI app = FastAPI() @serve.deployment @serve.ingress(app) class Counter: def __init__(self): self.count = 0 @app.get("/") def get(self): return {"count": self.count} @app.get("/incr") def incr(self): self.count += 1 return {"count": self.count} @app.get("/decr") def decr(self): self.count -= 1 return {"count": self.count} We’ve now redefined the Counter class to wrap a FastAPI application. This class is exposing three HTTP routes: /Counter will get the current count, /Counter/incr will increment the count, and /Counter/decr will decrement the count. To redeploy this updated version of the Counter, all we need to do is run Counter.deploy() again. Serve will perform a rolling update here to replace the existing replicas with the new version we defined. Counter.deploy() If we test out the HTTP endpoint again, we can see this in action. Note that the count has been reset to zero because the new version of Counter was deployed. > curl -X GET localhost:8000/Counter/ {"count": 0} > curl -X GET localhost:8000/Counter/incr {"count": 1} > curl -X GET localhost:8000/Counter/decr {"count": 0} Congratulations, you just built and ran your first Ray Serve application! You should now have enough context to dive into the Core API: Deployments to get a deeper understanding of Ray Serve. For more interesting example applications, including integrations with popular machine learning frameworks and Python web servers, be sure to check out Advanced Tutorials.
https://docs.ray.io/en/master/serve/tutorial.html
CC-MAIN-2022-05
refinedweb
721
65.83
SKU:49295Artist:Compatible Figures:N/ACompatible Software:Install Types: - $34.95 SKU:49295Artist:Compatible Figures:N/ACompatible Software:Install Types: - Install Manager - Manual Install - Install Manager - Manual Install Details Get ready for some fun with even more Daz Scripting? This volume teaches advanced message box usage and introduces dialog boxes along with some of the cool widgets you will definitely be interested in. Learn how to build more professional interfaces with users of your scripts. Best of all, no previous programming experience required, and no additional programming tools are required! This volume continues building the foundational skills with graphical user interface techniques for great looking input and output controls in Daz Studio with your own script. You will learn about global and local namespaces and the scope of each. This will help advance your experience and journey towards more advanced programming. You will learn about system events and how to create your own event handlers for Daz Script widgets. We will show you how to use the basic dialog box with its default button set. If that isn't enough, you can create your own custom dialog with all the press buttons, checkboxes, radio buttons, and sliders to your heart's desire. You will discover how the 2D coordinate system works so that you can position all those wonderful new widgets you will surely be using.. You can watch an overview here: What's Included and Features - SCRIPTING Made Simple Vol-5 Input and Output Controls for Daz Script - Namespace (Scope): - 1.1 Global Namespace - 1.2 Local Namespace - 1.3 Global vs. Local - Behind the Scenes: - 2.1 Events - 2.2 Input / Output - MessageBox: - 3.1 Buttons - 3.2 Information method - 3.3 Critical method - 3.4 Button Pressed - 3.5 Passing Strings - 3.6 Question method - 3.7 Warning method - Widgets: - 4.1 Introduction - 4.2 Dialogs - 4.3 DzBasicDialog - 4.4 DzLabel - 4.5 DzDialog - 4.6 Event Handling - 4.7 Property vs. Method - 4.8 DzPushButton - 4.9 2D Coordinates - 4.10 Positioning Widgets - 4.11 DzCheckBox - 4.12 DzRadioButton - 4.13 Grouping Widgets - 4.14 Sliders - 05 Videos (.WMV and .MP4) - Detailed Tutorial Guide (.PDF) Notes - This product includes: - 02 General Installers
https://www.daz3d.com/winterbrose/scripting-made-simple-vol-5-input-and-output-controls-for-daz-script
CC-MAIN-2019-04
refinedweb
367
55.1
Java vs Python: Basic Program Structure The Hello World program The "hello world" program is one of the most common first programs taught in any language. Basically, you create a program that displays the phrase "hello world" after you execute the code. You can do this from command line or within the IDE. Java The typical java program to print "hello world" to the console will have the following structure.* public class myProgram{ public static void main(String args[]){ System.out.println("Hello World"); } } There are a few rules. The name of the program must be defined after the class keyword. In this case, we picked the name "myProgram" Therefore, the name of the java source file must be "myProgram.java". Notice all the keywords - public, static, void, main, etc. Notice all the characters - semicolons, parentheses, brackets. They are all needed. In fact, this is a barebones program. For now, understand that the class section identifies this class. And the "public static void main" section tells the compiler where to enter the program. In more complex programs, this class will have more code inside and outside of this section. The "System.out.println("Hello World");" line tells the compiler to print the line "hello world". It's the only thing special about this program. Python The Python program to print "Hello World" to the console is simpler: print 'Hello World' You can also write it as: print "Hello World" You may have noticed there is - no need to specify the name of the program and have a filename to match - no need to specify access modifiers (like public in Java) - no need specify where the program should enter (like main in Java) - no need for most punctuation (like semicolons and brackets in Java). Whitespace such as indentation and new lines are important in Python, however. Of course, if you were programming with good practices, you would be using whitespace similarly anyway. - shorter commands ("print" basically does what "System.out.println" does) Of course, this was a rather simplistic example. I will be posting more articles to my site - TechTedium. Cheers. * If you are writing your own java programs, it's very helpful to use an IDE like Eclipse or IntelliJ. If you are writing your own python programs, you can usually get by with IDLE, the IDE that comes with Python. If you want more power, go for Eclipse or Wingware.
https://hubpages.com/technology/Java-vs-Python-Basic-Program-Structure
CC-MAIN-2017-22
refinedweb
401
73.17
This guideline has not been reviewed recently and may be outdated. Please review it and comment to reflect any newly available information. The reinterpret_cast operator is the least secure of the C++ typecasting operators. C++2004 section 5.2.10, paragraph 3 says: The mapping performed by reinterpret_cast is implementation-defined. Note: it might, or might not, produce a representation different from the original value. That said, the usual action of reinterpret_cast is to change the type, but leave the value unchanged. Any class object may be accessed by a pointer to itself, or a pointer to one of its ancestor classes. If the object has multiple parents (or any of its parents have multiple parents), then a pointer to a base class might have a different value than a pointer to the object itself. As illustration, the following program: #include <iostream> using namespace std; class Base1 {public: virtual ~Base1() {}}; class Base2 {public: virtual ~Base2() {}}; class Derived: public Base1, public Base2 {public: virtual ~Derived() {}}; int main() { Derived obj; Derived* dp = &obj; Base1* b1p = dp; Base2* b2p = dp; Derived* dps = static_cast<Derived*>( b2p); Derived* dpr = reinterpret_cast<Derived*>( b2p); cout << "dp is " << static_cast<void*>( dp) << endl; cout << "dp == b1p ? " << (dp == b1p ? "yes" : "no") << endl; cout << "b1p is " << static_cast<void*>( b1p) << endl; cout << "dp == b2p ? " << (dp == b2p ? "yes" : "no") << endl; cout << "b2p is " << static_cast<void*>( b2p) << endl; cout << "dp == dps ? " << (dp == dps ? "yes" : "no") << endl; cout << "dps is " << static_cast<void*>( dps) << endl; cout << "dp == dpr ? " << (dp == dpr ? "yes" : "no") << endl; cout << "dpr is " << static_cast<void*>( dpr) << endl; return 0; } has the following output, when compiled using G++ 4.3.2 on Linux 2.6.27-11: dp is 0x7fffa40ee9b0 dp == b1p ? yes b1p is 0x7fffa40ee9b0 dp == b2p ? yes b2p is 0x7fffa40ee9b8 dp == dps ? yes dps is 0x7fffa40ee9b0 dp == dpr ? no dpr is 0x7fffa40ee9b8 Clearly the base pointer b2p has a different value than the original dp pointer it was initialized from, although they do compare equally. The static_cast operator restores the original pointer value, but the reinterpret_cast operator preserves the new pointer value, and is regarded as different from the original dp value. Note that this rule uses static_cast despite EXP13-CPP. Prefer dynamic_cast over static_cast over reinterpret_cast. While dynamic_cast would be safer static_cast is more illustrative for this example. Risk Assessment Improper casting can lead to programs that misinterpret data. If an attacker can manipulate this data, they may be able to execute arbitrary code. Automated Detection Bibliography [Dewhurst 03] Gotcha #38: Casting under Multiple Inheritance [ISO/IEC 14882-2003] Sections 5.2.10
https://wiki.sei.cmu.edu/confluence/display/cplusplus/EXP14-CPP.+Do+not+use+reinterpret_cast+on+pointers+to+class+objects+with+multiple+inheritence
CC-MAIN-2017-51
refinedweb
422
56.35
Tuning Library Runtime Behavior WORK IN PROGRESS The following material is a work in progress and should not be considered complete or ready for public use. Contents. - Spinning in mutexes and speed of back-off. - (e.g. rtld/dl-tls.c TLS_STATIC_SURPLUS) for dlopen'd modules that could then use this static TLS for optimal access () User selectable buffering schemes for stdio (). - Initial size of group list for initgroups. - Disable RFC 3484 IPv4 address sorting for legacy applications. - Size of buffer reads in stream implementation. When using NFS and very very large block sizes, say 1MB, the glibc stream implementation will buffer using those block sizes and this leads to huge latencies in buffer fills. It would be better to be able to tune this manually per stream. Perhaps the best option is to have a "max buffer size" tunnable, that is queried when creating the stream and used as the upper limit regardless of the filesystem block size. Value of sysconf (_SC_GETPW_R_SIZE_MAX), to work around buggy applications which treat the value as a hard limit. - Custom paths for /etc/resolv.conf, /etc/nsswitch.conf, for testing purposes. - Netlink retry behavior, such as initial timeout and speed of backoff. are thread safe. - Setting the tunables shall be thread safe. All access must use at least the relaxed memory model (both in-process, and by external tools to change tunables). - Declare the tunables stable only in a given release e.g. 2.17. - The tunables expose internal implementation details of the library and should not be considered a stable ABI. The library must be able to evolve internal implementation from release to release. -). - Encode glibc version numbers in the tunable name in some way. - Tunables are specific to certain glibc versions. Using the version number to partition the namespace therefore seems prudent. This prepares for a potential future where glibc is supported as a software collection. It is also helpful with containers, where you might inspect processes which use a different glibc version. - Allow the use of a system configuration file to set tunables and enforce adminstrative policy Easy for Administrators to set global policy about tunables in a system configuration file that overrides any settings used by a user. The file could be located in /etc/sysconfig/glibc/tunables.conf. (The path needs tweaking because /etc/sysconfig is specific to Fedora and downstreams, and it should include a version number, as explained above. - Self-describing format Tunables should be self-describing, probably using DWARF which is not stripped from the glibc DSOs. This means that it is possible to access them even if the tunables and their types (uint64_t vs a string pointer, for instance) are not known to the tool which does the access. - Changing string tunables at run time - This is difficult because even if the pointer to the string is updated atomically, it is generally impossible to know when it is safe to deallocate the former backing string. Hardware transactional memory may allow in-place modification of strings if the existing memory region is large enough. The only option may be to accept a memory leak if a string tunable is changed. Therefore string tunables (or variable-length tunables in general) are at best avoided. - Debugging - Provide a way to dump all of the tunables for debugging. Provide a way to easily inspect all the tunable values from a debugger, or reset all tunables directly from the debugger e.g. inferior function call. Tunables must be self-describing, so that it is possible to dump them even if the process uses a different glibc version (perhaps because it is running in a container). 3. Design. Rejected Design Ideas The following list captures some design ideas which we discussed, but rejected. In-process API for process self-tuning. This is too dangerous to offer directly in glibc because if the tunables API is more convenient than the official API (e.g. for stdio buffer sizes), then no matter what we say about tunables stability, there will be applications which prevent glibc updates due to tunables dependencies. We can encourage development of a separate library for self-tuning, though, which can collect backwards compatibility kludges as required. This means that limiting the scope of tunables (to specific functions, threads, or some other context) may be difficult to implement. Shared memory segment for tunables. It is difficult to get the permissions right, and it is useful to have that capability even for AT_SECURE processes. The lack of a shared memory segment should not be a significant restricition; due to the checkpoint/restore work, the kernel should have sufficient capabilities for process inspection.
https://sourceware.org/glibc/wiki/TuningLibraryRuntimeBehavior
CC-MAIN-2020-05
refinedweb
772
55.03
The QKeyEvent class contains describes a key event. More... #include <qevent.h> Inherits QEvent. List of all member functions.. Sets the accept flag of the key event object. Setting the accept parameter indicates that the receiver of the event wants the key event. Unwanted key events are sent to the parent widget. The accept flag is set by default. See also ignore(). Returns the ASCII code of the key that was pressed or released. We recommend using text() instead. See also text(). Example: picture/picture.cpp. Returns the number of single keys for this event. If text() is not empty, this is simply the length of the string. See also QWidget::setKeyCompression(). Clears the accept flag parameter of the key event object. Clearing the accept parameter indicates that the event receiver does not want the key event. Unwanted key events are sent to the parent widget. The accept flag is set by default. See also accept(). Returns TRUE if the receiver of the event wants to keep the key; otherwise returns FALSE. text().isNull == TRUE, which is the case when pressing or releasing modifying keys as Shift, Control, Alt and Meta. In these cases key() will contain a valid value. See also QWidget::setKeyCompression(). This file is part of the Qt toolkit. Copyright © 1995-2003 Trolltech. All Rights Reserved.
http://doc.trolltech.com/3.1/qkeyevent.html
crawl-001
refinedweb
219
71.61
Suppose we have two strings s and t, we have to find how many times the string s can be concatenated to generate t. If we cannot generate t using s, then return -1. So, if the input is like s = "tom" t = "tomtomtom", then the output will be 3 as we can concatenate "tom" 3 times to get "tomtomtom". To solve this, we will follow these steps − Let us see the following implementation to get better understanding − def solve(s, t): if(len(t) % len(s) != 0): return -1; cnt = int(len(t) / len(s)) s = s * cnt if(s == t): return cnt return -1 s = "tom" t = "tomtomtom" print(solve(s, t)) "tom", "tomtomtom" 3
https://www.tutorialspoint.com/check-if-a-string-can-be-repeated-to-make-another-string-in-python
CC-MAIN-2021-43
refinedweb
117
66.67
- The Upload Script - The Code-Behind (.cs) Script - Your Turn Many programmers are discovering the need for a more efficient way to handle images for larger web sites. eCommerce, realty, and other types of sites use from hundreds to thousands of images, often stored on the hosting server's hard drive. As these sites become larger, they need a better method of storage—for both performance and administrative reasons. If the web site is busy accessing pictures from the hard drive or logical drive, your server becomes less responsive due to increased disk activity. Even worse, the drive becomes fragmented faster. In a clustered server scenario, where the servers are load-balanced, you still have to maintain an identical copy of the images on each server, causing tedious administration. The best way to load images is by using a database. With this strategy, you increase performance by having user requests for images occur simultaneously instead of sequentially from the hard disk. You also have a centralized location for the images, making load-balancing easier. In this article, I'll show how you can load images into an SQL Server database from a web page by using C#. The Upload Script The script in Listing 1 allows you or your users to upload images to the database one at a time. With traditional ASP, we had to use a registered component (DLL) to get the job done. Now, with .NET, it's all built into the language and supported; we only need to know which namespaces to use. This script also uses a code-behind (.cs) script to do all the meaningful work. (I'll cover that script next.) The script in Listing 1 contains only two fields: one for a friendly image name and the other for the actual image. Listing 1 User page for uploading images 1 <%@ Page 3 <HTML> 4 <body bgcolor=#ffffff> 5 <form enctype="multipart/form-data" runat=server id=form1 name=form1> 6 <h3>Upload your Image</h3> 7 Enter A Friendly Name<input type=text id=txtImgName 8 <asp:RequiredFieldValidator id=RequiredFieldValidator1</asp:RequiredFieldValidator> 9 <br>Select File To Upload: 10 <input id="UploadFile" type=file runat=server> 11 <asp:button id=UploadBtn</asp:button> 12 </form> 13 </body> 14 </HTML> Line 1 loads our code-behind script, called UploadImage.aspx.cs (discussed in the next section). Line 5 uses the "multipart/form-data" encoding type for the <form> tag, telling the browser that a large amount of binary (image) data will be returned by the form. Line 8 uses the .NET RequiredFieldValidator web control. It requires the user to enter a friendly name for the image. If the user attempts to leave this field blank, the script will tell the user that a friendly name is required. Depending on what you're using the script to do, you may not even need the information in this field; it simply provides a reference to the images in a more friendly context, such as for an image library or picture album. Line 10 uses the HtmlInputFile control. This control is part of the HTML controls library for .NET and is basically a fancy text box control that contains a Browse button; it knows that the value it will receive is a binary file. Line 11 is the Button web control, which calls a function named UploadBTn_Click when the button for the control is clicked. Save this script using any name you want; for example, UploadImage.aspx.
http://www.informit.com/articles/article.aspx?p=398883&amp;seqNum=2
CC-MAIN-2017-13
refinedweb
581
62.17
Lint, a C Program Checker S. C. Johnson ABSTRACT Lint is a command which examines C source programs, detecting a number of bugs and obscuri- ties. It enforces the type rules of C more strictly than the C compilers. It may also be used to enforce a number of portability restrictions involved in moving programs between different machines and/or operating systems. Another option detects a number of wasteful, or error prone, con- structions which nevertheless are, strictly speak- ing, legal. Lint accepts multiple input files and library specifications, and checks them for consistency. The separation of function between lint and the C compilers has both historical and practical rationale. The compilers turn C programs into exe- cutable files rapidly and efficiently. This is possible in part because the compilers do not do sophisticated type checking, especially between separately compiled programs. Lint takes a more global, leisurely view of the program, looking much more carefully at the compatibilities. This document discusses the use of lint, gives an overview of the implementation, and gives some hints on the writing of machine independent C code. Introduction and Usage Suppose there are two C[1] source files, file1.c and file2.c, which are ordinarily compiled and loaded together. Then the command lint file1.c file2.c produces messages describing inconsistencies and inefficien- cies in the programs. The program enforces the typing rules PS1:9-2 Lint, a C Program Checker of C more strictly than the C compilers (for both historical and practical reasons) enforce them. The command lint -p file1.c file2.c will produce, in addition to the above messages, additional messages which relate to the portability of the programs to other operating systems and machines. Replacing the -p by -h will produce messages about various error-prone or wasteful constructions which, strictly speaking, are not bugs. Saying -hp gets the whole works. The next several sections describe the major messages; the document closes with sections discussing the implementa- tion and giving suggestions for writing portable C. An appendix gives a summary of the lint options. A Word About Philosophy Many of the facts which lint needs may be impossible to discover. For example, whether a given function in a program ever gets called may depend on the input data. Deciding whether exit is ever called is equivalent to solving the famous ``halting problem,'' known to be recursively undecid- able. Thus, most of the lint algorithms are a compromise. If a function is never mentioned, it can never be called. If a function is mentioned, lint assumes it can be called; this is not necessarily so, but in practice is quite reasonable.. Keeping these issues in mind, we now consider in more detail the classes of messages which lint produces. Unused Variables and Functions As sets of programs evolve and develop, previously used variables and arguments to functions may become unused; it is not uncommon for external variables, or even entire func- tions, to become unnecessary, and yet not be removed from the source. These ``errors of commission'' rarely cause working programs to fail, but they are a source of ineffi- ciency, and make programs harder to understand and change. Moreover, information about such unused variables and func- tions can occasionally serve to discover bugs; if a function does a necessary job, and is never called, something is Lint, a C Program Checker PS1:9-3 wrong! Lint complains about variables and functions which are defined but not otherwise mentioned. An exception is vari- ables which are declared through explicit extern statements but are never referenced; thus the statement extern float sin(); will evoke no comment if sin is never used. Note that this agrees with the semantics of the C compiler. In some cases, these unused external declarations might be of some interest; they can be discovered by adding the -x flag to the lint invocation. Certain styles of programming require many functions to be written with similar interfaces; frequently, some of the arguments may be unused in many of the calls. The -v option is available to suppress the printing of complaints about unused arguments. When -v is in effect, no messages are pro- duced about unused arguments except for those arguments which are unused and also declared as register arguments; this can be considered an active (and preventable) waste of the register resources of the machine. There is one case where information about unused, or undefined, variables is more distracting than helpful. This is when lint is applied to some, but not all, files out of a collection which are to be loaded together. In this case, many of the functions and variables defined may not be used, and, conversely, many functions and variables defined else- where may be used. The -u flag may be used to suppress the spurious messages which might otherwise appear. Set/Used Information Lint attempts to detect cases where a variable is used before it is set. This is very difficult to do well; many algorithms take a good deal of time and space, and still produce messages about perfectly valid programs. Lint detects local variables (automatic and register storage classes) whose first use appears physically earlier in the input file than the first assignment to the variable. It assumes that taking the address of a variable constitutes a ``use,'' since the actual use may occur at any later time, in a data dependent fashion. The restriction to the physical appearance of variables in the file makes the algorithm very simple and quick to implement, since the true flow of control need not be discovered. It does mean that lint can complain about some programs which are legal, but these programs would probably be considered bad on stylistic grounds (e.g. might contain at least two goto's). Because static and external variables PS1:9-4 Lint, a C Program Checker are initialized to 0, no meaningful information can be discovered about their uses. The algorithm deals correctly, however, with initialized automatic variables, and variables which are used in the expression which first sets them. The set/used information also permits recognition of those local variables which are set and never used; these form a frequent source of inefficiencies, and may also be symptomatic of bugs. Flow of Control Lint attempts to detect unreachable portions of the programs which it processes. It will complain about unla- beled statements immediately following goto, break, con- tinue, or return statements. An attempt is made to detect loops which can never be left at the bottom, detecting the special cases while( 1 ) and for(;;) as infinite loops. Lint also complains about loops which cannot be entered at the top; some valid programs may have such loops, but at best they are bad style, at worst bugs. Lint has an important area of blindness in the flow of control algorithm: it has no way of detecting functions which are called and never return. Thus, a call to exit may cause unreachable code which lint does not detect; the most serious effects of this are in the determination of returned function values (see the next section). One form of unreachable statement is not usually com- plained about by lint; a break statement that cannot be reached causes no message. Programs generated by yacc,[2] and especially lex,[3] may have literally hundreds of unreachable break statements. The -O flag in the C compiler will often eliminate the resulting object code inefficiency. Thus, these unreached statements are of little importance, there is typically nothing the user can do about them, and the resulting messages would clutter up the lint output. If these messages are desired, lint can be invoked with the -b option. Function Values Sometimes functions return values which are never used; sometimes programs incorrectly use function ``values'' which have never been returned. Lint addresses this problem in a number of ways. Locally, within a function definition, the appearance of both return( expr ); and Lint, a C Program Checker PS1:9-5 return ; statements is cause for alarm; lint will give the message function name contains return(e) and return The most serious difficulty with this is detecting when a function return is implied by flow of control reaching the end of the function. This can be seen with a simple example: f ( a ) { if ( a ) return ( 3 ); g (); } Notice that, if a tests false, f will call g and then return with no defined return value; this will trigger a complaint from lint. If g, like exit, never returns, the message will still be produced when in fact nothing is wrong. In practice, some potentially serious bugs have been discovered by this feature; it also accounts for a substan- tial fraction of the ``noise'' messages produced by lint. On a global scale, lint detects cases where a function returns a value, but this value is sometimes, or always, unused. When the value is always unused, it may constitute an inefficiency in the function definition. When the value is sometimes unused, it may represent bad style (e.g., not testing for error conditions). The dual problem, using a function value when the func- tion does not return one, is also detected. This is a seri- ous problem. Amazingly, this bug has been observed on a cou- ple of occasions in ``working'' programs; the desired func- tion value just happened to have been computed in the func- tion return register! Type Checking Lint enforces the type checking rules of C more strictly than the compilers do. The additional checking is in four major areas: across certain binary operators and implied assignments, at the structure selection operators, between the definition and uses of functions, and in the use of enumerations. There are a number of operators which have an implied balancing between types of the operands. The assignment, conditional ( ?: ), and relational operators have this pro- perty; the argument of a return statement, and expressions used in initialization also suffer similar conversions. In these operations, char, short, int, long, unsigned, float, PS1:9-6 Lint, a C Program Checker and double types may be freely intermixed. The types of pointers must agree exactly, except that arrays of x's can, of course, be intermixed with pointers to x's. The type checking rules also require that, in structure references, the left operand of the -> be a pointer to structure, the left operand of the . be a structure, and the right operand of these operators be a member of the struc- ture implied by the left operand. Similar checking is done for references to unions. Strict rules apply to function argument and return value matching. The types float and double may be freely matched, as may the types char, short, int, and unsigned. Also, pointers can be matched with the associated arrays. Aside from this, all actual arguments must agree in type with their declared counterparts. With enumerations, checks are made that enumeration variables or members are not mixed with other types, or other enumerations, and that the only operations applied are =, initialization, ==, !=, and function arguments and return values. Type Casts The type cast feature in C was introduced largely as an aid to producing more portable programs. Consider the assignment p = 1 ; where p is a character pointer. Lint will quite rightly com- plain. Now, consider the assignment p = (char *)1 ; in which a cast has been used to convert the integer to a character pointer. The programmer obviously had a strong motivation for doing this, and has clearly signaled his intentions. It seems harsh for lint to continue to complain about this. On the other hand, if this code is moved to another machine, such code should be looked at carefully. The -c flag controls the printing of comments about casts. When -c is in effect, casts are treated as though they were assignments subject to complaint; otherwise, all legal casts are passed without comment, no matter how strange the type mixing seems to be. Nonportable Character Use On the PDP-11, characters are signed quantities, with a range from -128 to 127. On most of the other C implementa- tions, characters take on only positive values. Thus, lint Lint, a C Program Checker PS1:9-7 will flag certain comparisons and assignments as being ille- gal or nonportable. For example, the fragment char c; ... if( (c = getchar()) < 0 ) .... works on the PDP-11, but will fail on machines where charac- ters always take on positive values. The real solution is to declare c an integer, since getchar is actually returning integer values. In any case, lint will say ``nonportable character comparison''. A similar issue arises with bitfields; when assignments of constant values are made to bitfields, the field may be too small to hold the value. This is especially true because on some machines bitfields are considered as signed quanti- ties. While it may seem unintuitive to consider that a two bit field declared of type int cannot hold the value 3, the problem disappears if the bitfield is declared to have type unsigned. Assignments of longs to ints Bugs may arise from the assignment of long to an int, which loses accuracy. This may happen in programs which have been incompletely converted to use typedefs. When a typedef variable is changed from int to long, the program can stop working because some intermediate results may be assigned to ints, losing accuracy. Since there are a number of legiti- mate reasons for assigning longs to ints, the detection of these assignments is enabled by the -a flag. Strange Constructions Several perfectly legal, but somewhat strange, con- structions are flagged by lint; the messages hopefully encourage better code quality, clearer style, and may even point out bugs. The -h flag is used to enable these checks. For example, in the statement *p++ ; the * does nothing; this provokes the message ``null effect'' from lint. The program fragment unsigned x ; if( x < 0 ) ... is clearly somewhat strange; the test will never succeed. Similarly, the test if( x > 0 ) ... PS1:9-8 Lint, a C Program Checker is equivalent to if( x != 0 ) which may not be the intended action. Lint will say ``degen- erate unsigned comparison'' in these cases. If one says if( 1 != 0 ) .... lint will report ``constant in conditional context'', since the comparison of 1 with 0 gives a constant result. Another construction detected by lint involves operator precedence. Bugs which arise from misunderstandings about the precedence of operators can be accentuated by spacing and formatting, making such bugs extremely hard to find. For example, the statements if( x&077 == 0 ) ... or x<<2 + 40 probably do not do what was intended. The best solution is to parenthesize such expressions, and lint encourages this by an appropriate message. Finally, when the -h flag is in force lint complains about variables which are redeclared in inner blocks in a way that conflicts with their use in outer blocks. This is legal, but is considered by many (including the author) to be bad style, usually unnecessary, and frequently a bug. Ancient History There are several forms of older syntax which are being officially discouraged. These fall into two classes, assign- ment operators and initialization. The older forms of assignment operators (e.g., =+, =-, . . . ) could cause ambiguous expressions, such as a =-1 ; which could be taken as either a =- 1 ; or a = -1 ; The situation is especially perplexing if this kind of Lint, a C Program Checker PS1:9-9 ambiguity arises as the result of a macro substitution. The newer, and preferred operators (+=, -=, etc. ) have no such ambiguities. To spur the abandonment of the older forms, lint complains about these old fashioned operators. A similar issue arises with initialization. The older language allowed int x 1 ; to initialize x to 1. This also caused syntactic difficul- ties: for example, int x ( -1 ) ; looks somewhat like the beginning of a function declaration: int x ( y ) { . . . and the compiler must read a fair ways past x in order to sure what the declaration really is.. Again, the problem is even more perplexing when the initializer involves a macro. The current syntax places an equals sign between the vari- able and the initializer: int x = -1 ; This is free of any possible syntactic ambiguity. Pointer Alignment Certain pointer assignments may be reasonable on some machines, and illegal on others, due entirely to alignment restrictions. For example, on the PDP-11, it is reasonable to assign integer pointers to double pointers, since double precision values may begin on any integer boundary. On the Honeywell 6000, double precision values must begin on even word boundaries; thus, not all such assignments make sense. Lint tries to detect cases where pointers are assigned to other pointers, and such alignment problems might arise. The message ``possible pointer alignment problem'' results from this situation whenever either the -p or -h flags are in effect. Multiple Uses and Side Effects In complicated expressions, the best order in which to evaluate subexpressions may be highly machine dependent. For example, on machines (like the PDP-11) in which the stack runs backwards, function arguments will probably be best evaluated from right-to-left; on machines with a stack run- ning forward, left-to-right seems most attractive. Function calls embedded as arguments of other functions may or may not be treated similarly to ordinary arguments. Similar PS1:9-10 Lint, a C Program Checker issues arise with other operators which have side effects, such as the assignment operators and the increment and decrement operators. In order that the efficiency of C on a particular machine not be unduly compromised, the C language leaves the order of evaluation of complicated expressions up to the local compiler, and, in fact, the various C compilers have considerable differences in the order in which they will evaluate complicated expressions. In particular, if any variable is changed by a side effect, and also used else- where in the same expression, the result is explicitly unde- fined. Lint checks for the important special case where a sim- ple scalar variable is affected. For example, the statement a[i] = b[i++] ; will draw the complaint: warning: i evaluation order undefined Implementation Lint consists of two programs and a driver. The first program is a version of the Portable C Compiler[4,5] which is the basis of the IBM 370, Honeywell 6000, and Interdata 8/32 C compilers. This compiler does lexical and syntax analysis on the input text, constructs and maintains symbol tables, and builds trees for expressions. Instead of writing an intermediate file which is passed to a code generator, as the other compilers do, lint produces an intermediate file which consists of lines of ascii text. Each line contains an external variable name, an encoding of the context in which it was seen (use, definition, declaration, etc.), a type specifier, and a source file name and line number. The information about variables local to a function or file is collected by accessing the symbol table, and examining the expression trees. Comments about local problems are produced as detected. The information about external names is collected onto an intermediate file. After all the source files and library descriptions have been collected, the intermediate file is sorted to bring all information collected about a given external name together. The second, rather small, program then reads the lines from the intermediate file and compares all of the definitions, declarations, and uses for con- sistency. The driver controls this process, and is also responsi- ble for making the options available to both passes of lint. Lint, a C Program Checker PS1:9-11 Portability C on the Honeywell and IBM systems is used, in part, to write system code for the host operating system. This means that the implementation of C tends to follow local conven- tions rather than adhere strictly to UNIX- system conven- tions. Despite these differences, many C programs have been successfully moved to GCOS and the various IBM installations with little effort. This section describes some of the differences between the implementations, and discusses the lint features which encourage portability. Uninitialized external variables are treated dif- ferently in different implementations of C. Suppose two files both contain a declaration without initialization, such as int a ; outside of any function. The UNIX loader will resolve these declarations, and cause only a single word of storage to be set aside for a. Under the GCOS and IBM implementations, this is not feasible (for various stupid reasons!) so each such declaration causes a word of storage to be set aside and called a. When loading or library editing takes place, this causes fatal conflicts which prevent the proper opera- tion of the program. If lint is invoked with the -p flag, it will detect such multiple definitions. A related difficulty comes from the amount of informa- tion retained about external names during the loading pro- cess. On the UNIX system, externally known names have seven significant characters, with the upper/lower case distinc- tion kept. On the IBM systems, there are eight significant characters, but the case distinction is lost. On GCOS, there are only six characters, of a single case. This leads to situations where programs run on the UNIX system, but encounter loader problems on the IBM or GCOS systems. Lint -p causes all external symbols to be mapped to one case and truncated to six characters, providing a worst-case analysis. A number of differences arise in the area of character handling: characters in the UNIX system are eight bit ascii, while they are eight bit ebcdic on the IBM, and nine bit ascii on GCOS. Moreover, character strings go from high to low bit positions (``left to right'') on GCOS and IBM, and low to high (``right to left'') on the PDP-11. This means that code attempting to construct strings out of character constants, or attempting to use characters as indices into _________________________ - UNIX is a registered trademark of AT&T Bell Labora- tories in the USA and other countries. PS1:9-12 Lint, a C Program Checker arrays, must be looked at with great suspicion. Lint is of little help here, except to flag multi-character character constants. Of course, the word sizes are different! This causes less trouble than might be expected, at least when moving from the UNIX system (16 bit words) to the IBM (32 bits) or GCOS (36 bits). The main problems are likely to arise in shifting or masking. C now supports a bit-field facility, which can be used to write much of this code in a reasonably portable way. Frequently, portability of such code can be enhanced by slight rearrangements in coding style. Many of the incompatibilities seem to have the flavor of writing x &= 0177700 ; to clear the low order six bits of x. This suffices on the PDP-11, but fails badly on GCOS and IBM. If the bit field feature cannot be used, the same effect can be obtained by writing x &= ~ 077 ; which will work on all these machines. The right shift operator is arithmetic shift on the PDP-11, and logical shift on most other machines. To obtain a logical shift on all machines, the left operand can be typed unsigned. Characters are considered signed integers on the PDP-11, and unsigned on the other machines. This per- sistence of the sign bit may be reasonably considered a bug in the PDP-11 hardware which has infiltrated itself into the C language. If there were a good way to discover the pro- grams which would be affected, C could be changed; in any case, lint is no help here. The above discussion may have made the problem of por- tability seem bigger than it in fact is. The issues involved here are rarely subtle or mysterious, at least to the imple- mentor of the program, although they can involve some work to straighten out. The most serious bar to the portability of UNIX system utilities has been the inability to mimic essential UNIX system functions on the other systems. The inability to seek to a random character position in a text file, or to establish a pipe between processes, has involved far more rewriting and debugging than any of the differences in C compilers. On the other hand, lint has been very help- ful in moving the UNIX operating system and associated util- ity programs to other machines. Shutting Lint Up There are occasions when the programmer is smarter than lint. There may be valid reasons for ``illegal'' type casts, Lint, a C Program Checker PS1:9-13 functions with a variable number of arguments, etc. More- over, as specified above, the flow of control information produced by lint often has blind spots, causing occasional spurious messages about perfectly reasonable programs. Thus, some way of communicating with lint, typically to shut it up, is desirable. The form which this mechanism should take is not at all clear. New keywords would require current and old compilers to recognize these keywords, if only to ignore them. This has both philosophical and practical problems. New prepro- cessor syntax suffers from similar problems. What was finally done was to cause a number of words to be recognized by lint when they were embedded in comments. This required minimal preprocessor changes; the preprocessor just had to agree to pass comments through to its output, instead of deleting them as had been previously done. Thus, lint directives are invisible to the compilers, and the effect on systems with the older preprocessors is merely that the lint directives don't work. The first directive is concerned with flow of control information; if a particular place in the program cannot be reached, but this is not apparent to lint, this can be asserted by the directive /* NOTREACHED */ at the appropriate spot in the program. Similarly, if it is desired to turn off strict type checking for the next expression, the directive /* NOSTRICT */ can be used; the situation reverts to the previous default after the next expression. The -v flag can be turned on for one function by the directive /* ARGSUSED */ Complaints about variable number of arguments in calls to a function can be turned off by the directive /* VARARGS */ preceding the function definition. In some cases, it is desirable to check the first several arguments, and leave the later arguments unchecked. This can be done by following the VARARGS keyword immediately with a digit giving the number of arguments which should be checked; thus, /* VARARGS2 */ PS1:9-14 Lint, a C Program Checker will cause the first two arguments to be checked, the others unchecked. Finally, the directive /* LINTLIBRARY */ at the head of a file identifies this file as a library declaration file; this topic is worth a section by itself. Library Declaration Files Lint accepts certain library directives, such as -ly and tests the source files for compatibility with these libraries. This is done by accessing library description files whose names are constructed from the library direc- tives. These files all begin with the directive /* LINTLIBRARY */ which is followed by a series of dummy function definitions. The critical parts of these definitions are the declaration of the function return type, whether the dummy function returns a value, and the number and types of arguments to the function. The VARARGS and ARGSUSED directives can be used to specify features of the library functions. Lint library files are processed almost exactly like ordinary source files. The only difference is that functions which are defined on a library file, but are not used on a source file, draw no complaints. Lint does not simulate a full library search algorithm, and complains if the source files contain a redefinition of a library routine (this is a feature!). By default, lint checks the programs it is given against a standard library file, which contains descriptions of the programs which are normally loaded when a C program is run. When the -p flag is in effect, another file is checked containing descriptions of the standard I/O library routines which are expected to be portable across various machines. The -n flag can be used to suppress all library checking. Bugs, etc. Lint was a difficult program to write, partially because it is closely connected with matters of programming style, and partially because users usually don't notice bugs which cause lint to miss errors which it should have caught. (By contrast, if lint incorrectly complains about something that is correct, the programmer reports that immediately!) Lint, a C Program Checker PS1:9-15 A number of areas remain to be further developed. The checking of structures and arrays is rather inadequate; size incompatibilities go unchecked, and no attempt is made to match up structure and union declarations across files. Some stricter checking of the use of the typedef is clearly desirable, but what checking is appropriate, and how to carry it out, is still to be determined. Lint shares the preprocessor with the C compiler. At some point it may be appropriate for a special version of the preprocessor to be constructed which checks for things such as unused macro definitions, macro arguments which have side effects which are not expanded at all, or are expanded more than once, etc. The central problem with lint is the packaging of the information which it collects. There are many options which serve only to turn off, or slightly modify, certain features. There are pressures to add even more of these options. In conclusion, it appears that the general notion of having two programs is a good one. The compiler concentrates on quickly and accurately turning the program text into bits which can be run; lint concentrates on issues of portabil- ity, style, and efficiency. Lint can afford to be wrong, since incorrectness and over-conservatism are merely annoy- ing, not fatal. The compiler can be fast since it knows that lint will cover its flanks. Finally, the programmer can con- centrate at one stage of the programming process solely on the algorithms, data structures, and correctness of the pro- gram, and then later retrofit, with the aid of lint, the desirable properties of universality and portability. References 1. B. W. Kernighan and D. M. Ritchie, The C Programming Language, Prentice-Hall, Englewood Cliffs, New Jersey, 1978. 2. S. C. Johnson, "Yacc - Yet Another Compiler-Compiler," Comp. Sci. Tech. Rep. No. 32, Bell Laboratories, Murray Hill, New Jersey, July 1975. 3. M. E. Lesk, "Lex - A Lexical Analyzer Generator," Comp. Sci. Tech. Rep. No. 39, Bell Laboratories, Murray Hill, New Jersey, October 1975. 4. S. C. Johnson and D. M. Ritchie, "UNIX Time-Sharing System: Portability of C Programs and the UNIX System," Bell Sys. Tech. J., vol. 57, no. 6, pp. 2021-2048, 1978. PS1:9-16 Lint, a C Program Checker 5. S. C. Johnson, "A Portable Compiler: Theory and Prac- tice," Proc. 5th ACM Symp. on Principles of Programming Languages, pp. 97-104, January 1978. Lint, a C Program Checker PS1:9-17 Appendix: Current Lint Options The command currently has the form lint [-options ] files... library-descriptors... The options are h Perform heuristic checks p Perform portability checks v Don't report unused arguments u Don't report unused or undefined externals b Report unreachable break statements. x Report unused external declarations a Report assignments of long to int or shorter. c Complain about questionable casts n No library checking is done s Same as h (for historical reasons).
http://www.mirbsd.org/htman/sparc/manPSD/22.lint.htm
CC-MAIN-2015-35
refinedweb
5,253
60.75
Scala: Currying functions For a long time I couldn’t understand currying functions in Scala and how they work. That was really horrible! Because occasionally I met the currying functions in the code and wasted too much time to read them. So finally I decided to learn how it works and where could be applied. Let’s start from a definition. A currying function is a function which could accept less number of parameters which are declared, then it returns a function with not used parameters. This definition is totally weird. In order to understand it we need to go through several examples. And be sure that you have already knows how simple Scala functions work. Before currying The most efficient way to understand the currying is to work with higher-order functions. Let’s look at following code snippet: def concatenator(w1: String): String => String = w2 => w1 +" "+ w2 What’s going on in the string above? Well, there is declared concatenator function. It accepts w1 argument of String type. It returns another function of String => String type. Moreover the returning function has its own body w2 => w1 +" "+ w2. Now we can see how it works: As you see we assigned to heyWord the function. Then we made a call heyWord("currying"). The result of that call is “Hey currying” string. After this demonstration we can move further. Keep in mind how we used the function which was returned. Currying time! Let’s declare a curried function: def concatenator(w1: String)(w2: String) = w1 + " " + w2 So parameters in the concatenator function defined in a separate brackets. How this circumstance affects the function usage? If we want to call it as a normal function we could pass all arguments in the same time and the result will be: As you see we get expected output Hey currying string. But what if we haven’t all required elements in the moment of first call? In this case we could use underscore or empty curly brackets instead of missed parameters: In analogy to the code sample from the first section of this article we use currying for achieving of the same effect. So we assigned the result of the first call to heyWord: val heyWord = concatenator("Hey")_ And then invoked the heyWord function with currying parameter. I think now currying is more or less clear for you. In order to complete this topic I want to provide another one example of curried function. More currying What about a curried function which has more than one parameter per brackets? It’s easy: By the way, if you want to specify not first argument primarily you could use following approach: val isFiveInRange = isInRange(_:Int,_:Int)(5) //isFiveInRange: (Int, Int) => Boolean = <function2> isFiveInRange(0, 10) //true isFiveInRange(-10, 0) //false Thanks to Luka Jacobowitz for remark to this case. Summary Basics of currying is simple if you are interested in learning them. More important aspect of them is a practical usage. In this question I’m not so experienced and I’d like to see your own samples in comments. The next logical step is to read about recursion functions in Scala.
http://fruzenshtein.com/scala-currying-functions/
CC-MAIN-2018-26
refinedweb
529
64.81
case 'T': myservo1.run(FORWARD); // Servo Runs Forward break;); case 'T':myservo1.write(Forward);break;case 'Y'myservo1.write(RELEASE)break;case 'U':myservo1.write(Backwards);break; Yes, but I am not looking for it to move from one position to another, I am wondering if you can move it similar to a motor #include <Servo.h> Servo myservo1; // create servo object to control a servovoid setup() { Serial.begin(9600); // set up Serial library at 9600 bpsvoid loop() { // read the sensor: if (Serial.available() > 0) { int inByte = Serial.read();switch (inByte) {case 'X':myservo.write(0); // tell servo to go to position 0 delay(15);case 'Y':myservo.write(90); // tell servo to go to position 90 delay(15);case 'Z':myservo.write(-90); // tell servo to go to position -90 delay(15); #include <Servo.h> Servo myservo; // create servo object to control a servo // a maximum of eight servo objects can be created int pos = 0; // variable to store the servo positionvoid setup() {Serial.begin(9600); // Setup Serial library at 9600 bps } void loop() { // read the IO: if (Serial.available() > 0) { int inByte = Serial.read(); for (int thisPin = 9; thisPin < 11; thisPin++) { pinMode(thisPin, OUTPUT);switch (inByte) { case 'q': myservo.attach(9); myservo.write(90); // set servo to mid-point break; case 'w': myservo.attach(9); myservo.write(170); // set servo to mid-point break; default: // turn all the connections off (Except Motorshield): for (int thisPin = 9; thisPin < 11; thisPin++) { digitalWrite(thisPin, LOW); } } }}} How could you add an interrupt that would stop the servo if a digital button was pressed say before it go to 170 degrees? Possible? How soon can you set a flag that loop() checks to determine that it needs to do something different? Is that less than the time needed to determine, using polling, that loop() needs to do something different? Teach me the: while(clawNotFullyClosed){} while(clawNotFullyClosed && !clawIsToStop){} while(clawNotFullyClosed && digitalRead(clawSwitch) != HIGH){} In the interrupt handler, you can not make the claw stop closing. All you can do is set a flag that says that the claw should stop closing. You won't know whether the switch was closed and interrupt has been triggered any sooner than you'd learn that the switch was closed.
http://forum.arduino.cc/index.php?topic=83912.45
CC-MAIN-2018-26
refinedweb
372
57.67
/* error.c -- error handler for noninteractive utilities Copyright (C) 1990. */ /* David MacKenzie */ /* Brian Berliner added support for CVS */ #include "cvs.h" #include "vasnprintf.h" /* Out of memory errors which could not be forwarded to the client are sent to * the syslog when it is available. */ #ifdef HAVE_SYSLOG_H # include <syslog.h> # ifndef LOG_DAEMON /* for ancient syslogs */ # define LOG_DAEMON 0 # endif #endif /* HAVE_SYSLOG_H */ /* If non-zero, error will use the CVS protocol to stdout to report error * messages. This will only be set in the CVS server parent process. * * Most other code is run via do_cvs_command, which forks off a child * process and packages up its stderr in the protocol. */ int error_use_protocol; #ifndef strerror extern char *strerror (int); #endif /* Print the program name and error message MESSAGE, which is a printf-style * format string with optional args, like: * * PROGRAM_NAME CVS_CMD_NAME: MESSAGE: ERRNUM * * or, when STATUS is non-zero: * * PROGRAM_NAME [CVS_CMD_NAME aborted]: MESSAGE: ERRNUM * * CVS_CMD_NAME & ERRMSG may or may not appear in the output (the `:' before * ERRMSG will disappear as well when ERRNUM is not present). ERRMSG * represents the system dependent message returned by strerror (ERRNUM), when * ERRNUM is non-zero. * * Exit with status EXIT_FAILURE if STATUS is nonzero. * * If this function fails to get any memory it might request, it attempts to * log a "memory exhausted" message to the syslog, when syslog is available, * without any further attempts to allocate memory, before exiting. See NOTES * below for more information on this functions memory allocation. * * INPUTS * status When non-zero, exit with EXIT_FAILURE rather than returning. * errnum When non-zero, interpret as global ERRNO for the purpose of * generating additional error text. * message A printf style format string. * ... Variable number of args, as printf. * * GLOBALS * program_name The name of this executable, for the output message. * cvs_cmd_name Output in the error message, when it exists. * errno Accessed simply to save and restore it before * returning. * * NOTES * This function goes to fairly great lengths to avoid allocating memory so * that it can relay out-of-memory error messages to the client. Any error * messages which fit in under 256 characters (after expanding MESSAGE with * ARGS but before adding any ERRNUM text) should not require memory * allocation before they are sent on to cvs_outerr(). Unfortunately, * cvs_outerr() and the buffer functions it uses to send messages to the * client still don't make this same sort of effort, so in local mode * out-of-memory errors will probably get printed properly to stderr but if a * memory outage happens on the server, the admin will need to consult the * syslog to find out what went wrong. * * I think this is largely cleaned up to the point where it does the right * thing for the server, whether the normal server_active (child process) * case or the error_use_protocol (parent process) case. The one exception * is that STATUS nonzero for error_use_protocol probably doesn't work yet; * in that case still need to use the pending_error machinery in server.c. * * error() does not molest errno; some code (e.g. Entries_Open) depends * on being able to say something like: * * error (0, 0, "foo"); * error (0, errno, "bar"); * * RETURNS * Sometimes. ;) */ void error (int status, int errnum, const char *message, ...) { va_list args; int save_errno = errno; /* Various buffers we attempt to use to generate the error message. */ char statbuf[256]; char *buf; size_t length; char statbuf2[384]; char *buf2; char statcmdbuf[32]; char *cmdbuf; char *emptybuf = ""; static const char *last_message = NULL; static int last_status; static int last_errnum; /* Initialize these to avoid a lot of special case error handling. */ buf = statbuf; buf2 = statbuf2; cmdbuf = emptybuf; /* Expand the message the user passed us. */ length = sizeof (statbuf); va_start (args, message); buf = vasnprintf (statbuf, &length, message, args); va_end (args); if (!buf) goto memerror; /* Expand the cvs commmand name to <cmd> or [<cmd> aborted]. * * I could squeeze this into the buf2 printf below, but this makes the code * easier to read and I don't think error messages are printed often enough * to make this a major performance hit. I think the memory cost is about * 40 bytes. */ if (cvs_cmd_name) { length = sizeof (statcmdbuf); cmdbuf = asnprintf (statcmdbuf, &length, " %s%s%s", status ? "[" : "", cvs_cmd_name, status ? " aborted]" : ""); /* Else cmdbuf still = emptybuf. */ if (!cmdbuf) goto memerror; } /* Else cmdbuf still = emptybuf. */ /* Now put it all together. */ length = sizeof (statbuf2); buf2 = asnprintf (statbuf2, &length, "%s%s: %s%s%s\n", program_name, cmdbuf, buf, errnum ? ": " : "", errnum ? strerror (errnum) : ""); if (!buf2) goto memerror; /* Send the final message to the client or log it. * * Set this recursion block first since this is the only function called * here which can cause error() to be called a second time. */ if (last_message) goto recursion_error; last_message = buf2; last_status = status; last_errnum = errnum; cvs_outerr (buf2, length); /* Reset our recursion lock. This needs to be done before the call to * exit() to allow the exit handlers to make calls to error(). */ last_message = NULL; /* Done, if we're exiting. */ if (status) exit (EXIT_FAILURE); /* Free anything we may have allocated. */ if (buf != statbuf) free (buf); if (buf2 != statbuf2) free (buf2); if (cmdbuf != statcmdbuf && cmdbuf != emptybuf) free (cmdbuf); /* Restore errno per our charter. */ errno = save_errno; /* Done. */ return; memerror: /* Make one last attempt to log the problem in the syslog since that * should not require new memory, then abort. * * No second attempt is made to send the information to the client - if we * got here then that already failed once and this prevents us from * entering an infinite loop. * * FIXME * If the buffer routines can be altered in such a way that a single, * short, statically allocated message could be sent without needing to * allocate new memory, then it would still be safe to call cvs_outerr * with the message here. */ #if HAVE_SYSLOG_H syslog (LOG_DAEMON | LOG_ERR, "Memory exhausted. Aborting."); #endif /* HAVE_SYSLOG_H */ goto sidestep_done; recursion_error: #if HAVE_SYSLOG_H /* Syslog the problem since recursion probably means that we encountered an * error while attempting to send the last error message to the client. */ syslog (LOG_DAEMON | LOG_ERR, "error (%d, %d) called recursively. Original message was:", last_status, last_errnum); syslog (LOG_DAEMON | LOG_ERR, "%s", last_message); syslog (LOG_DAEMON | LOG_ERR, "error (%d, %d) called recursively. Second message was:", status, errnum); syslog (LOG_DAEMON | LOG_ERR, "%s", buf2); syslog (LOG_DAEMON | LOG_ERR, "Aborting."); #endif /* HAVE_SYSLOG_H */ sidestep_done: /* Reset our recursion lock. This needs to be done before the call to * exit() to allow the exit handlers to make calls to error(). */ last_message = NULL; exit (EXIT_FAILURE); } /* Print the program name and error message MESSAGE, which is a printf-style format string with optional args to the file specified by FP. If ERRNUM is nonzero, print its corresponding system error message. Exit with status EXIT_FAILURE if STATUS is nonzero. */ /* VARARGS */ void fperrmsg (FILE *fp, int status, int errnum, char *message, ...) { va_list args; fprintf (fp, "%s: ", program_name); va_start (args, message); vfprintf (fp, message, args); va_end (args); if (errnum) fprintf (fp, ": %s", strerror (errnum)); putc ('\n', fp); fflush (fp); if (status) exit (EXIT_FAILURE); }
http://opensource.apple.com/source/cvs/cvs-42/cvs/src/error.c
CC-MAIN-2016-26
refinedweb
1,122
54.73
Library Interfaces and Headers - complex arithmetic #include <complex.h> The <complex.h> header defines the following macros: Expands to _Complex. Expands to a constant expression of type const float _Complex, with the value of the imaginary unit (that is, a number i such that i2=-1). Expands to _Imaginary. Expands to a constant expression of type const float _Imaginary with the value of the imaginary unit. Expands to either _Imaginary_I or _Complex_I. If _Imaginary_I is not defined, I expands to _Complex_I. An application can undefine and then, if appropriate, redefine the complex, imaginary, and I macros. Values are interpreted as radians, not degrees. See attributes(5) for descriptions of the following attributes: cabs(3M), cacos(3M), cacosh(3M), carg(3M), casin(3M), casinh(3M), catan(3M), catanh(3M), ccos(3M), ccosh(3M), cexp(3M), cimag(3M), clog(3M), conj(3M), cpow(3M), cproj(3M), creal(3M), csin(3M), csinh(3M), csqrt(3M), ctan(3M), ctanh(3M), attributes(5), standards(5) does.
http://docs.oracle.com/cd/E26505_01/html/816-5173/complex-3head.html
CC-MAIN-2013-48
refinedweb
161
50.73
How to Calculate the Distance Between Two Points in Java Finding the distances between points in either 2D or 3D space is actually a simple operation using the \"Point2d\" and \"Point3d\" classes that are included in the Java API's \"javax.vecmath\" library. You do not even have to haul out your old geometry or algebra textbooks, because the API does all the math work for you. Instructions - 1 Create a \"DistanceFinder\" class and place it in a file named \"DistanceFinder.java.\" Add the following basic class structure:<br />import javax.vecmath.Point2d<br />GO<br />import javax.vecmath.Point3d<br />GO<br /><br />/**<br /> * Provides methods to find the distances between two points.<br /> * @author Kevin Walker<br /> */<br />public class DistanceFinder {<br /><br />}<br />If you use a Java IDE such as Netbeans for your work, this task can be done automatically for you by selecting either the \"New File\" or \"New Class\" option from the \"File\" menu. - 2 Add a method to find the distance between two points in 2D space:<br /> /**<br /> * Finds the distance between two points in two-dimensional space.<br /> * @param p1 The first point.<br /> * @param p2 The second point.<br /> * @return The distance<br /> */<br /> public static double distance(Point2d p1, Point2d p2) {<br /> return p1.distance(p2)<br />GO<br /> }<br />The method begins with a \"JavaDoc\" comment that describes what the method will do, what parameters it will take and what it returns. The method itself is then declared. It is \"public,\" which means it is acceptable for use in programs outside this class. It is \"static,\" meaning that it can be used without first creating a \"DistanceFinder\" object. And it returns the distance using the \"double\" primitive type. - 3 Add a method find the distance between two points in 3D space:<br /> /**<br /> * Finds the distance between two points in three-dimensional space.<br /> * @param p1 The first point.<br /> * @param p2 The second point.<br /> * @return The distance<br /> */<br /> public static double distance(Point3d p1, Point3d p2) {<br /> return p1.distance(p2)<br />GO<br /> } - 4 Add a main method to create a few points and test the application:<br /> /**<br /> * A simple test application.<br /> */<br /> public static void main(String[] args) {<br /><br /> Point2d p1, p2<br />GO<br /><br /> p1 = new Point2d(5.0, 3.5)<br />GO<br /> p2 = new Point2d(12.7, 8.9)<br />GO<br /> <br /> System.out.println(distance(p1,p2))<br />GO<br /><br /> Point3d p3, p4<br />GO<br /> p3 = new Point3d(1.0,5.6,3.2)<br />GO<br /> p4 = new Point3d(1.8,8.9,6.2)<br />GO<br /><br /> System.out.println(distance(p3,p4))<br />GO<br /> <br /> }<br />This simple test application creates four points, two each in 2D and 3D space, and then uses the functions provided to find the distance between them. Tips & Warnings Don't confuse the Point2d class from the javax.vecmath library with the Point2D class from the java.awt.geom library. References - Photo Credit Photodisc/Photodisc/Getty Images You May Also Like - How to Find the Distance Between Two Points on a Coordinate Plane Let me guide you through one of the many types of mathematical problems that you are likely to encounter sometime during your... - How to Calculate the Distance Between Two Points in 3-D Finding the distance between two points in three-dimensional (3-D) space is a common problem in mathematics (for example, in linear algebra) and... - How to Calculate the Distance Between GPS Points Although your high school math teachers may not have stressed it, the geometry you were learning is a mathematical system that only... - How to Find the Distance Between Two Points on a Graph Calculating the distance between two points on a graph is a task that you might be required to perform in a high... - How to Calculate the Distance Between Two Points on the Globe Measuring the distance between two points on a curved surface, such as the globe, is not as straightforward as it is for... - How to Derive a Formula for the Distance Between a Point & a Line Everyone knows that the shortest distance between two points is a straight line. Somewhat less obvious is the fact that the shortest... - How to Calculate the Distance Between Two Coordinates Knowing how to calculate the distance between two coordinates has many practical applications in science and construction. To find the distance between... - How to Calculate the Distance on a 2D Plane A two-dimensional plane can be represented using an x- and y-axis. The x-axis runs horizontally, while the y-axis runs vertically. The point...
http://www.ehow.com/how_6246034_calculate-between-two-points-java.html
crawl-003
refinedweb
784
62.88
On Mon, Apr 9, 2012 at 4:33 PM, Tres Seaver <tsea...@palladion.com> wrote: > -----BEGIN PGP SIGNED MESSAGE----- > Hash: SHA1 > > On 04/09/2012 04:15 PM, Martin Aspeli wrote: >> On 9 April 2012 15:41, Brian Sutherland <br...@vanguardistas.net> >> wrote: >> >>> On Sun, Apr 08, 2012 at 01:04:37PM -0700, Ross Patterson wrote: >>>> experimental.broken is working well for me. It greatly aided me >>>> in getting through a particularly nasty upgrade allowing me to >>>> cleanup the ZCA cruft left by poorly behaved add-ons. I'd like >>>> to proceed with adding the core of this to zope.interface and I >>>> need the developers/maintainers to weigh in. >>>> >>>> The first and most fundamental matter is changing interface >>>> pickles such that they can be unpickled into something that can >>>> fulfill the minimum interface contract and don't break the ZCA. To >>>> that end, I'd like to add the following to >>>> zope.interface.interface: >>>> >>>> ... try: from ZODB.broken import find_global from ZODB.broken >>>> import IBroken def find_interface(modulename, globalname, >>>> Broken=IBroken, type=InterfaceClass): """ Find a global >>>> interface, returning a broken interface if it >>> can't be found. >>>> """ return find_global(modulename, globalname, Broken=IBroken, >>>> type=InterfaceClass) except ImportError: IBroken = Interface def >>>> find_interface(modulename, globalname, Broken=IBroken, >>>> type=InterfaceClass): """ Find a global interface, raising >>>> ImportError if it can't be >>> found. >>>> """ # From pickle.Unpickler.find_class __import__(module) mod = >>>> sys.modules[module] klass = getattr(mod, name) return klass ... >>>> class InterfaceClass(Element, InterfaceBase, Specification): ... >>>> def __reduce__(self): if self is IBroken: return self.__name__ >>>> return (find_interface, (modulename, globalname)) ... >>> >>> -1 > > Agreeed. I'm more like -20 on this implementation, but +1 on the goal. > >>> >>> For a number of reasons, but mainly because you add a test >>> dependency on the ZODB from zope.interface. I think that >>> zope.interface is such a fundamental package and the dependency is >>> unacceptable. >>> >> >> It's a soft dependency only, looking at the code sample. >> >> >>> There has lately been a LOT of work done reducing the dependency >>> structure of zope.* packages. You need a VERY good reason to start >>> reversing that. >> >> >> It doesn't add any more (required) dependencies. > > - -1 on any dependency, soft or hard, from zope.interface -> ZODB > >> This is a real issue that is breaking the sites of a lot of real >> users of zope.interface in a way that is hard to debug and reverse. >> >> Can you think of a better way to get around it? Other than "don't get >> into the situation" which isn't a valid answer as long as the ZTK >> ecosystem supports persistent local components. > >. +1 Jim -- Jim Fulton Jerky is better than bacon! _______________________________________________ Zope-Dev maillist - Zope-Dev@zope.org ** No cross posts or HTML encoding! ** (Related lists - )
https://www.mail-archive.com/zope-dev@zope.org/msg37323.html
CC-MAIN-2017-51
refinedweb
449
51.24
#include <wx/url.h> wxURL is a specialization of wxURI for parsing URLs. Please look at wxURI documentation for more info about the functions you can use to retrieve the various parts of the URL (scheme, server, port, etc). Supports standard assignment operators, copy constructors, and comparison operators. Constructs a URL object from the string. The URL must be valid according to RFC 1738. In particular, file URLs must be of the format "", otherwise GetError() will return a value different from wxURL_NOERR. It is valid to leave out the hostname but slashes must remain in place, in other words, a file URL without a hostname must contain three consecutive slashes (e.g. ""). Destroys the URL object. Returns the last error. This error refers to the URL parsing or to the protocol. It can be one of wxURLError. Creates a new input stream on the specified URL. You can use all but seek functionality of wxStream. Seek isn't available on all streams. For example, HTTP or FTP streams don't deal with it. Note that this method is somewhat deprecated, all future wxWidgets applications should use wxFileSystem instead. Example: Returns a reference to the protocol which will be used to get the URL. Returns true if this object is correctly initialized, i.e. if GetError() returns wxURL_NOERR. Sets the default proxy server to use to get the URL. The string specifies the proxy like this: "<hostname>:<port number>". Sets the proxy to use for this URL. Initializes this object with the given URL and returns wxURL_NOERR if it's valid (see GetError() for more info).
https://docs.wxwidgets.org/3.1.3/classwx_u_r_l.html
CC-MAIN-2021-43
refinedweb
265
68.57
Share & Enjoy : Using a JDeveloper Project as an MDS Store By Antony Reynolds-Oracle on Oct 12, 2013 Share & Enjoy : Sharing Resources through MDS One of my favorite radio shows was the Hitchhikers Guide to the Galaxy by the sadly departed Douglas Adams. One of the characters, Marvin the Paranoid Android, was created by the Sirius Cybernetics Corporation whose corporate song was entitled Share and Enjoy! Just like using the products of the Sirius Cybernetics Corporation, reusing resources through MDS is not fun, but at least it is useful and avoids some problems in SOA deployments. So in this blog post I am going to show you how to re-use SOA resources stored in MDS using JDeveloper as a development tool. The Plan We would like to have some SOA resources such as WSDLs, XSDs, Schematron files, DVMs etc. stored in a shared location. This gives us the following benefits - Single source of truth for artifacts - Remove cross composite dependencies which can cause deployment and startup problems - Easier to find and reuse resources if stored in a single location So we will store a WSDL and XSD in MDS, using a JDeveloper project to maintain the shared artifact and using File based MDS to access it from development and Database based MDS to access it from runtime. We will create the shared resources in a JDeveloper project and deploy them to MDS. We will then deploy a project that exposes a service based on the WSDL. Finally we will deploy a client project to the previous project that uses the same MDS resources. Creating Shared Resources in a JDeveloper Project First lets create a JDeveloper project and put our shared resources into that project. To do this - In a JDeveloper Application create a New Generic Project (File->New->All Technologies->General->Generic Project) - In that project create a New Folder called apps (File->New->All Technologies->General->Folder) – It must be called apps for local File MDS to work correctly. - In the project properties delete the existing Java Source Paths (Project Properties->Project Source Paths->Java Source Paths->Remove) - In the project properties a a new Java Source Path pointing to the just created apps directory (Project Properties->Project Source Paths->Java Source Paths->Add) Having created the project we can now put our resources into that project, either copying them from other projects or creating them from scratch. Create a SOA Bundle to Deploy to a SOA Instance Having created our resources we now want to package them up for deployment to a SOA instance. To do this we take the following steps. - Create a new JAR deployment profile (Project Properties->Deployment->New->Jar File) - In JAR Options uncheck the Include Manifest File - In File Groups->Project Output->Contributors uncheck all existing contributors and check the Project Source Path - Create a new SOA Bundle deployment profile (Application Properties->Deployment->New->SOA Bundle) - In Dependencies select the project jar file from the previous steps. - On Application Properties->Deployment unselect all options. The bundle can now be deployed to the server by selecting Deploy from the Application Menu. Create a Database Based MDS Connection in JDeveloper Having deployed our shared resources it would be good to check they are where we expect them to be so lets create a Database Based MDS Connection in JDeveloper to let us browse the deployed resources. - Create a new MDS Connection (File->All Technologies->General->Connections->SOA-MDS Connection) - Make the Connection Type DB Based MDS and choose the database Connection and parition. The username of the connection will be the <PREFIX>_mds user and the MDS partition will be soa-infra. Browse the repository to make sure that your resources deplyed correctly under the apps folder. Note that you can also use this browser to look at deployed composites. You may find it intersting to look at the /deployed-composites/deployed-composites.xml file which lists all deployed composites. Create an File Based MDS Connection in JDeveloper We can now create a File based MDS connection to the project we just created. A file based MDS connection allows us to work offline without a database or SOA server. We will create a file based MDS that actually references the project we created earlier. - Create a new MDS Connection (File->All Technologies->General->Connections->SOA-MDS Connection) - Make the Connection Type File Based MDS and choose the MDS Root Folder to be the location of the JDeveloper project previously created (not the source directory, the top level project directory). We can browse the file based MDS using the IDE Connections Window in JDeveloper. This lets us check that we can see the contents of the repository. Using File Based MDS Now that we have MDS set up both in the database and locally in the file system we can try using some resources in a composite. To use a WSDL from the file based repository: - Insert a new Web Service Reference or Service onto your composite.xml. - Browse the Resource Palette for the WSDL in the File Based MDS connection and import it. - Do not copy the resource into the project. - If you are creating a reference, don’t worry about the warning message, that can be fixed later. Just say Yes you do want to continue and create the reference. Note that when you import a resource from an MDS connection it automatically adds a reference to that MDS into the applications adf-config.xml. SOA applications do not deploy their adf-config.xml, they use it purely to help resolve oramds protocol references in SOA composites at design time. At runtime the soa-infra applications adf-config.xml is used to help resolve oramds protocol references. The reason we set file based MDS to point to the project directory rather than the apps directory underneath is because when we deploy SOA resources to MDS as a SOA bundle the resources are all placed under the apps MDS namespace. To make sure that our file based MDS includes an apps namespace we have to rename the src directory to be apps and then make sure that our file based MDS points to the directory aboive the new source directory. Patching Up References When we use an abstract WSDL as a service then the SOA infrastructure automatically adds binging and service information at run time. An abstract WSDL used as a reference needs to have binding and service information added in order to compile successfully. By default the imported MDS reference for an abstract WSDL will look like this: <reference name="Service3" ui: <interface.wsdl <binding.ws </reference> Note that the port and location properties of the binding are empty. We need to replace the location with a runtime WSDL location that includes binding information, this can be obtained by getting the WSDL URL from the soa-infra application or from EM. Be sure to remove any MDS instance strings from the URL. The port information is a little more complicated. The first part of the string should be the target namespace of the service, usually the same as the first part of the interface attribute of the interface.wsdl element. This is followed by a #wsdl.endpoint and then in parenthesis the service name from the runtime WSDL and port name from the WSDL, separated by a /. The format should look like this: {Service Namespace}#wsdl.endpoint({Service Name}/{Port Name}) So if we have a WSDL like this: <wsdl:definitions … … <wsdl:service <wsdl:port <soap:address location=… /> </wsdl:port> </wsdl:service> </wsdl:definitions> Then we get a binding.ws port like this: wsdl.endpoint(writefileprocess_client_ep/WriteFileProcess_pt) Note that you don’t have to set actual values until deployment time. The following binding information will allow the composite to compile in JDeveloper, although it will not run in the runtime: <binding.ws The binding information can be changed in the configuration plan. Deferring this means that you have to have a configuration plan in order to be able to invoke the reference and this means that you reduce the risk of deploying composites with references that are pointing to the wrong environment. Summary In this blog post I have shown how to store resources in MDS so that they can be shared between composites. The resources can be created in a JDeveloper project that doubles as an MDS file repository. The MDS resources can be reused in composites. If using an abstract WSDL from MDS I have also shown how to fix up the binding information so that at runtime the correct endpoint can be invoked. Maybe it is more fun than dealing with the Sirius Cybernetics Corporation!
https://blogs.oracle.com/reynolds/date/201310
CC-MAIN-2016-26
refinedweb
1,445
50.36
I don't write a lot of Haskell. In fact, I don't really write any Haskell. My total lifetime output is well under 1000 lines. Every time I sit down to write some Haskell, though, I get reminded of why I like it so much. Functional programming can be a tricky paradigm to get your head around, but I don't think it's fundamentally challenging. Rather, it's at odds with the instincts you've already built. Thus, when trying to program functionally in a more familiar language, it's quite easy to cheat. JavaScript is a great example. Modern JS is a great language for functional programming, but there is nothing keeping you on the rails, so to speak. You might be leaning on imperative crutches without even realizing you're doing it. Sure, you might be using reduce or newfangled stuff like flatMap all over the place, but the language itself doesn't care about how sound your code is, it will do almost anything you ask and never complain if you're breaking rules to make things easier on yourself. Haskell forces you stay in the box. Its draconian compiler means that your code doesn't run unless you've done it right. This feels like a limitation at first, but by forcing you to solve problems functionally it...well...forces you to solve problems functionally. What's prompting this is yesterday's Dev.to challenge: I had a long train ride yesterday, and figured a coding challenge would be a great way to pass the time. Immediately upon reading the problem spec, I had an outline of how to solve this problem. I've been spending most of my time over the last few weeks writing either C++ or Rust, so my mental outline was very imperative. You'd traverse the string iteratively, increment a score based on markers that are present, and then adjust that score based on any extra bonuses. I'm reasonably certain this instinctive solution would have worked with a little massaging. Where's the fun in that, though? So, of course, I decided to whip out my dusty old Haskell compiler and see if I still knew how to drive it. I find the most useful one-sentence summary of "functional programming" to be that instead of telling the computer how to compute the result, you just tell the computer what the result is. This can be easier said than done, and requires you to re-frame how you think about the problem. In this specific problem, we are given a string and must return how high that string scores per Scrabble rules. There are a few curveballs - the * character is used to double or triple scores, the ^ indicates a blank so the previous letter shouldn't be scored, and words can be appended with a multiplier like hello(d) or hello(t) to signal that the final result should be doubled or tripled. The way to frame this is to think about what a scrabble score actually is. Instead of building up the score a piece at a time, say, adding the letters one by one and then checking to see if it needs adjustment, we want an equation that will score any word. This looks something like the following: rawScore * wordMultiplier + sevenLetterBonus This equation fits any input - we can just default the multiplier to 1 and the bonus to 0, so that most words that don't need these get rawScore * 1 + 0, which is clearly equivalent to rawScore. So, that's what the answer is. We just need to manipulate the string passed in so that each of these values is correctly populated by the time we get there. The simplest part is sevenLetterBonus. If the raw word is exactly 7 letters, we add 50 points. Our input string may have extra bits like the asterisk or the multiplier suffix, so just strip those to get the actual word: stripMarkers :: String -> String stripMarkers = filter (\c -> c /= '*' && c /= '^') $ takeWhile (/= '(') Good. Again, this function just describes what the end result is - it's the original word up to a ( character, with the marker characters filtered out. Quite declarative. Then we can build the bonus: sevenLetterBonus = if (length $ stripMarkers w) == 7 then 50 else 0 Perfect, this now works on any input. The multiplier, too, is easy. Some inputs will have a suffix, and if so, check which. If not, the multiplier is 1: wordMultiplier = let suffix = dropWhile (/= '(') w in if length suffix > 0 then case suffix !! 1 of 't' -> 3 'd' -> 2 _ -> 1 else 1 It only looks at any part of the string after a ( character, and acts accordingly. This also already handles any string we throw at it - most will hit that else block because there is no ( present and get assigned a 1, which won't change the raw score. The trickiest part of this for me functionally was handling the asterisks. My instincts tell me to solve this with an iterative loop, but Haskell is not going to let me get away with that. If it did, I likely would have been tempted to take the easy way out. But, of course, I couldn't. Scoring a list of letters is easy - you just replace each letter with it's numerical value, and sum the list: sum $ map (\c -> scores ! c) $ word The mapping function is just performing a lookup in a mapping from characters to ints. In order for this to work, we need to have a string containing just the letters that will be scored. In order for this little snippet to work on any input, that input should be pre-processed to only contain letters. Any letter we want omitted can be, well, omitted, and letters to count multiple times can just appear multiple times. I don't know if I handled this as cleanly or as elegantly as a Haskeller would have, but this does the trick: It consumes the string recursively. On each letter, it looks one forward, and then continues the process based on what it finds. An asterisk will get removed and replaced with a copy of the letter we're on, unless the next one is also an asterisk, in which case it will replace both of them, and a carat will cause the character we're on to just not appear in the result. This function turns he*ll^o** into heelooo - ready to be scored as is via the simple character-to-int substitution. The full code just puts all this together: import Data.Map (Map, (!)) import qualified Data.Map as Map scores :: Map Char Int scores = Map.fromList pairs where pairs = [ ()] scoreWord :: String -> Int scoreWord w = let sevenLetterBonus = if (length $ stripMarkers w) == 7 then 50 else 0 wordMultiplier = let suffix = dropWhile (/= '(') w in if length suffix > 0 then case suffix !! 1 of 't' -> 3 'd' -> 2 _ -> 1 else 1 -- preparedWord = expandMarkers $ takeWhile (/= '(') w rawScore = sum $ map (\c -> scores ! c) $ preparedWord in rawScore * wordMultiplier + sevenLetterBonus -- transform doubles, triples, carats -- if we hit an asterisk, replace it with the previous letter -- if we hit a carat, drop the previous letter -- remove suffix and all markers for deciding on the 7-letter bonus stripMarkers :: String -> String stripMarkers w = filter (\c -> c /= '*' && c /= '^') $ takeWhile (/= '(') w This solution, that pre-processes every input into something that can be easily scored the same way, bears little to no resemblance to the code I wrote in my head when I read the spec. That's pretty cool, and I think it's a decent solution in any language. That's why Haskell is worth it. In order to make it go, you cannot fall back on instinct. You have to actually solve the problem differently, and it won't work until it does. I have no delusions about this being nice, idiomatic Haskell, but it is working Haskell, which means I've come up with a working solution that I can now bring to a more familiar environment and implement. If I had sat down to write this in JavaScript instead, I would not have arrived in the same place without a lot more thought and self-discipline, because I would have just written it out how I thought about it first, and deprived myself of the experience of looking at the problem in a new way. Now the next time I approach a similar problem, my toolbox has expanded and my first instinct might actually look more like this. Thanks, Haskell! Photo by Michal Vrba on Unsplash Posted on by: Ben Lovy Just this guy, you know? Read Next How To Build a Todo App with React, TypeScript, NodeJS, and MongoDB Ibrahima Ndaw - What I learned after reviewing over 40 developer portfolios - 9 tips for a better portfolio kethmars - How to earn more as a Freelancer Guy Ntare - Discussion My main gripe with Haskell is that IMHO there’s not enough focus on the pragmatic core of the language in the community, though admittedly that got a lot better in the last 10 or so years since I’ve been following the language. Sure, a lot of the more advanced stuff is also useful, but I’d wager that one can get quite a lot of stuff done without deeper understanding of monads or category theory. Alas a lot of the learning materials and blog posts focus more on yet another monad tutorial instead of e.g. building a web application end to end. Totally agreed. Haskell is really big and powerful, and I can see the appeal for the category theory nuts, but this code, for example, doesn't use anything fancy. I'm just using GHC to verify that my code actually conforms to the paradigm, but there's nothing here that couldn't be expressed in JS. I think there's a definite place for both communities, but beginners (like me) all too often get turned off by the slew of content that's almost entirely irrelevant. Documentation of libraries can be sparse, too, often just amounting to an enumeration of the API. It's not always clear how to start from there, but is useful as you get going. I'd like to make a more concerted effort to use it pragmatically more often, because it really is fun to do simple things like this. The reason there's no beginner tutorials is that nobody's writing them...but the fix for that is to write 'em :) There is for sure, but alas the Real World Haskell book is getting a bit dated (it's from 2008) and is also quit long (700+ pages). What I'd like to see is something ~300ish pages that focuses on e.g. building a full web app or something like that. Anyway, I'm not writing those either (I settled on F# as my functional language of choice), so it's not for me to complain. I like F# too. It it just doesn't quite occupy the same niche for me - it's got escape hatches, it's strictly evaluated, and it's tied to the CLR. Spot on, though tradeoffs I’m happy to make. Escape hatches seem like a pragmatic alternative to forcing a messy outside world into purity and I never believed that laziness by default is that big a deal if a language offers it at all. Anyway, totally agreed that they’re quite different, so in the end it’s up to personal preference. Yup. Definitely a pragmatic choice, but I specifically gravitate towards Haskell as a teaching tool. I'm glad both exist for what they are!
https://practicaldev-herokuapp-com.global.ssl.fastly.net/deciduously/haskell-as-training-wheels-1igl
CC-MAIN-2020-34
refinedweb
1,948
67.59
In general, for an int num num++ ++num num++ num++ num++ std::atomic<int> This is absolutely a Data Race as defined by C++. It wouldn't matter if one compiler happened to produce code that does what you hoped on some target machine; it's still Undefined Behaviour. You need to use std::atomic, but you can use it with memory_order_relaxed if you don't care about reordering. But first, the asm part of the question: Since num++ is one instruction ( add dword [num], 1), can we conclude that num++ is atomic in this case? Memory-destination instructions are read-modify-write operations. No architectural register is modified, but the CPU has to hold the data internally while it sends it through its ALU. The actual register file is only a small part of the data storage inside even the simplest CPU, with latches holding outputs of one stage as inputs for another stage, etc. etc. Memory operations from other CPUs can become globally visible between the load and store. i.e. two threads running add dword [num], 1 in a loop would step on each other's stores. After 40k increments from each of two threads, the counter might have only gone up by ~60k, not 80k on real multi-core x86 hardware. The lock prefix can be applied to many RMW instructions to make them atomic. That is why it exists. (See also this Q&A). So lock add dword [num], 1 is atomic. A CPU core running that instruction would keep the cache line locked from when the load reads data from cache until the store commits its result back into cache. Operations by other cores appear to happen either before or after, not during. (This is basically the definition of atomic: that no observer can see the operation as separate steps, not that it physically / electrically happened simultaneously). I went into a lot more detail about this point in my answer to Atomicity on x86. Note that the lock prefix also turns an instruction into a full memory barrier, stopping all reordering. (See Jeff Preshing's excellent blog post. His other posts are all excellent, too, and clearly explain a lot of good stuff about lock-free programming, from x86 and other hardware details to C++ rules.) On a uniprocessor machine, or in a single-threaded process, a single RMW instruction actually is atomic without a lock prefix. The only way for other code to access the shared variable is for the CPU to do a context switch, which can't happen in the middle of an instruction. So a plain dec dword [num] can synchronize between a program and a signal handler, or in a multi-threaded program running on a single-core machine. See the second half of my answer on another Q, and the comment thread where I explain this in more detail. It's totally bogus to use num++ without telling the compiler that you need it to compile to a single read-modify-write implementation. It's free to compile it to this if it wants: ;; valid compiler output for num++ mov eax, [num] inc eax mov [num], eax That used to be more efficient (on some older x86 CPUs like Pentium4, I think), but modern x86 CPUs once again handle RMW operations at least as efficiently as separate simple instructions. Compile-time reordering is allowed. The other part of what you get with std::atomic is control over compile-time reordering, to make sure your num++ becomes globally visible only after some other operation. Classic example: storing some data into a buffer for another thread to look at, then setting a flag. Even though x86 does acquire loads/release stores for free, you still have to tell the compiler not to reorder by using flag.store(1, std::memory_order_release);. (As I mentioned, the x86 lock prefix is a full memory barrier, so using num.fetch_add(1, std::memory_order_relaxed); generates the same code on x86 as num++ (the default is sequential consistency), but can be much more efficient on other architectures (like ARM).) This is what gcc actually does on x86, for a few functions that operate on a global variable. #include <atomic> std::atomic<int> num; void inc_relaxed() { num.fetch_add(1, std::memory_order_relaxed); } int load_num() { return num; } void store_num(int val){ num = val; } // even seq_cst loads are free on x86 void store_num_release(int val){ // allowed to be delayed in becoming globally visible until after following ops. num.store(val, std::memory_order_release); } See the src+asm formatted nicely on the Godbolt compiler explorer. I omitted a couple function from the src, but their content should be obvious from the function names in the asm output. # g++ 6.2 -O3, targeting x86-64 System V calling convention. (First arg in edi) inc_relaxed(): lock add DWORD PTR num[rip], 1 #### Even relaxed RMWs need a lock. There's no way to request just a single-instruction RMW with no lock, for synchronizing between a program and signal handler for example. :/ There is atomic_signal_fence for ordering, but nothing for RMW. ret inc_seq_cst(): lock add DWORD PTR num[rip], 1 ret load_num(): mov eax, DWORD PTR num[rip] ret store_num(int): mov DWORD PTR num[rip], edi mfence ##### seq_cst stores need an mfence ret store_num_release(int): mov DWORD PTR num[rip], edi ret ##### release and weaker doesn't. store_num_relaxed(int): mov DWORD PTR num[rip], edi ret
https://codedump.io/share/E5phha957iTB/1/can-num-be-atomic-for-an-int-num
CC-MAIN-2016-44
refinedweb
903
60.45
Devel::Trace::Cwd - Print out each line before it is executed and track cwd changes version 0.02 perl -d:Trace::Cwd program If you run your program with perl -d:Trace::Cwd. If the current working directory changes during execution that will be printed to standard error with a CWD: prefix. Inside your program, you can enable and disable tracing by doing $Devel::Trace::Cwd::TRACE = 1; # Enable $Devel::Trace::Cwd::TRACE = 0; # Disable or Devel::Trace::Cwd::trace('on'); # Enable Devel::Trace::Cwd::trace('off'); # Disable trace Devel::Trace exports the trace function if you ask it to: import Devel::Trace::Cwd 'trace'; Then if you want you just say trace 'on'; # Enable trace 'off'; # Disable We'll see. Mark-Jason Dominus ( mjd-perl-trace@plover.com), Plover Systems co. See the Devel::Trace.pm Page at for news and upgrades. Chris Williams <chris@bingosnet.co.uk> This software is copyright (c) 2011 by Chris Williams and Mark-Jason Dominus. This is free software; you can redistribute it and/or modify it under the same terms as the Perl 5 programming language system itself.
http://search.cpan.org/dist/Devel-Trace-Cwd/lib/Devel/Trace/Cwd.pm
CC-MAIN-2016-40
refinedweb
186
57.77
Off Main Thread Architecture with Vuex In the last chrome dev summit, Surma's talk on the off-main-thread architectures and a following article on its possible applications on common technologies like React and specifically Redux inspired me to explore similar opportunities for Vue and Vuex. This article was intended to be a 30-minute talk, but I decided to write it down in-case I didn't get the chance to do it. Nature of JavaScriptNature of JavaScript First let me quickly remind myself about the nature of JavaScript execution. JavaScript is a single-threaded language, meaning you cannot execute two statements at the exact same time and by extension you cannot execute two functions at the same moment. Vue reactivity actually relies heavily on this fact. Any asynchronous logic is not concurrent, stuff like fetch, setTimeout and Microtasks/Promises in an independent execution/environment handled as web APIs, any callbacks are then executed on the main-thread when calls to those APIs finishes, this is what is called the "event loop". Again, not concurrent. The main-thread has different names, but in programming languages like C# it is called the "UI-Thread". Throughout this article I would be using Main/UI thread interchangeably but just know that they refer to the same thing. Let me breakdown some concepts from Surma's article... UI thread for UI work only That means any non-visual logic that exists in your application should not be done on the main thread. Which is a lot of stuff we already do in our apps, here is a couple of non-UI stuff that we do everyday: - fetching data from endpoints. - Image/Data Processing. And if you think about it, that almost covers most of our components in our apps. And if you really think deeply about it, it boils down to state management in a way or another. Remembering my C# days as a Universal-apps developer that never became a thing, I still remember a very lovely quote from one of C# books that I read: Async/Awaitis infectious, whenever you mark a method as async, mark other methods as async as well. There is no downside to marking methods in your app as async. That made sense, as C# is a managed language and using async/await automatically meant concurrent. And in the usual MVVM architecutre, typically the data lived in the UI-thread bound to the UI with data binding, but any actions to manipulate them were done off the UI-thread using async/await. This is not the case in JavaScript, but we do have a way to do real concurrency. Concurrency In JavaScriptConcurrency In JavaScript You will need concurrency if you are doing a lot of work, doing a lot of work on the main-thread will make it unresponsive and will stop everything in the webpage. Stuff like GIFs or videos will stutter, buttons will not respond and scrolling will be janky. The only way to perform better is to do less work. Moving some of the work to the background-threads will make the main-thread do less work and thus able to process more things. While JavaScript is single-threaded, we have a relatively old construct that allows us to do real-concurrent computing, called Web Workers. The worker thread can perform tasks without interfering with the user interface. This is the very definition of a background thread in other programming languages. Like the quote suggests, Web Workers are true background threads as in they literally have no access to the DOM and many other Web APIs are also not available due to them being UI-thread related stuff. You can communicate with workers through an event-based API. This is how to spawn a worker in the main-thread and send/receive messages with it: var myWorker = new Worker('worker.js'); myWorker.postMessage('Hello World!'); myWorker.onmessage = e => { console.log(e.data); }; The worker.js file is a JavaScript file that contains the code for your worker, here is what the other side looks like: // Handles messages from the main-thread. onmessage = e => { console.log('Message received from main script'); var workerResult = `Message: ${e.data}`; console.log('Posting message back to main script'); // Replies to the main-thread postMessage(workerResult); }; Additionally you can use self to point to the worker global context: self.postMessage(workerResult); self.onmessage = e => { // ... }; That means we can dispatch in either direction from the main-thread or any worker-thread, but also means our dispatched work is always asynchronous. Async in VuexAsync in Vuex Now that I reviewed the fundamental peaces we are working with, let's see how does that map to Vue and specifically Vuex. Vuex is the "official" state-management solution for Vue.js and it tackles the problem of managing application state and its life-cycle throughout your app. Vuex can be used to do the following: - Shared State Store. - Data fetching/caching layer. - Data Persistence Layer. - Dynamic run-time module data store. - Act as a client-side ORM. While I do no agree on the last two use-cases but it can be done and a lot off great people are advocating it. You will notice that the common property between all of mentioned use-cases is all of them are achievable if the state is decoupled from the UI components. A typical Vuex store/module looks like this: const store = new Vuex.Store({ state: { count: 0 }, mutations: { SET_COUNT(state, value) { state.count = value; } }, actions: { increment({ commit, state }) { commit('SET_COUNT', state.count + 1); } } }); I have omitted gettersas they are only data mapping utility for the state. What we do here is relatively simple, but if we were to do some heavy workload that would block the main-thread it will have serious consequences. If you have paying close attention, I have been highlighting some aspects that map to any Vuex store/module. Let's check how state, mutations and actions translate to doing off main-thread architecture. First we have the state, there isn't really anything we can do about them, state should always exist in the main-thread and I believe we would be breaking reactivity if doing off-main-thread state is even possible. Secondly, we have mutations. Mutations aren't really helpful because in Vuex they must be synchronous, which is a deal-breaker for our architecture as we could only communicate with web-workers in an event-based fashion which means asynchronous. So we conclude that mutations should stay in the main-thread as well given they only set the data. Lastly we have actions, from vuex docs: Actions can contain arbitrary asynchronous operations. That makes it a perfect fit for our experiment here, and even they are called dispatchers in other libraries/languages. If we would think about actions as event-dispatchers we can treat them as our communication hub between the main-thread and background threads. So our takeaway in this section is that Actions are async event dispatchers. Going off-roadGoing off-road Let's start applying what we discovered. To build web-workers with import we would need a bundler capable of handling web workers, of course Webpack does that some what well using the worker-plugin or worker-loader, use either. A major limitation is that it cannot share code chunks between the main-thread bundle and the worker thread bundle. I won't go into the details of setting up a Vue project as you can do so easily with vue-cli. Here is an example I created that does some prime numbers stuff, consider it as a simulation for a heavy workload that you do in your Vuex stores. If the GIF is not locking up for you, try to run the example on FireFox. What's funny here is that I have setup a Loader component to show the user that some work is in progress, but because we are doing so much work the UI-thread never gets the chance to even display it! Let's start thinking about how we would move our actions off UI-thread, let's start by building our actions worker: // actions.js function calculatePrimes(iterations, multiplier) { // ... } self.onmessage = e => { if (e.data === 'generateItems') { // Perform the calculation const primes = calculatePrimes(400, 1000000000); // TODO: Send result back to the main-thread } }; That looks simple enough, we dispatch the appropriate action based on the received message from the main-thread. We don't have a good idea yet on how to send the data back so let's come back to it later. Now in our main-thread our store.js file will be changed slightly, it will look like this: // store.js import Vuex from 'vuex'; import Vue from 'vue'; // Will be handled by worker-plugin const actions = new Worker('./actions.js', { type: 'module' }); Vue.use(Vuex); export default new Vuex.Store({ state: { // ... }, mutations: { // ... }, actions: { async generateItems({ commit }) { // TODO: Dispatch action to the worker thread. commit('SET_WORKING', true); actions.postMessage('generateItems'); // how do we wait for the data? // actions.postMessage('generateItems', { commit }); // Can we send commit fn to the worker? commit('SET_WORKING', false); } } }); Now the computation is being done correctly but we didn't hook the mutations part in our off-thread actions, you could try to send the commit function to the worker-thread but you will recieve an error when you do so, this is because not all JavaScript structures can be sent between threads. Only the ones that support structure cloning algorithm. That means our actions will be only able to calculate the state and then defer setting its value on the main-thread. Let's modify our actions.js file to tell us which mutation to run: // actions.js function calculatePrimes(iterations, multiplier) { // ... } self.onmessage = e => { if (e.data === 'generateItems') { // Perform the calculation // We can trigger any mutations from here! self.postMessage({ type: 'SET_WORKING', payload: true }); const primes = calculatePrimes(400, 1000000000); self.postMessage({ type: 'SET_ITEMS', payload: primes }); // We can trigger any mutations from here! // Set the loading state back to false self.postMessage({ type: 'SET_WORKING', payload: false }); } }; Our store code will then listen for all messages recieved from the worker-thread and trigger the appropriate mutation based on its type property. // store.js import Vuex from 'vuex'; import Vue from 'vue'; // Will be handled by worker-plugin const actions = new Worker('./actions.js', { type: 'module' }); Vue.use(Vuex); const store = new Vuex.Store({ state: { // ... }, mutations: { // ... }, actions: { async generateItems({ commit }) { actions.postMessage('generateItems'); } } }); // Handle incoming messages as commits! actions.onmessage = e => { store.commit(e.data.type, e.data.payload); }; export default store; Here is the same example after our modifications, note that codesandbox does not support web workers at the time of this writing: You can see the code here. Now that we have successfully managed to execute actions off the main-thread it is still not very robust. Let's see how could we refactor this to support any Vuex module we might have. RefactoringRefactoring It would be great if we could write our Vuex modules as-is without having to detach the actions from the store, Surma's article used comlink to expose web-workers as asynchronous interfaces, pretty much similar to what we did earlier but in a much reliable way. I couldn't use comlink properly due to the nature of Vuex actions being a part of the store, I didn't really want to fiddle around for a long time and decided to have my own implementation of the matter tailored to Vuex modules. I will follow a similair API to comlink's. First we need to define an wrap function that would accept a store options object (state, mutations, actions) and force its actions to be executed by dispatching it instead on the worker thread. // lib.js import Vuex from 'vuex'; // Use this in the Main-thread export function wrap(storeOpts, worker) { if (!storeOpts.actions) { throw new Error('Your Vuex store must have actions'); } // Clone store options const opts = { ...storeOpts, actions: { ...storeOpts.actions } }; // cleanup actions const emptyAction = () => {}; Object.keys(opts.actions).forEach(key => { opts.actions[key] = emptyAction; }); const store = new Vuex.Store(opts); // Handle commits by the worker worker.onmessage = e => { store.commit(e.data.type, e.data.payload); }; // Intercept actions and dispatch it to the worker. // store.subscribeAction(action => { worker.postMessage(action); }); return opts; } There shouldn't be anything new here, the wrap function accepts storeOpts object that contains the store definition, and a worker instance. Next we need to implement the other side, an expose function that also accepts a storeOpts and wraps the actions code with a custom commit function that will send the data back to the main-thread. // lib.js export function expose(storeOpts) { if (!storeOpts.actions) { throw new Error('Your Vuex store must have actions'); } // we only need the actions. const opts = { actions: { ...storeOpts.actions } }; const actions = opts.actions; Object.keys(actions).forEach(key => { const executeAction = actions[key]; actions[key] = function offThreadAction(payload) { // A fake `commit` fn that dispatches the mutation on the main-thread. function commit(mutationKey, value) { self.postMessage({ type: mutationKey, payload: value }); } // Run the actual action code with our fake `commit` fn return executeAction({ commit }, payload); }; }); // Whenever a message is received from the main-thread. // Execute it as an action, as it would have { type: 'actionName', payload: '...' } self.onmessage = e => { actions[e.data.type](e.data.payload); }; return opts; } Let's put all of this in action, here is our store file: // store/index.js import Vue from 'vue'; import Vuex from 'vuex'; import { wrap } from '../lib'; import opts from './opts'; Vue.use(Vuex); export default wrap(opts, new Worker('./worker', { type: 'module' })); We separated the worker file because currently they must live in their own file: // worker.js import { expose } from '../lib'; import store from './opts'; expose(store); You can find the complete code for this refactored example here There is room of improvement of course, like supporting nested modules or more complicated stores but that is outside of the scope of this post I might publish a Vuex plugin for it if I find the time to build something flexible and robust. ConclusionConclusion We managed to adapt our Vuex store into off main-thread architecure, this however doesn't improve performance as the same amount of work is being done. We merely offloaded the work to a background thread which allowed our app to stay responsive to handle user interaction. Thanks for reading 👋
https://logaretm.com/blog/2019-12-21-vuex-off-mainthread/
CC-MAIN-2020-34
refinedweb
2,407
55.24
A library for Cayenne LPP Hi all, Recently I had to do a few projects using LoPy boards, The Things Network and its Cayenne Integration to quickly build some dashboard. In order to use the integration, the packets send by the LoPy should use the in the Low Power Payload format. To facilitate that, I made a simple library and thought I would share it with you since it could be useful to someone else. It is available on GitHub. The type of sensors compatible with this library are: - digital input/output; - analog input/output; - luminosity (or illuminance) sensor; - presence sensor; - temperature sensor; - humidity sensor; - accelerometer; - barometer; - gyrometer; - and gps. Here is a small example of how it works, assuming that the network join has already been done: import socket # importing the module import cayenneLPP # create a LoRa socket s = socket.socket(socket.AF_LORA, socket.SOCK_RAW) s.setsockopt(socket.SOL_LORA, socket.SO_DR, 0) s.setblocking(True) # creating Cayenne LPP packet lpp = cayenneLPP.CayenneLPP(size = 100, sock = s) # adding 2 digital outputs, the first one uses the default channel lpp.add_digital_input(True) lpp.add_digital_input(False, channel = 112) # sending the packet via the socket lpp.send() There are some other examples in the GithHub repo. Hope it help :) Cheers, Johan - miroslav.petrov The problem is that I have insufficient knowledge in python. I cannot write a working script that(for example) reads a DHT22 sensor and formats the data in LPP. Thats why I want a working example with a real sensor. Can you be a bit more specific when you say you have some difficulties using the library? Is it because you did not join the network? Or is it because you have troubles reading the data from a particular sensor? An example is available here for using the library with TTN. You simply need to fill you application credentials in the lines 31 and 32. Please note that this example assumes that you are using the frequency plan for Australia. - miroslav.petrov I have difficulties using the library. Can somebody share a working code with a real sensor(bme280, dht11/22,ds18b20 etc.)? I think many people would appreciate it! @jojo said in A library for Cayenne LPP: GitHub Hi, Thanks for sharing this with the rest of the community, it looks very useful and very well documented!
https://forum.pycom.io/topic/2545/a-library-for-cayenne-lpp
CC-MAIN-2018-22
refinedweb
388
56.76
tl;dr - I wanted to create a JavaScript package I could use in an Adobe Brackets extension and release to npm for use with Node.js and have work in the browser as an old-school script tag import. It turned out that my knowledge of JavaScript dependency management was woefully out of date and while I came up with this solution.. /*jslint vars: true, devel: true, nomen: true, indent: 4, maxerr: 50 */ /*global define, require, module */ (this.define || function (f) { "use strict"; var n = "dependencyName", s = this, r = f((typeof (require) === "undefined") ? function (d) { return s[d]; } : require); if ((typeof (module) !== "undefined") && module.exports) { module.exports = r; } else { this[n] = r; } }).call(this, function (require) { "use strict"; return { // Dependency interface goes here.. }; }); .. there may very well have plenty of room for improvement - but the meandering journey to get here taught me a lot (and so if there is a better solution out there, I'll happily switch over to it and chalk this all up to a learning experience!). This is the story of how I arrived at the cryptic jumble of characters above. I've been working on an extension for Adobe Brackets, an editor I've been trying out recently and liking for writing JavaScript and LESS stylesheets in particular. I used to instinctively go to Visual Studio for everything, but recently it's gone from starting up in a couple of seconds to taking over 40 if not a minute (I think it was since I installed Xamarin and then NuGet for VS 2010 that it got really bad, but it might have been something else and I'm unfairly misassigning blame). Brackets is written in JavaScript and its extensions are JavaScript modules, the API seems excellent so far. I like that linting of files is, by default, enabled on save. It has JSLint checks built in for JavaScript files and JSLint is specified in the Brackets Coding Conventions. I actually quite like a good coding convention or style guide - it takes the guess work out of a lot of decisions and, in writing a Brackets extension, I thought I'd jump right in and try to make sure that I write everything "Brackets style". Although I have written a lot of JavaScript in the past (and continue to do so), I've gotten out of touch with modern dependency management. JavaScript dependencies for projects at work are based on a custom dependency manager of sorts and my personal projects tend to be a bit more ad hoc. I started off writing a module in my normal manner, which tends to involve wrapping the code in an IIFE and then exporting public references into a fixed namespace. This works fine if the JavaScript is being loaded directly into a web page - eg. (function () { var myModule = this.myModule || {}; myModule.AwesomeProcessor = { Process: function (value) { // Whatever.. }; } }()); This allows code elsewhere in the page to call "myModule.AwesomeProcessor.Process(value)" and ensures that any private methods and variables used to describe the "AwesomeProcessor" don't leak out and that nothing in global scope gets stomped over (unless there's already a "myModule.AwesomeProcessor" somewhere). Then I looked into Node.js, since it's on my list of things to know more about, that I currently know very little about. I knew that there was some sort of standard dependency management system for it since I've seen "npm" mentioned all over the place. I went to npmjs.org to try to find out more about how this worked. Not knowing where to start, I plucked out the first name that came to mind: Underscore, to see if it was listed. I clicked through to its GitHub page to see how it was arranged and found // Establish the root object, `window` in the browser, or `exports` on the server. var root = this; Flipping to information specifically about writing Node.js modules (why didn't I just start here??) I find that the exports reference is one that properties can be set on that will be part of the object returned from a "requires" call. For example, if I have a script that requests a dependency be loaded with var simple = require('./simplest-module-ever'); and the file "simplest-module-ever.js" contains exports.answer = 42; then simple will be set to an object with a property "answer" with value 42. Easy! This example was taken directly from "Creating Custom Modules" on "How to Node", so thanks to Aaron Blohowiak! :) Unlike the "exports.answer" example above, the Underscore file is contained within an interesting IIFE - (function() { // Establish the root object, `window` in the browser, or `exports` on the server. var root = this; // The rest of the file.. }.call(this)); The ".call(this)" at the bottom ensures that the "this" reference is maintained inside the function, so that when it's loaded into Node "this" is the "exports" reference that may be added to and in the browser "this" is the window, which also may have properties set on it. But the IIFE means that if it is being loaded in the browser that no global state is stomped on or private references leaked. When loaded into Node, some clever magic is done that ensures that the content is loaded in its own scope and that it doesn't leak anything out, which is why no IIFE is present on the "Creating Custom Modules" example. It's also worth noting on that page, that "Node implements CommonJS Modules 1.0", which is helpful information when trying to compare all of the different mechanism that different solutions use. At this point, I did't know the difference between RequireJS, CommonJS, AMD; I had just heard the names. And didn't really know what else could be out there that I hadn't heard of! Having considered the above, I then came to realise that I hadn't actually looked into how Brackets deals with modules - which was somewhat foolish, considering a Brackets extension was to be my end goal! Part of the reason for this is that I got sidelined looking into pushing a package onto npmjs, but I'll talk about that another day, I don't want to stumble too far from my dependency implementation adventure right now. I learned from Writing Brackets extension - part 1 that Brackets extensions use the AMD CommonJS Wrapper and that this essentially means that each file has a standard format define(function (require, exports, module) { }); where define is a method that is provided by the dependency management system that calls an anonymous factory method that it provides with function arguments "require" (for nested dependencies), "export" (the same as with Node) and "module" (which I'm not going to talk about until further down). The factory method returns an object which is the dependency that has been loaded. The advantage of it being a non-immediately invoked function is that it can be dealt with asynchronously (which is what the A in AMD stands for) and only evaluated when required. To mirror the example earlier, this could be define(function (require, exports, module) { return { Process: function (value) { // Whatever.. }; } }); This dependency would be the "AwesomeProcessor" dependency and no namespace would be required to avoid clashes, since calling code requiring this dependency would state var awesomeProcessor = require("awesomeprocessor"); and scoping is cleverly handled so that no global state may be affected. The define method may also be called with a reference to return directly as the dependency - eg. define({ Process: function (value) { // Whatever.. } }); in which case the dependency is not lazily instantiated, but otherwise the pattern is very similar. Now I had my npm module that I wanted to use as a Brackets dependency, but the two formats looked completely different. There has been a lot written about this, particularly there is the "UMD (Universal Module Definition)" code on GitHub with lots of patterns of ways to have modules that combine support for a variety of dependency managers, but when I looked at some of the examples I wasn't sure exactly what each was doing and I couldn't tell immediately which example (if any) would address the combination I was interested in; to work with Node and with Brackets and as a browser script. After some more stumbling around, I encounted A Simplified Universal Module Definition which had this pattern to work with "define" if it was present - (this.define || function(){})( this.what = function(){ var Hello = "Hello"; return { ever: function () { console.log(Hello); } }; }()); I liked the look of this, it's compact and clever! When loaded using AMD, the "define" method is called using the dependency-reference-passed-as-argument approach, as opposed to factory-function-for-instantiating-dependency-reference-passed-as-argument. The argument passed is "this.what = function() { .. }" which is not an equality check, it will set "this.what" to the return value of the anonymous function and also pass on that value to the define method - it's like return a = "MyName"; this will set a to "MyName" and then return "a" (which is, of course, now "MyName"). So that works in my Brackets scenario just fine (note that the "this" reference is a temporary object in the Brackets case, and the setting of the "what" property on it effectively results in nothing happening - it is the fact that a reference is passed to the "define" method that makes things happen). When loaded into Node, where "define" is not available, it calls an anonymous "empty function" (one that performs no action), performing the "this.what = function() { .. }" work to pass as the argument. The argument is ignored as the empty function does nothing, but the "this.what" reference has been set. This works for the browser as well! It took me a couple of minutes to wrap my head around this, but I appreciated it when it clicked! One thing I didn't like, though, was that there seemed to be an "extra" object reference required in Node. If that file was my "what" dependency loaded in with var a = require("what"); then to get at the "ever" function, I need to access a.what.ever(); I would rather be able to say var what = require("what"); what.ever(); This is how it would appear in the Brackets, since the reference to "what" is returned directly. However, in the browser, this is desirable behaviour if I'm loading this with a script tag, since "this" will be window reference (ie. the global scope) and so after including the script tag, I'll be able to say what.ever(); as "what" will have been added to the global scope. So I've already found that "this" in a Node package is an alias onto "exports", which allows us to declare what to return as the elements of the dependency. Well, it turns out that there are more references available within the dependency scope. For example, the "require" function is available so that dependencies that the current dependency depend on may be loaded. The "exports" reference is available and a "module" reference is available. Interestingly, these are the same three references passed into the "define" method - so it's the same information, just exposed in a different manner. It further turns out that "exports" is an alias onto an "exports" property on "module". However, the property on "module" can be overwritten completely, so (in a Node package) module.exports = function(){ var Hello = "Hello"; return { ever: function () { console.log(Hello); } }; }; could be used such that var what = require("what"); what.ever(); does work. Which is what I wanted! But now there's a requirement that the "module" reference be available, which is no good for the browser. So I chopped and changed things around such that the there-is-no-define-method-available route (ie. Node and the browser, so far as I'm concerned) calls a factory method and either sets "module.exports" to the return value or sets "this.what" to the return value. For the case where there is a "define" method (ie. Brackets), the factory method will be passed into it - no funny business required. (this.define || function (factory) { var result = factory(); if ((typeof (module) !== "undefined") && module.exports) { module.exports = result; else { this.what = result; } }).call(this, function () { var Hello = "Hello"; return { ever: function () { console.log(Hello); } }; }); At this point, it was shaping up well, but there were a couple of other minor niggles I wanted to address. In the browser, if the file is being loaded with a script tag, then any other dependencies should also be loaded through script tag(s) - so if "dependency2" requires "dependency1" in order to operate, then the "dependency1" script should be loaded before "dependency2". But in Node and Brackets, I want to be able to load them through calls to "require". This means that I wanted any "require" calls to be ignored when the script is loaded in the browser. This may be contentious, but it made sense to me.. and if you wanted a more robust dependency-handling mechanism for use in the browser, well RequireJS actually is intended for in-browser use - so you could use that to deal with complicated dependencies instead of relying on the old-fashioned script tag method! Also for the browser case, that named "what" reference is not as obvious as it could be - and it should be obvious since it needs to vary for each dependency. Finally, since I'm using Brackets and its on-by-default JSLint plugin, I wanted the code to meet those exacting style guide standards (using the Brackets Coding Conventions options). So these requirements lead to /*jslint vars: true, devel: true, nomen: true, indent: 4, maxerr: 50 */ /*global define, require, module */ (this.define || function (factory) { "use strict"; var dependencyName = "what", self = this, result = factory((typeof (require) === "undefined") ? function (dependency) { return self[dependency]; } : require); if ((typeof (module) !== "undefined") && module.exports) { module.exports = result; } else { this[dependencyName] = result; } }).call(this, function (require) { "use strict"; var Hello = "Hello"; return { ever: function () { console.log(Hello); } }; }); A "require" argument is passed to the factory method now. For the Brackets case, this is fine since a "requires" argument is passed when "define" calls the factory method anyway. When "define" does not exist but the environment has a "require" method available, then this will be passed to the factory method (for Node). If there isn't a "require" method available then the dependency is retrieved from the original "this" reference - this is for the browser case (where "this" would have been the global window reference when the dependency code was evaulated). the "require" passed will be an empty function; this is for the browser case. Correction (19th August 2014): I originally used an empty function if there was no "require" method available, for the browser case. But this was obviously wrong, since it would mean that nested depedencies would not have been supported, when it was my intention that they should be. The only other important change is a string to specify the dependency name, right at the start of the content - so it's easy to see straight away what needs changing if this template is copy-pasted for other modules. Minified, this becomes /*jslint vars: true, devel: true, nomen: true, indent: 4, maxerr: 50 */ /*global define, require, module */ (this.define || function (f) { "use strict"; var n = "what", s = this, r = f((typeof (require) === "undefined") ? function (d) { return n[d]; } : require); if ((typeof (module) !== "undefined") && module.exports) { module.exports = r; } else { this[n] = r; } }).call(this, function (require) { "use strict"; var Hello = "Hello"; return { ever: function () { console.log(Hello); } }; }); The only part that needs to change between files is the value of "n" (which was named "dependencyName" before minification). So.. I've achieved what I originally set out to do, which was to create a package that could be used by Node, Brackets or direct-in-the-browser. But more importantly, I've learnt a lot about some of the modern methods of dealing with dependencies in JavaScript. I suspect that there's a reasonable chance that I will change this template in the future, possibly to one of the "UMD (Universal Module Definition)" examples if one matches my needs or possibly I'll just refine what I currently have. But for now, I want to get back to actually writing the meat of the package instead of worrying about how to deliver it! Posted at 20:44 Dan is a big geek who likes making stuff with computers! He can be quite outspoken so clearly needs a blog :) In the last few minutes he seems to have taken to referring to himself in the third person. He's quite enjoying it.
http://www.productiverage.com/javascript-dependencies-that-work-with-brackets-node-and-inbrowser
CC-MAIN-2015-18
refinedweb
2,782
60.55
Hello, I am trying to debug application through openOCD and gdb on intel galileo gen2 board. I am able to set the software break point but, program running on hardware is not stopping at that break point. And If I set the hardware break point then I am sometimes able to stop the code on hardware but not always. Success rate is once in ~10 trial. I am using below board and architecture: Hardware: intel galileo gen2 board processor: Quark X1000 debugger: ARM-USB-OCD-H Steps I follow is as below: Create a simple application in the local machine for ex. counter.c: #include <stdio.h> #include <stdlib.h> int main(void){ int num ; while(1) { sleep(2); num=num+1; printf("number = %d\n", num); } return 0; } Compile it with the sdk generated by bitbake using below command: ${CC} -g -O0 counter.c -o counter_app Copy this binary to board Run application on board by simply running ./counte_app Run openOCD by running below command: openocd -f ./tcl/interface/ftdi/olimex-arm-usb-ocd-h.cfg -f ./tcl/target/quark_x10xx.cfg Open GDB and connect GDB to openOCD halt the board and load the symbolic information of application in gdb by below command: symbol-file <PATH TO DEBUG BINARY>/counter_app After that I have set the break point on line 11 by hbreak counter.c:11 Still i hardly able to break the execution on board using above steps. But even if I hit the hardware break point, I am not allowed to step into the code! If I step into/free run the code I get below error! Could you please help me solve the issue? What could be the reason for this inconsistent behaviour? Am I missing out any step or It is the expected behaviour? Thanks and regards, Drashti Hi Drashti, Thank you for your contacting us. The best place for you to get assistance in cases where the issue is related to the Quark X1000 is here: premiersupport.intel.com . Please open a new service ticket here so that the experts can help you with your request. We appreciate your understanding. Regards, -Sergio A
https://communities.intel.com/thread/116333
CC-MAIN-2017-30
refinedweb
359
73.27
Question: Obtain a current quote of McDonald s MCD from the Internet Obtain a current quote of McDonald’s (MCD) from the Internet. Describe what has changed since the quote in figure. View Solution: View Solution: Answer to relevant QuestionsExplain how it is possible for the DJIA to increase one day while the Nasdaq Composite decreases during the same day. On March 5, 2013, the Dow Jones Industrial Average set a new high. The index closed at 14,253.77, which was up 125.95 that day. What was the return (in percent) of the stock market that day?Ecolap, Inc. (ECL) recently paid a $0.46 dividend. The dividend is expected to grow at a 14.5 percent rate. At a current stock price of $44.12, what is the return shareholders are expecting? Waller Co. paid a $0.286 dividend per share in 2006, which grew to $0.55 in 2012. This growth is expected to continue. What is the value of this stock at the beginning of 2013 when the required return is 13.7 percent? Ultra Petroleum (UPL) has earnings per share of $1.56 and a P/E ratio of 32.48. What’s the stock price? Post your question
http://www.solutioninn.com/obtain-a-current-quote-of-mcdonalds-mcd-from-the-internet
CC-MAIN-2017-30
refinedweb
205
79.67
By default, Schematron uses XPath 1 for setting contexts, testing assertions, and producing dynamic diagnostics. Actually, it is XPath 1 as used and extended in XSLT 1. This has lead many people to think it is just a nicer declarative front-end to XSLT, which indeed it usually has been. However there have been many requests to allow more powerful languages, and ISO Schematron was designed to allow this. There is an attribute called queryBinding on the top-level schema element, and this lets you declare which query language you are using. The standard even specifies a document called a “Schema Language Binding” and says the information that this must provide. It also reserved several names: “xslt1, xslt2, xpath2, exslt” etc. So here are the draft text for new annexes I will be submitting to SC34 (and thence to national vote) for augmenting ISO Schematron. EXSLT was a community effort to define some more powerful functions for XSLT1. XPath2 is the updated version of XPath from W3C, very much changed, in particular with a different and large function library; the xpath2 query language binding allows the minimal, untyped, untyped-data profile. XSLT2 is the reworked XSLT1, and the xslt2 query language binding allows the typed data (PSVI) if you want it (Schematron doesn’t provide any mechanism for making sure that is what you are working with) and also user-defined functions in the XSLT2 namespace. Most interestingly, perhaps, is the STX binding. I am supposed to be contacting the STX editor to see about using this query language binding plus the STX specification as an ISO standard (another part of DSDL.) Actually, STX was voted on for this purpose, but without the query language binding some national bodies decided it couldn’t be classed as a schema language, but it should be an easy fix, since the hard work has been done and the NBs are onside at last. The thing about STX is that works in streaming fashion. So you can test documents larger than your virtual memory. STX is much less limited than the subset of XPath that XSD uses. The draft bindings are here (sorry in boring custom XML not typeset to HTML.) Comments are very welcome, and thanks to the schematron-love-in mail-list members for comments and prods. There are a few other issues on the table for a revised Schematron upgrade, but they all can procede independently of these bindings, if time is not my friend. I think that bindings for stx, xpath2 and xslt2 should also add support for stxpath-default-namespace and xpath-default-namespace respectively in order to make writing assertions for namespaced documents easier. I also think that STX should be little bit shaped before adding this new binding into Schematron. For example cdata nodes could be removed from STX data model, they seem just too odd and they are not present in XPath 2.0 data model also. Maybe it would make sense to separate SXPath & data model from STX and publish it as a separate TR to reference it from updated Schematron standard. Jirka: In Schematron I have maintained a strict policy of making namespaces explicit. The use of defaulting has caused more problems and confusion than almost anything else in XML, and is one reason I have the element rather than using namespace declarations. Data is not markup! However, it should certainly be looked again. On the shaping issue, I think it is better to keep exactly the model the query language actually uses: defer all the details to the originating technology. Why make a dialect? Does any STX implementation not make it available? It sounds odd, but when referencing standards tinker with other standards, it sometimes makes things more complicated not less complicated. An example of this was in Schematron where a rule context could not match text nodes, comments, etc. I don't think there is any need for it, but some people regard those kinds of matches as idiomatic and the customer is always right.
http://www.oreillynet.com/xml/blog/2008/02/drafts_for_schematron_support.html?CMP=OTC-TY3388567169&ATT=Drafts+for+Schematron+support+of+EXSLT+XPath2+XSLT2+and+STX
crawl-003
refinedweb
673
60.85
Up to [DragonFly] / src / sys / dev / raid / ciss Request diff between arbitrary revisions Keyword substitution: kv Default branch: MAIN Sync CAM with FreeBSD using lockmgr locks instead of mutexes. Note: This is mostly a code sync with FreeBSD which improves stability in addition to the items listed below. This provides a framework for releasing the mplock, but for now it's still there. Add an xpt_print function to reduce most of the xpt_print_path/printf pairs. Convert the core code to use it. Initial cut at Basic Domain Validation. Make cam_xpt's pronouncements match camcontrol (Tagged -> Command) Queueing. Pay attention to return value from xpt_bus_register in xpt_init. Add an xpt_rescan function and a thread that will field rescan requests. The purpose of this is to allow a SIM (or other entities) to request a bus rescan and have it then fielded in a different (process) context from the caller. Check the return value from cam_periph_acquire. Drop the periph/sim lock when calling disk_destroy(). Drop the topology lock before calling the periph oninvalidate and dtor vectors. For the XPT_SASYNC_CB operation, only decouple the broadcast to the bus and device lists instead of decoupling the whole operation. This avoids problems with SIMs going away. Split the camisr into per-SIM done queues. This optimizes the locking a little bit and allows for direct dispatch of the doneq from certain contexts that would otherwise face recursive locking problems. Zero the CCBs when mallocing them. Only schedule the xpt_finishconfig_task once. Eliminate the use of M_TEMP. Add a helper function for registering async callbacks. Release the bus reference that is acquired when doing a CAMIOCOMMAND ioctl. Zero scsi_readcapacity allocations so we can really tell if there has been data returned. Remove duplicate includes and fix typos. Add a bunch of definitions and structures to support newer drivers. When probing a newly found device, don't automatically assume that the device supports retrieving a serial number. Instead, first query the list of VPD pages it does support, and only query the serial number if it's supported, else silently move on. This eliminates a lot of noise during verbose booting, and will likely eliminate the need for most NOSERIAL quirks. Reduce diffs from FreeBSD. Obtained-from: FreeBSD Make CAM_NEW_TRAN_CODE default. As previously mentioned, this makes a huge performance difference for one of my disks, and future work depends on this change. Obtained-from: FreeBSD Remove bogus checks after kmalloc(M_WAITOK) which never returns NULL. Reviewed-by: hasso Another round of spelling fixes in manpages, messages, readmes etc. Fix numerous spelling mistakes. Rename printf -> kprintf in sys/ and add some defines where necessary (files which are used in userland, too). Rename sprintf -> ksprintf Rename snprintf -> knsprintf Make allowances for source files that are compiled for both userland and the kernel. the INTR_TYPE_* flags. The interrupt type is no longer used to figure out which spl*() set an interrupt belongs to, because, well, spl's no longer exist. Remove spl*() in dev/raid/{aac,amr,asr,ciss} and replace. Properly create and destroy the DMA maps. Add prototype for ciss_print0 in place. Move the callout init below the softc allocation. *sigh* timeout/untimeout ==> callout_* General M_NOWAIT -> M_INTWAIT work, except in periodic timeout() routines which can handle occassional malloc() failures and really shouldn't block.. Add a DECLARE_DUMMY_MODULE() so we can get linker_set module names for modules that normally use DRIVER_MODULE(). The problem is that DRIVER_MODULE() will define names that do not match the module name, so a DECLARE_DUMMY_MODULE() is needed for the kernel to be able to figure out that a module has been statitically compiled). Add the DragonFly cvs id and perform general cleanups on cvs/rcs/sccs ids. Most ids have been removed from !lint sections and moved into comment sections. import from FreeBSD RELENG_4 1.2.2.6
http://www.dragonflybsd.org/cvsweb/src/sys/dev/raid/ciss/ciss.c?f=h
CC-MAIN-2015-18
refinedweb
632
58.89
first i would like to apologize. i did not notice that there was a second page. second, all that i can find is what i posted before v first i would like to apologize. i did not notice that there was a second page. second, all that i can find is what i posted before v Windows Registry Editor Version 5.00 [HKEY_CLASSES_ROOT\.jar] @="jarfile" thats all? assuming its not there because of lack of response after double clicking the file... how might one fix that? thats... confusing. im not sure exactly what that means. i just want to know how to run an executable jar file by double clicking. or is that it? when i right click on a file im not seeing any command lines. i didnt do it casually. had it been my computer, i wouldve been casual.but its my moms computer, so i took the time to do the research on changing/adding path. so i need to find a path entry for jar? start>computer>system properties>advanced system properties>environment variables>System variables> path. i have it set so it should know what to do with jar and java files C:\Program... here it is. C:\Users\Pookie>cd desktop C:\Users\Pookie\Desktop>java -jar guess.jar ♀i want to play a game, lets play a gusseing game i will pick a number between 1 and 100 you guess the... when i run it in command prompt it runs perfectly. ill still post it though... but i cant seem to copy text from cmd? but it works exactly the way i intended it to. windows 7 home premium. i do.it does nothing when double clicked i figured it out. i had to change a setting. sorry. but i still have a question about it. is there a way i can run it just by double clicking it? yes that's what i mean. i've already run it from command prompt. it didn't do anything. i can put it into an executable jar file. the program in question runs well. my question is how to make it a standalone. i use BlueJ. help please. its a simple guessing game. here's the code import java.util.Scanner; public class... just to make sure i understand, which i believe i do, basically every time something such as class ClassOne { private ClassTwo two = new ClassTwo(); } is typed, it creates an instance... i separated them by class i gave a link to the folder, opened in blujay it contains all of them. do you want me to put the entirety of the involved classes in? sorry. i may be a while. i have to get off[COLOR="Silver"] --- Update --- this is the first actual call and the preceding code mainmenu menu = new mainmenu(); load Load = new... im sorry, i dont quite understand.. the same style of loop as those two classes call appears several times without any such problem could you give me an example? java.lang.StackOverflowError at failsafe.<init>(failsafe.java:9) ---> public class failsafe at mainmenu.<init>(mainmenu.java:16) -----> failsafe choice = new failsafe(); at... i am trying to make a game, for some reason i have begun to get a java.lang.StackOverflowError. im not exactly sure how i can fix it. only removing line 14 from infopannel1 (and everything that used...
http://www.javaprogrammingforums.com/search.php?s=049e2ffafd218217ad3f66f198dbcd34&searchid=204233
CC-MAIN-2016-30
refinedweb
563
78.35
Java.io.RandomAccessFile.read() Method Description The java.io.RandomAccessFile.read(byte[] b) method reads up to b.length bytes of data from this file into an array of bytes. Declaration Following is the declaration for java.io.RandomAccessFile.read() method public int read(byte[] b) Parameters b -- the buffer into which the data is read. Return Value This method returns the total number of bytes read into the buffer, or -1 if there is no more data because the end of this file has been reached. Exception IOException -- if an I/O error occurs.Not thrown if end-of-file has been reached. NullPointerException -- If b is null. Example The following example shows the usage of java.io.RandomAccessFile.read() method. package com.tutorialspoint; import java.io.*; public class RandomAccessFileDemo { public static void main(String[] args) { try { byte[] b1 = {1, 2, 3}; byte[] b2 = {1, 2, 3, 4, 5, 6, 7, 8}; // create a new RandomAccessFile with filename test RandomAccessFile raf = new RandomAccessFile("c:/test.txt", "rw"); // write something in the file raf.writeUTF("Hello World"); // set the file pointer at 0 position raf.seek(0); // read the first 8 bytes and print the number of bytes read System.out.println("" + raf.read(b1)); // set the file pointer at 0 position raf.seek(0); // read the first 8 bytes and print the number of bytes read System.out.println("" + raf.read(b2)); }: 3 8
http://www.tutorialspoint.com/java/io/randomaccessfile_read_byte.htm
CC-MAIN-2014-42
refinedweb
235
51.95
In this section of the tutorial, you will learn the following: - Constructors - Destructors 7.1 C++ Constructors A constructor is function of a class. You do not need to explicitly call a constructor; it is called automatically when an object of the class. You use constructors to initialize variables of a class. Constructors do not have a return type. In addition, the name of the constructor is the same as that of the class. You use constructors to set the initial value of variables. You may want to initialize date to certain value, each time you create an object of the date class. You can do this as follows: #include<iostream.h> class date { private: int dd; int mm; int yy; public: date() //constructor { dd=01; mm=08; yy=79; } void display() { cout<<”\n”<<dd<”/”<<mm<<”/”<<yy; } }; void main() { date date1; date1.display(); } In the date class, we have a constructor that initializes the date to 01/08/79. In main, when you create the object date1, the compiler automatically calls the date constructor that initializes the variables; dd =01, mm=08 and yy=79. The date1.display() statement, displays this date on screen. A default constructor does not take any parameters. In the above example, date is a default constructor. 7.1.1 Constructor with Parameters You want to initialize date with values specified by the user. In this case, you would need to pass the user input to the constructor as its parameters. In the above example, we create an object date1 of the type date with a list of parameters. These parameters are passed to the constructor date (int d, int m, int y), which in turn initializes the variables dd, mm, and yy. #include <iostream.h> class date { private: int dd; int mm; int yy; public: date( int d, int m, int y) //constructor with parameters { dd=01; mm=08; yy=79; } void display( ) { cout<<”\n”<<dd<”/”<<mm<<”/”<<yy; } }; void main() { date date1(01,08,79); date1.display(); } Note: The type, number, and sequence of parameters determine the constructors the compiler will invoke. 7.2 C++ Destructors A destructor de-initializes objects. It has the same name as the class, but has a tilde symbol (~) as its prefix. The compiler calls the destructor implicitly when an object goes out of scope or when you destroy an object using the delete operator. It is good practice to use destructors because they help free up memory space. Note: A class cannot have more that one destructor.
http://www.wideskills.com/c-plusplus/c-plusplus-constructors
CC-MAIN-2018-09
refinedweb
418
64.91
>>." I'm addicted (Score:5, Interesting) I love ZFS, if one can love a file system. Even for home use. It requires a little bit nicer hardware than a typical NAS, but the data integrity is worth it. I'm old enough to have been burned by random disk corruption, flaky disk controllers, and bad cables. Re:I'm addicted (Score:5, Funny) I love ZFS too, but I'd fucking kill for and open ReiserFS... Re:I'm addicted (Score:5, Funny) I think that anything having to do with ReiserFS is a dead end. Re:I'm addicted (Score:4, Funny) OK stop already, you guys are driving this joke into the woods. Re: (Score:3) Re: (Score:2) I love ZFS too, but I'd fucking kill for and open ReiserFS... I heard that the act of using ReiserFS might be a criminal offense. Something about making oneself an accomplice after the fact... I don't know; it's a bit murky Re: (Score:3) Re: (Score:3) I guess nobody got the joke. Re:I'm addicted (Score:4, Insightful) Re: (Score:2) FreeBSD. I'm sure that makes me more retarded. Or retardeder in your people's language.: Data integrity (Score:5, Interesting) ECC RAM is an important part here, due to how scrubbing works in ZFS. The background disk scrubbing can check every block on the filesystem to see if it still matches its checksum, and it tries to repair issues found too. But if your memory is prone to flipping a bit, that can result in scrubbing actually destroying data that was perfectly fine until then. The worst case impact could even destroy the whole pool like that. It's a controversial issue; the odds of a massive pool failure and associated doom and gloom are seen as overblown by many people too. There's a quick summary of a community opinion survey at ZFS and ECC RAM [mikemccandless.com], but sadly the mailing list links are broken and only lead to Oracle's crap now. Re: (Score:2) What are the chances of the exact same sector being corrupt on at least three disks in a raidz2 vdev? This doesn't seem like a plausible scenario. Re: Data integrity (Score:4, Informative) That's what you have backups for. Re: (Score:2) That depends on the reason for the failure. If it's because there's a little bit of dust on the platter, or a manufacturing defect in the substrate, then it's very unlikely. If it's because of a bug in the controller or a poor design on the head manipulation arm, then it's very likely. This is why the recommendation if you care about reliability more than performance is to use drives from different manufacturers in the array. It's also why it costs a lot more if you buy disks from NetApp than if you buy) Re: (Score:2) Re: (Score:3) Re: (Score:2) And, of course, very importantly, the ability to add drives to a RAID-Z array [superuser.com] after it has been created. Re: (Score:2) Why would ZFS need defrag support? UFS never had defrag support and the only times that ever became a problem was when the disk was running out of room. Which is bad for performance reasons anyways. Re:all i want is BP-rewrite (Score:5, Informative) Re: (Score:3) So you propose that we kill array performance for a bit to de-fragment? Do you have any idea how long it takes to defragment multiple terabytes of data? On a multi-user multitasking OS access is more random anyhow, so its not like your contiguous files are likely to be read sequentially anyhow. No, for a mission critical system that actually has a workload, its probably much easier/better to just maintain free space. Re: (Score:3) Ideally, in something like ZFS you'd want background defragmentation. When you a file that hadn't been modified for a while into ARC, you'd make a note. When it's about to be flushed unmodified, if there is some spare write capacity you'd write the entire file out contiguously and then update the block pointers to use the new version. That said, defragmentation is intrinsically incompatible with deduplication, as it is not possible to have multiple files that all refer to some of same blocks all being con. Still CDDL... (Score:5, Informative) Oh well. I'd somehow hoped "truly open source" meant BSD license, or LGPL. Re: (Score:3, Informative) Re: (Score:3) CDDL is basically LGPL on a per-file basis. Perhaps the intent of the licenses is similar, but there's more to a license than that. Unfortunately, being licensed under the CDDL causes a lot more license incompatibility restrictions than either the LGPL or BSD license do. If it were under one of those, there'd be hope for seeing it as an included filesystem in the Linux kernel. But since it's under the CDDL, that can't happen. The developers are, of course, welcome to use whatever license they like. Just pointing out that the CDDL is *not* basicall Re: lic Re: (Score:3) In fairness its GPL that has the incompatibility problem not CDDL. CDDL is compatible BSD, Apache2, LGPL, etc. GPLv2 is incompatbile with CDDL, Apache2, GPLv3, LGPLv3, etc. Even if the license were not CDDL, it would have to be released under a license that came with a patent clause, which means GPLv3, LGPLv3, Apache2 or similar all of which are incompatible with GPLv2 which Linux is licensed under. CDDL isn't the problem. Re: (Score:2) Which would require a from-scratch cleanroom rewrite, probably. They could probably work on that, but if the current license isn't causing to much trouble, they probably have more important things to work on. Patents? (Score:4, Insightful) Not to rain on anybody's parade,but will the commercial holders of ZFS allow this? Or will they unleash some unholy patent suit to keep it from happening? Re: (Score:3) Re:Patents? (Score:5, Informative) If you're successful, Larry will come a callin' (Score:3, Funny) As long as Oracle's patents are valid, can anyone seriously believe this will go anywhere? His fleet of boats isn't going to pay for itself. Re: (Score:3) You mean that fleet of losing boats? Last time I checked it was 7-1 NZ with first to 9 winning. Re: (Score:2) Re:If you're successful, Larry will come a callin' (Score:5, Informative) Re: (Score:2) Oracle released ZFS under a BSD compatible license. Anyone is allowed to do whatever to the opensource code. GP was talking about patents. If they had released it under (L)GPLv3 or Apache2, users would be safe from patents suits. Re: (Score:3) Re:If you're successful, Larry will come a callin' (Score:5, Funny) Collecting money from opensource-companys? Daryl McBride will turn in his grave if Larry is even stupid enough to try it... Eh? I don't think that the Mormons bury their living, no matter how ghoulish are the corporations that they helm. I'm afraid Daryl McBride will be quite operational when your friends' commits arrive... Re: (Score:2) Eh? You mean Darl McBride and not Daryl McBride? I usually do not nitpick on small stuff like this but this pig vomit should be remembered by his correct name. We don't want to assign blame for what he did to some other innocent person. Advatages of ZFS over BTRFS? (Score:3, Insightful) Re: (Score:2) btrfs is still considered experimental by the devs zfs is used in production. Past that btrfs does not seem to support any sort of ssd caching wich is realy a requirement for any modern fs. Re: (Score:2): (Score:2) Re: Advatages of ZFS over BTRFS? (Score:2) It is called ZIL - zero insertion log IIRC Re: (Score:2) Re: (Score:2) There are two uses for SSDs in a ZFS pool. The first is L2ARC. The ARC (adaptive replacement cache) is a combination of LRU / LFU cache that keeps blocks in memory (and also does some prefetching). With L2ARC, you have a second layer of cache in an SSD. This speeds up reads a lot. Data that is either recently or frequently used will end up in the L2ARC and so these reads will be satisfied from the flash without touching the disk. The bigger the L2ARC, the better, although practically if it's close to: (Score:2) The one negative to ZFS (if you can call it that) is that it makes you aware of inevitable failures (scrubs catch them). I'll lose about 1 or 2 files per year (out of many many terrabytes) just due to lousy luck What? Interesting.... I never lost a file on ZFS... ever; and I was doing 12TB arrays, for VMDK storage; these were generally RAIDZ2 with 5 SATA disks, running ~50 VMs. Then in ~2011, concatenated mirrored sets of drives; large number of Ultra320 SCSI spindles in a direct attach SCSI Re: (Score:2) Re: (Score:2) It sounds like he disabled/reduced ZFS's default to keep extra copies of meta-data. That would seem to require altering the source code. At least in the Solaris X86 ZFS implementation; there is no zpool or zfs dataset option to turn off metadata redundancy.... of course it would be a bad idea. Re: (Score:2) I corrupted some files by the following: This is a home setup, all parts are generic cheapo desktop grade components, except slightly upgraded rocket raid cards in dumb mode for additional sata ports: 4 HDDs, 2 vdevs that 2 drive mirrors (RAID 1+0 with 4 drives essentially) 1 drive in a 2 drive mirror fails, no hot spare. When inserting a replacement drive for the failed drive, the SATA cable to the remaining drive in the mirror was jiggled and the controller considered it disconnected. The pool instantly went Re: (Score:3) You can't expect much better than what it did considering an entire vddv (both drives in the mirror) went off line as data was being written to them. I do expect better, because ZFS is supposed to handle this situation, where a volume goes down with in-flight operations; the filesystem by design is supposed to be able to re-Import the pool after system restart and recover cleanly.... That shouldn't of happened; it sounds like either the hard drive acknowledged a cache FLUSH, before data had been w Re: (Score:2) Doesn't look like he had a ZIL from the description of the hardware. So it's totally understandable that he might have corruption. Re: (Score:3) I had an upgrade path similar to yours, starting with RAIDZ and moving the a group of mirrors. I try not to let any pool get too big, so there are maybe 20 drives/pool. It's always the small files that are lost (see post above) I think each server does about 6 PB/year each direction on these highly-accessed files, so I think it's reasonable to drop ~1MB of non-critical files (they basically store notes of data analysis). So far I've never had a problem with VM images, but now we're mitigating that by addin Re: (Score:2) Apparently "never lost data" must mean never lost an entire filesystem -- that's not my definition. Usually file loss is user error. ZFS does support snapshots, and Nexenta / FreeNAS / etc have snapshot options, and replication options (zfs send | zfs recv) available, for sure. It's a highly resilient filesystem, but owning and using a highly resilient filesystem is not a replacement for having the proper backups. Re: :Advatages of ZFS over BTRFS? (Score:5, Interesting) This is correct. It is statistically assured that you will lose some data with anything less than obscene redundancy. I've run the numbers and we've settled on what's acceptable to us: we have offline backups far more frequently than 2 times/year for everything, so dropping about 2 files/year that are completely unrecoverable without backups isn't a big deal. These systems are running a moderate number of very large static files, mixed with a very large number of very small files. The small files are SQLite-style records, and we churn through them very rapidly. I don't know exactly why, but it is always these small files that we lose: there is clearly a bias towards things that are written frequently. The analyst in me is quick to point out that implies failures in ZFS itself, beyond just the disks and "bit rot", but the accelerated failure isn't enough to worry about. So our non-failure rate is easily 6-nines or better per year on the live storage system, but it's still a bit uncomfortable to know that some data is going to be gone, despite that. With a minimal amount of effort you can get hardware and software which is not longer the biggest threat to your data. I am personally the most likely source of a catastrophic failure: operator error is more likely than an obscure hardware failure. ZFS has allowed me to reduce that operator error (snapshots, piping filesystems, nested datasets with inheritance), and simultaneously it's outperforming other options on both speeds and security. Overall, I'm extremely pleased. Re: (Score:2) It means the files were lost from the filesystem, and he was notified and recovered them from the backups. Which is a hell of a lot more than what other filesystems would do for you. One of the benefits of ZFS is that it makes it a lot easier to monitor for bit rot. Re: (Score:3) Re: (Score:3) I'm sure I'll be corrected if I'm wrong, but does it offer any advantage over BTRFS? I'm not trying to start a flame war; I'm honestly asking. BTRFS is still highly experimental. I had production ZFS systems back in 2008. A mature ZFS implementation is a lot less likely to lose your data with filesystem code at fault (assuming you choose appropriate hardware and appropriate RAIDZ levels with redundancy). Re: (Score:2) Re:Advatages of ZFS over BTRFS? (Score:5, Insightful) Nice FUD there. You picked the btrfs-progs, which are the userspace tools, not the actual btrfs filesystem driver. [kernel.org] Re: (Score:3) BTRFS has a large number of features that are still in the "being implemented", or "planning" stages. In contrast, those features are already present, well tested, and in production for half a decade on ZFS. Many touted "future" features (such as encryption) of BTRFS are documented as "maybe in the future, if the planets are right, we'll implement this. But not anytime soon" Comparing the two is like making up an imaginary timeline where ReiserFS 3 was 4-5 years old and in wide deployment while ext2 was bein Re: (Score:2) ZFS is tested and has beed used in huge amount of different environments with very posive feedback for well over a decade. I do not know any catastrophic failures (though there must be). BTRFS requires latest version of Linux kernel and itself to work. I have no clue about testing (removing disks on the fly, etc.) and definitely it is not widely deployed, not yet proven to work (few anecdotes do not count). BTRFS seems to be only slightly more robust than it was five years ago - during this time I have lost t Re: (Score:3) I'm playing around with btrfs at the moment, and I've spotted some inconsistencies in the document you mentioned. * Subvolumes can be moved and renamed under btrfs. I do this on a daily basis. * btrfs can do read-only snapshots. Mind you, it does have to be specified. * As far as I can tell, "df" does work fine with btrfs. The document implies it does not. I am still quite new to btrfs, so I'm learning much at the moment. There may be more points that I've missed. It seems, though, your document is a bit out Re: (Score:3) Gotcha. So btrfs and df play up only under a raid1 situation. That explains why I didn't notice any problem. As for snapshots, I've set up an automated snapshot system using btrfs. Main volume is mounted to /snapshots. One subvolume is created in there, and is then separately mounted to /data . Snapshots are created under the /snapshot directory, while /data is the path used by applications. I've created a nightly script which renames all previous snapshots, and then creates a new snapshot. It all wor Re: (Score:3) That's never been true, you always had the option of detaching it or outright deleting just one disk, you just had to make sure you did it in a careful manner so as not to delete things you didn't want to delete. Also resizing a volume on a disk is a risky operation to engage in. If it's something that you really need to do, the correct way is to back up the data to a separate disk and restore it to a new volume. Resizing volumes is not exactly in keeping with the philosophy that led to ZFS being created. Re: (Score:2) Re: (Score:2) Once a zfs filesystem is created that's it. No resize support Minor correction: Once a ZFS pool is created, that's it. Filesystems are dynamically sized. You can also add disks to a pool, but not to a RAID set. You can also replace disks in a RAID set with larger ones and have the pool grow to fill them. You can't, however, replace them with smaller ones. Re: (Score:3) Limited number of drive slots + moving to a smaller, but faster platter in one or more of those slots. Re: (Score:2) Still no encryption... *sigh* (Score:3) I wish they had encryption... *sigh* No, I don't want workarounds, I want it to be built in to ZFS like in Solaris 11. Re: (Score:2) There are no satisfactory workarounds, and never will be. The crypto needs to be handled within ZFS or it becomes an over complicated and inefficient mess. (As you are probably aware.) Consider a ZFS mirror on top of two disks encrypted by the OS; even though the data is identical, it now needs to be encrypted twice on write, and decrypted twice on scrub. For ditto blocks, multiply the amount of crypto work by another two or three. There are now (at least) two keys to manage and still no fine granularity How does ZFS compare to btrfs? (Score:2) How does ZFS compare to btrfs? Several intentionally unnamed and unlinked commentaries on ZFS apparent current omission from Mac OSX refer to btrfs to be the more GPL-compliant alternative to ZFS. I need more information, as I do not think btrfs has the same aggressive checksumming and automatic volume size feature that ZFS does. Thanks. Re: (Score:2): (Score:2) Re: e Re: (Score:3, Funny) You don't have a multi-petabyte array with mission criitical data at home? Re: (Score:2) Re: (Score:3). There are applications that run well on Windows, especially on the Server side of things so I wouldn't call it dead quite yet. Besides, with Server 2012 we now have Storage Spac. Re: (Score:2) th Re: (Score:3). Not according to this document; the runtime components are not redistributable. This is an Anti-WINE license measure: [microsoft.com] the filesystem driver all rolled into one ... but spread all across the kernel, in order to get proper performance. Could get pretty close with some good hacks though, such as FUSE. This is actually reverse-engineerable. FUSE isn't an option, since pages which get memory mapped and dirtied are not propagated up via invalidation events. This is the same problem the Heidemann stacking framework has if you stack FS A on top of FS B, and then expose both of them as visible in the mount hierarchy namespace. Yo Re: (Score:3) (You seem to write well so you'll probably appreciate being reminded it's "garner" not "garnish") Re: (Score:2) WTF are you smoking. POSIX compatibility is easy to achieve, and you can get it on Windows by installing the optional SFU package. Too bad POSIX says nothing about file system driver interfaces - that's entirely kernel-dependent, and even varies between BSDs. Re:Cool, but.. (Score:5, Insightful) Everything else is already handled with LVM and software RAID. You have a great sense of humor, keep it up. Re:Cool, but.. (Score:4, Informative) Re: (Score:2) Re: (Score:2) Re: (Score:2) Selective encryption means that you have to be incredibly careful that sensitive data never hits a non-encrypted portion of the disk. So, I'd say that the full disk encryption is the cleaner option. Re: (Score:2) Full disk encryption isn't a fad; it's the only way to this job well. Selective encryption makes people relax because it gives a false sense of security, but there are so many holes that you're still quite vulnerable. In some ways it's worst than no encryption at all, because people at least know they have to be careful about their system then. The first giant issue is that operating systems and programs like editors will write work in progress data to disk outside of the encrypted area, such as temporary Re: (Score:3) Temporary files and swap aren't a problem... Swap can and should be stored on a separate partition, and encrypted using a randomly generated key so its completely lost after a reboot. On a properly configured system, only a very small number of locations will be writable by the user, typically the user's home directory and a temporary area... The temporary area can be stored in ram/swap since it doesn't matter if its contents are lost and home can be encrypted. It's trivial to add a hardware key logger to virt Re: (Score:2) If someone has physical access to a system for long enough, of course any security can be bypassed and the system must be considered tampered. But a fully encrypted system cannot be compromised in only a minute or two of access; one with an unencrypted boot drive certainly can be. And time to exploit impacts how vulnerable you are in very common real world situations. A regular full disk encryption candidate is a laptop you leave home with. I will sometimes leave my laptop sitting at a table with someone
https://hardware.slashdot.org/story/13/09/17/233207/openzfs-project-launches-uniting-zfs-developers?sdsrc=prevbtmprev
CC-MAIN-2016-50
refinedweb
3,823
71.04
The documentation for the bsdjail LSM.Signed-off-by: Serge E. Hallyn <serue@us.ibm.com>diff -Nrup linux-2.6.9/Documentation/bsdjail.txtlinux-2.6.9-jail/Documentation/bsdjail.txt--- linux-2.6.9/Documentation/bsdjail.txt 1969-12-31 18:00:00.000000000-0600+++ linux-2.6.9-jail/Documentation/bsdjail.txt 2004-10-2014:41:28.266075800 -0500@@ -0,0 +1,135 @@+BSD Jail Linux Security Module+Serge E. Hallyn <serue@us.ibm.com>++Description:++Used in conjunction with per-process namespaces, this implements+a subset of the BSD Jail functionality as a Linux LSM. What is+currently implemented:++ If a proces is in a jail, it:++ int.++ If properly locked into its own namespace, processes will not be able+ to escape to parts of the system's filesystem which were made+ unavailable (without outside help).+).++How to use:+ 1. Load the bsdjail module if not already loaded or compiled in:+ + modprobe bsdjail++ 3. (Optional) Set up an ipv4 alias for the jail++ # /sbin/ifconfig eth0:0 192.168.1.101+ # /sbin/route add -host 192.168.1.101 dev eth0:0++ 3. Execute a shell under a new namespace:++ exec clone_ns++ (see)++ 4. If not already done, set up the filesystem for the jail. in our+ example, we will set it up under /opt.+ + mount /dev/hdc5 /opt+ mount -t proc proc /opt/proc++ 5. Make sure there is an empty directory to put the old root in. We+ will just use /opt/mnt++ mkdir /opt/mnt++ 6. Pivot the old and new roots:++ cd /opt+ /sbin/pivot_root . mnt+ /usr/sbin/chroot . /bin/sh++ 7. Unmount the old root++ umount -l /mnt++ 6. Give the desired arguments for the jail. If no arguments are+ necessary, just say:++ echo lock > /proc/$$/attr/exec++ To lock the process into an ip alias, say:++ echo "ip 192.168.1.101" > /proc/$$/attr/exec++ 7. Execute a new shell. The shell will be under the new jail, andin+ the private namespace you've been setting up.+ + exec /bin/sh++ 8. To allow friends/customers/whoever to use this system, you mightstart+ start some services.++ sshd++ 9. Ssh is now running under the jail, so you no longer need theoriginal+ shell:++ exit++The new shell runs in a private jail on the filesystem on /dev/hdc5. Ifproc+has been mounted under /dev/hdc5, then a "ps -auxw" under the jailedshell:++ lock: specifies the next exec should land us in a jail. (onlyneeded+ if you don't want to give any other keywords)+ ip: IPV4 addr for this jail+ ip6: IPV6-To unsubscribe from this list: send the line "unsubscribe linux-kernel" inthe body of a message to majordomo@vger.kernel.orgMore majordomo info at read the FAQ at
https://lkml.org/lkml/2004/11/4/306
CC-MAIN-2017-47
refinedweb
458
60.01
Object::Meta::Plugin::Host - Hosts plugins that work like Object::Meta::Plugin (Or rather Object::Meta::Plugin::Useful, because the prior doesn't work per se). Can illustrated in Object::Meta::Plugin. The host is not just simply a merged namespace. It is designed to allow various plugins to provide similar capabilities - methods with conflicting namespace. Conflicting namespaces can coexist, and take precedence over, as well as access one another. An example scenario could be an image processor, whose various filter plugins all define the method "process". The plugins are all installed, ordered as the effect should be taken out, and finally atop them all a plugin which wraps them into a pipeline is set. It's process method will look like sub process { my $self = shift; my $image = shift; foreach my $plugin (reverse @{ $self->super->stack('process') }){ next if $plugin == $self->self; $image = $self->super->specific($plugin)->process($image); } # for (my $i = 1; $i <= $#{ $self->super->stack('process') }){ # $image = $self->offset($i)->process($image); # } return $image; } When a plugin's method is entered it receives, instead of the host object, a context object, particular to itself. The context object allows it access to the host host, the plugin's siblings, and so forth explicitly, while implicitly making one or two changes. The first is that all calls against $_[0], which is the context, are like calls to the host, but have an altered method priority - calls will be mapped to the current plugin's method before the host defaults methods. Moreover, plugin methods which are not installed in the host will also be accessible this way. The second, default but optional implicit change is that all modifications on the reference received in $_[0] are mapped via a tie interface or dereference overloading to the original plugin's data structures. Such a model enables a dumb/lazy plugin to work quite happily with others, even those which may take it's role. A more complex plugin, aware that it may not be peerless, could gain access to the host object, to it's original plugin object, could ask for offset method calls, and so forth. In short, the interface aims to be simple enough to be flexible, trying for the minimum it needs to define in order to be useful, and creating workarounds for the limitations this minimum imposes. Returns a hash ref, to a hash of method names => a context object for a specific plugin. Like Context's prev, and offset, only with a plugin instead of an index. Returns an array ref to a stack of plugins, for the method. The last element is considered the topmost plugin, which is counter intuitive, considering offset works with higher indices being lower precedence. Takes a reference to a plugin, and sweeps the method tree clean of any of it's occurrences. Takes an export list, and unmerges it from the currently active one. If it's empty, calls unplug. If something remains, it cleans out the stacks manually. This behavior may change, as a plugin which has no active methods might still need be available. Grants access to the actual plugin object which was passed via the export list. Use for internal storage space. See CONTEXT STYLES (ACCESS TO PLUGIN INTERNALS).. The context shim styles are set by the object returned by the info method of the export list. Object::Meta::Plugin::ExportList will create an info object whose style method will return implicit by default. You can override the info object by sending a new one to the export list constructor. Using the Useful:: implementations this can be acheived by sending the info object as the first argument to init. plug can do it for you: my $i = new Object::Meta::Plugin::ExportList::Info; $i->style('explicit'); $host->plug($plugin,$i); This style allows a plugin to pretend it's operating on itself. The means to alow this are either by using overload or tie magic. When the context object is overloaded, any operations on it will be performed on the original plugin object. Dereferencing, various operators overloaded in the plugin's implementations, and so forth should all work, because all operators will simply be delegated to the original plugin. The only case where there is an exception, is if the plugin's structure is an array. Since the context is implemented as an array, the array dereference operator cannot be overloaded, nor can a plugin editing @$self get it's own data. Instead $self is a reference to a tied array. Operations on the tied array will be performed on the plugin's structures indirectly. The implicit style comes in two flavors: implicit and force-implicit. The prior is the default. The latter will shut up warnings by Object::Meta::Plugin::Host on plug time. See DIAGNOSTIC for when this is desired. If needed, $self-plugin> and $self-self> still work just as they do under the Explicit style. Using this style, the plugin will get the actual structure of the context shim, sans magic. If tied/overloaded access is inapplicable, that's the way to go. It's also more efficient under some scenarios. In order to get access to the plugin structure the plugin must call $self-self> or $self-plugin>. The explicit style gives the standard shim structure to the plugin. To gain access to it's structures a plugin will then need to call the method self on the shim, as documented in Object::Meta::Plugin::Host. explicit is probably much more efficient when dereferencing a lot (overloading is not that fast, because it involves magic and an extra method call ( $self-plugin> is simply called implicitly)), but is less programmer friendly. If you have a loop, like for (my $i = 0; $i <= $bignumber; $i++){ $self->{thing} = $i; } under the implicit style, it will be slow, because $self is overloaded every time. You can solve it by using $ref = \%$self; # only if implicit is in use, and not on arrays or by using $ref = $self->plugin; # or $self->self and operating on $ref instead of $self. The aggregate functions ( values, instead of each, for example) will not suffer greatly from operating on %$self. As described in Implicit, arrays structures will benefit from explicit much more, because all operations on their contents is totally indirect. C'est tout. An error is emitted when the module doesn't know how to cope with a situation. The offset requested (via the methods prev or offset) is outside of the the stack of plugins for that method. That is, no plugin could be found that offset away from the current plugin. Emitted at call time. The method requested could not be found in any of the plugged in plugins. Instead of a classname, however, this error will report the host object's value. Emitted at call time. The host AUTOLOADer was queried for a method defined in the context class. This is not a good thing, because it can cause unexpected behavior. Emitted at plug or call time. The provided object's method can did not return a true value for init. This is what we define as a plugin for clarity. Emitted at plug time. The export list handed to the register method did not define all the necessary methods, as documented in Object::Meta::Plugin::ExportList. Emitted at register time. The method, requested for export by the export list, cannot be found via can within the plugin. Emitted at register time. When requesting a specific plugin to be used, and the plugin doesn't exist this happens. Emitted at specific time. When a plugin's init method returns an object, whose info method returns an object, whose style method returns an unknown style, this is what happens. Emitted at plug time. A warning is emitted when the internal functionality is expected to work, but the implications on external data (plugins) might be undesired from the programmer's standpoint. If a plugin whose structure is a tied array is plugged, it must be wrapped in a tied array, so that a shim can be generated for it. If the plugin is using it's structures in ways which extend beyond the array variable interface, that is anything having to do with tied, things will probably break. Emitted at plug time. When a plugin plugged with the implicit style has the @{} operator overloaded, this will cause funny things. If it attempts to dereference itself as an array the array will be the structure of the shim instead of what it was hoping for. Emitted at plug time. canmethod (e.g. UNIVERSAL::can) is depended on. Without it everything will break. If you try to plug something nonstandard into a host, and export something UNIVERSAL::canwon't say is there, implement canyourself. tied array as it's data structure, and using tiedsomewhere in the plugin will break. This is because when the plugin is an array ref, tieing is used to give the context shim storage space, while allowing implicit access to the plugin's data structure via the shim's data structure. If you do not explicitly ask for the tied style when plugging the plugin into the host, you will get a warning. reftypeon the context object will always return ARRAY, even if the plugin is not an array, and pretends the shim is not an array. canmethod for the host implementation cannot return the code reference to the real subroutine which will eventually be called. This breaks hosts-as-plugins, because the plugged in host will have it's AUTOLOAD skipped. Using goto on the reference can returns will work, however..
http://search.cpan.org/~nuffin/Object-Meta-Plugin-0.02_04/lib/Object/Meta/Plugin/Host.pm
CC-MAIN-2017-04
refinedweb
1,607
63.49
In Anthos clusters on bare metal, you add or remove node pools in a cluster by creating or deleting node pool custom resources. You use kubectl to make node pool changes. You can only add or delete worker node pools for an existing cluster. The control plane and load balancer node pools added during cluster creation are critical to the cluster's function and cannot be deleted. Check node status Before adding or removing node pools, use kubectl get to check the status of nodes and their respective node pools. For more information, including a sample command and response, see Viewing node status. Add a new node pool You can add new node pools by creating a new nodepools.baremetal.cluster.gke.io resource in the admin cluster. For example, you specify the following configuration to add a new node pool named "nodepool- new" with node IP addresses 10.200.0.7 and 10.200.0.8: apiVersion: baremetal.cluster.gke.io/v1 kind: NodePool metadata: name: node-pool-new namespace: cluster-my-cluster spec: clusterName: my-cluster nodes: - address: 10.200.0.7 - address: 10.200.0.8 taints: - key: <key1> value: <value1> effect: NoSchedule labels: key1: <value1> key2: <value2> NodePool.spec.taints and NodePool.spec.labels configurations are reconciled to nodes. All taints and labels that are directly added are removed. The control plane doesn't remove the taints and labels that you add directly during the sync process. To bypass this reconciliation step, you can annotate the node with baremetal.cluster.gke.io/label-taint-no-sync. The node pool resource must be created in the same namespace as the associated cluster and reference the cluster name in the spec.clusterName field. Store the configuration in a file named node-pool-new.yaml. Apply the configuration to the admin cluster with the following command. Use the --kubeconfig flag to explicitly specify the admin cluster config, if needed: kubectl apply -f node-pool-new.yaml Remove a node pool You remove node pools with kubectl delete. For example, to remove the node pool added in the preceding section, node-pool-new, use the following command: kubectl -n cluster-my-cluster delete nodepool node-pool-new Removing a worker node pool in a cluster can cause Pod Disruptions. If there is a PodDisruptionBudget (PDB) in place, you may be blocked from removing a node pool. For more information about pod disruption policies, refer to Removing nodes blocked by the Pod Disruption Budget.
https://cloud.google.com/anthos/clusters/docs/bare-metal/latest/how-to/add-remove-node-pools
CC-MAIN-2022-05
refinedweb
413
57.87
Opened 9 years ago Closed 9 years ago #4727 closed (fixed) [newforms-admin] allow override of forms.BaseForm as a base class for admin forms Description I have a model that need some custom validation across multiple fields. To achieve that it would be best to allow overriding of base form like this: from django import newforms as forms class SomeModelForm( forms.BaseForm ): def clean( self ): data = self.cleaned_data if I_not_like_something( data ): raise forms.ValidationError, _( "Something is wrong" ) return data class SomeModelOptions( admin.ModelAdmin ): base_form = SomeModelForm admin.site.register( SomeModel, SomeModelOptions ) Since newforms.models.form_for_instance and newforms.models.form_for_instance already provide this functionality, its just a matter of adding the variable to ModelAdmin. This approach would also solve #4507 Attachments (2) Change History (8) Changed 9 years ago by Honza Král <Honza.Kral@…> comment:1 Changed 9 years ago by SmileyChris - Needs documentation unset - Needs tests unset - Patch needs improvement unset - Triage Stage changed from Unreviewed to Design decision needed comment:2 Changed 9 years ago by anonymous comment:3 Changed 9 years ago by Honza_Kral - Owner changed from nobody to Honza_Kral Changed 9 years ago by Petr Marhoun <petr.marhoun@…> comment:4 Changed 9 years ago by Petr Marhoun <petr.marhoun@…> I attached a new patch which works also for inline formsets. comment:5 Changed 9 years ago by Petr Marhoun <petr.marhoun@…> I don't think that attached patches solve #4507 - see my comments. comment:6 Changed 9 years ago by Honza_Kral - Resolution set to fixed - Status changed from new to closed fixed by add_form and change_form hooks +1 on this -- very easy patch provides significant new functionality. This seems to me the easiest way of handling what I assume is a very common use case of validating across multiple fields in the admin.
https://code.djangoproject.com/ticket/4727
CC-MAIN-2016-22
refinedweb
297
56.05
This String class method, replaceAll(), replaces all the occurrences of a word in a string with another word introduced with JDK 1.4 to use with regular expressions. The method returns a new string with affected words. The original string is not disturbed (string is immutable). We discussed a similar program in "String – uppercase, lowercase, replacing" where replace() method usage is shown. Following are the two methods involved along with String replaceAll(). - String replaceAll(String regexp, String target): Replaces all the words or a substring (group of words) that matches the regular expression with the target string. - String replaceFirst(String regexp, String target): Replaces the first word or a substring (group of words) that matches the regular expression with the target string. Following program shows the simplest way of using the String replaceAll() method. public class ReplaceAll { public static void main(String args[]) { // REPLACING ALL OCCURRENCES String str1 = "Hard work results. Hard work persists."; System.out.println("Before replaceAll(): " + str1); String str2 = str1.replaceAll("Hard work", "Dedication"); System.out.println("After replaceAll(): " + str2); // REPLACING FIRST OCCURRENCE ONLY String str3 = str1.replaceFirst("Hard work", "Dedication"); System.out.println("After replaceFirst(): " + str3); } } Output screen on String replaceAll() Java String str2 = str1.replaceAll(“Hard work”, “Dedication”); The above statement can be replaced with replace() method as follows and works nice. String str2 = str1.replace (“Hard work”, “Dedication”); A special case of repalceAll() is replaceFirst() which replaces the first occurrence only. String str3 = str1.replaceFirst(“Hard work”, “Dedication”); In the above statement, the first occurrence of "Hard work" is replaced by "Dedication". Observe the screenshot. But replaceAll() method is meant to work with regular expressions, a concept supported by Java from JDK 1.4. Observe the method signatures. Following program uses regular expressions to replace the words of a string. public class ReplaceAll { public static void main(String args[]) { String str1 = "a 1 bc 2 def 3 gh456"; String str2 = str1.replaceAll("\\d", "OK"); System.out.println(str2); String str3 = str1.replaceAll("\\D", "OK"); System.out.println(str3); String str4 = "Hello Hello Hello"; System.out.println(str4.replaceFirst("Hello", "Morning")); String str5 = str4.replaceAll("^Hello", "Morning"); System.out.println(str5); System.out.println(str4.replaceAll("Hello$", "Morning")); } } Output screen on String replaceAll() Java String str1 = “a 1 bc 2 def 3 gh456”; String str2 = str1.replaceAll(“\\d”, “OK”); In the string str1, both digits and letters (alphabets) exist. The regular expression syntax \\d replaces each digit with OK. String str3 = str1.replaceAll(“\\D”, “OK”); The regular expression syntax \\D replaces each non-digit (each letter), in the string str1, with OK. String str4 = “Hello Hello Hello”; System.out.println(str4.replaceFirst(“Hello”, “Morning”)); We know in the earlier program, the replaceFirst() method replaces the first occurrence of Hello with Morning. String str5 = str4.replaceAll(“^Hello”, “Morning”); The same affect of repalceFirst() can be achieved with regular expression. The expression ^Hello indicates the first occurrence of Hello to be replaced with Morning. System.out.println(str4.replaceAll(“Hello$”, “Morning”)); No method exists with String class to change the last the occurrence of Hello. This can be achieved with the regular expression. The expression Hello$ indicates the last occurrence of Hello to be replaced with Morning. Following are some regular expressions suitable to use with replaceAll(). Regular expressions are discussed, to some extent, in way2java.com in JDK 1.4 (J2SE 4) Version. But regular expressions usage is a big subject which requires a good study. You are advised to refer a good Web site that primarily discusses regular expressions. Java split() method is illustrated in Region Matches – Interning – Splitting and JDK 1.4 (J2SE 4) Version. 1 thought on “String replaceAll() Java” sir it is very clear… really awesome sir…sir suggest me a website for sql.
https://way2java.com/string-and-stringbuffer/java-string-replaceall/
CC-MAIN-2020-50
refinedweb
622
52.66
I am learning pointer to functions, and want to define a function that has the return value which is the pointer to another function. In my sample program fun #include <iostream> using namespace std; int next(int ); //define next_fp as a pointer to a function that takes an int and return an int typedef int (*next_fp)(int); //define a function that returns a pointer to a function that takes an int and return an int next_fp fun(next); int main() { cout << fun(next)(5) <<endl; return 0; } int next(int n) { return n+1; } next_fp fun(next) { //fun's return type is next_fp, which is a pointer to //a function that take an int and return an int. return next; } next_fp fun(next); When declaring a function, you must declare the type of the arguments. Try: next_fp fun(next_fp next); // ... next_fp fun(next_fp next) { // ... } As stated in the comments, you should avoid using for a parameter a name already used in the same scope for a function. You may add a trailing _ to mark function parameters (my personal convention, feel free to use yours): next_fp fun(next_fp next_);
https://codedump.io/share/gH1g9UPmHCwf/1/why-my-definition-of-a-function-that-returns-the-pointer-to-another-function-doesn39t-work
CC-MAIN-2017-39
refinedweb
189
54.46
Odoo Help Odoo is the world's easiest all-in-one management software. It includes hundreds of business apps: CRM | e-Commerce | Accounting | Inventory | PoS | Project management | MRP | etc. How can I see the stock location of an product? How can I see the stock location of a product? And how can I list all products that are in a stock location eg. shelf 2? In menu "Reporting / Warehouse / Inventor Analysis" you see the stock level of all products. Per default you see the stock level of all internal locations. If you want to have the stock level of a certain location you have to do an Advanced Search with field Location. If you want to see a product's stock level in all locations, then simply Group By .. product and location. Of course, as patrick already mentioned you can click More and Stock by Location in the product's form view to see the stock level of a certain product. ok, but how can i get all stock locations of a product? eg. a product is distributed in various locations. how can i get a list of this locations with quantity? If you select a product, you should be able to click on the button More, and select 'Stock by Location'. At the moment you cannot filter on amount > 0 (or other number), so if you have got a lot of locations, you have to go through the whole list. Group By ...product and location just shows the company not the location(shelf). Yes we have a lot of locations, going through the whole list is not an option... :-( You have to remove the "Internal" filter so that you see really all locations were the product is available. you can add another filter for the product if you only want to see certain products ahh, thank you, i got it. My issue is that this gives us 2000 locations and the filter seems ! Perhaps, this module would be useful to this purpose In OpenERP, location is a generic concept and it is not bound to any product specifically. If you wanna see locations with quantity, you should print a report available on locations. If not a report, you have do a little customization. Thanks. what kind of customization? Override the search() to show only the nonzero qty holder locations! I 've made it, will attach here. def search(self, cr, uid, args, offset=0, limit=None, order=None, context=None, count=False): if context is None: context = {} res_ids = super(stock_location, self).search(cr, uid, args, offset, limit, order, context=context, count=count) loc_obj = self.browse(cr, uid, res_ids, context=context) res_ids = [x.id for x in loc_obj if x.stock_real>0 return res_ids Missing a closing ] at the end, but thank you. This is useful for us as well. Welcome Patrick! might have missed ] in a hurry! My aim was just to give an idea :) thank you very much. this will help me a lot... Team I am new to Odoo... so if i may.. Its eay to find stock by loaction... What I want to know is where in the location is the stock.... so imagine I have a bunch of shelving that has me finished goods.. so my warehouse has say WH/Finished Goods... but logically and physically I divide that shelving into racks and in the Location WH/Finished Goods I have Rack 1... and on my Product under the Inventory tab I say this product should be in Finished Goods but specifically on Rack 1.... So when new product comes in I want to tell my storeman.. you will find "like" producrs in Rack 1 so put this stuff there too... So when I ask him to "Pick" the product.. not only can i tell him to go to the Finished Goods "zone"..but to make it fatser go to Rack 1... Back to the original question how can i see what's in rack
https://www.odoo.com/forum/help-1/question/how-can-i-see-the-stock-location-of-an-product-6704
CC-MAIN-2017-09
refinedweb
660
75.61
How to Make a Tactile Feedback Compass Belt Have you ever wondered how migratory birds manage to have such an amazing sense of direction despite being so generally clueless? They can sense the Earth’s magnetic field with what is basically a compass built into their body. Wouldn’t it be cool to feel what that’s like? The following instructions are loosely based off of a research paper by the (German) OFFIS Institute of Technology, or Oldenburger Forschungs und Entwicklungsinstitut für Informatik-Werkzeuge und Systeme, if you sprechen sie Deutsch. It can be found here: Further thanks go to a couple of guides on how to make simple vibration motor and digital compass circuits, respectively. If my explanations aren’t doing it for you, these probably will for their corresponding aspects of the project: Step 1: Materials Major Components in Project So with the citations out of the way, let’s get started. First, you’ll need a bunch of materials. A lot of these are available easily from Sparkfun, but in many cases more cheaply from Jameco or Digikey or something. Total cost is around $150, largely due to the Arduino or similar, compass chip, motors, and appropriate belt. For this project you will need: 1x: Arduino or homemade ATMega microprocessor board. I recommend an Arduino because it’s difficult to fit voltage regulators, a resonator, etc into a small package by yourself. You’ll need a serial interface too, although a USB cable works fine for an Arduino. I used an Arduino Uno with an ATMega 328p. (~$30) 1x: Honeywell HMC6352 compass chip. (~$35) 1x: Belt. Preferably canvas or fabric, of the boating variety. Leather is really no good for this, and the loop buckles won’t get in the way of the circuit elements like a traditional pin-and-hole buckle might. (~$20) 8x: Vibration motors; I used sparkfun’s #8449, they do well @~3V (~$5 ea.) 8x: 1N4001 diode (cheap) 8x: 0.1uF capacitor (cheap) 8x: 2N2222 Transistor (any NPN will probably work.) (cheap) 8x: 1K resistors (1/4W will be fine, microprocessors output low current.) (cheap) 8x: 33-75ish ohm resistors (33 minimum, I used 47 because I had them lying around.) (cheap) Some: 9V batteries/clips A Few: Needles & thread (for sewing circuit elements onto the belt once they’re properly soldered.) Lots: ~22ga wire, electrical tape, solder. Optional but recommended: A case/enclosure for your Arduino or microprocessor assembly. Optional: An on/off switch so that you don’t have to unplug the battery to turn it off. Note that while I used 8 motors, you can use however many you like; just replace 8 with your number in these instructions, and use 360 / X instead of 45 degree increments in the final code. Step 2: Build a Motor Assembly Before starting to work with the actual belt, you’ll probably want to make a prototype using breadboards. The motor assemblies are pretty simple, but you’ll need 8 of them. Each assembly will connect to one of your microprocessor’s digital IO pins, plus a common 5V vcc and ground. You’ll want the assemblies in parallel. For one assembly, tl;dr refer to the picture. More lengthily, simply connect your desired digital pin to a 1K resistor, and connect that to the B pin of your chosen transistor. The E pin goes to ground, and the C pin is just a bit more complicated. You’ll want it connected to three circuit elements connected in parallel; a diode, a 0.1uF capacitor, and a motor. The motor doesn’t have polarity, and the capacitor is small enough that you don’t have to worry about it. Make sure that the diode’s cathode (the side with the stripe) is facing away from the transistor’s C pin. That’s important, because the diode is there to prevent your motor from drawing too much current and frying the microprocessor. If you do fry your microprocessor, no big deal. Don’t spring for a whole new board, just get another ATMega 168/328 for 5 or 6 bucks and pop it in; sparkfun sells ones with optiboot pre-loaded so you won’t even need a real serial interfacing board. Finally, connect your small-ohm (33-75ish) resistor to the diode’s cathode (and the motor/capacitor by extension), and hook that up to the 5V out. See the picture for details. Refer to your chosen transistor’s data sheet to determine which pin is which. That’s it! Run a simple test to make sure that everything is hooked up correctly. Note that the motors I recommended have tiny leads, so if you want to plug them into a breadboard you’ll really want to solder a short slip of 22ga wire to each one to ensure that they make consistent contact. Motor test code (for Arduino or microprocessor board w/ Arduino optiboot): const int motorPin = <your pin #>; void setup() { pinMode(motorPin, OUTPUT); } void loop() { // Turn on for 2 seconds, then off for 1 second. digitalWrite(motorPin, HIGH); delay(2000); digitalWrite(motorPin, LOW); delay(1000); } Step 3: Build More Motor Assemblies This step is pretty short in writing, but it’ll take a bit of time and patience. Now you need to build 7 more motor assemblies and hook them all up for a total of 8 digital IO pins. Your voltage and ground wires should be shared among the assemblies; just use the +/- columns if you have a breadboard to make it easier on yourself. Once you’re done, it should look something like the picture, except with 8 motors instead of 4. I used two breadboards with 4 on each. I only took a picture of one though, sorry. Each yellow wire should go to its own digital pin on the Arduino, the red/white to 5V/Ground. I’m pretty sure you could get away with using just one diode/capacitor if you hooked it up right, but this makes the wiring easier and they’re really cheap anyways. Don’t forget to test all of the motors. Since they’re in parallel, one failure won’t cause the whole thing to stop working, which makes troubleshooting very easy. Plug them all in, and just add 7 more pins to the sample code from the previous step. For each one you need to define it, set the mode to output, and tell it to turn on and off: // I used pins 2-9, you may have different ones. const int motorPin = 2; const int motorPin2 = 3; const int motorPin3 = 4; const int motorPin4 = 5; const int motorPin5 = 6; const int motorPin6 = 7; const int motorPin7 = 8; const int motorPin8 = 9; void setup() { pinMode(motorPin, OUTPUT); pinMode(motorPin2, OUTPUT); pinMode(motorPin3, OUTPUT); pinMode(motorPin4, OUTPUT); pinMode(motorPin5, OUTPUT); pinMode(motorPin6, OUTPUT); pinMode(motorPin7, OUTPUT); pinMode(motorPin8, OUTPUT); } void loop() { // Turn each pin on for 2 seconds, then off for 1. digitalWrite(motorPin, HIGH); digitalWrite(motorPin2, HIGH); digitalWrite(motorPin3, HIGH); digitalWrite(motorPin4, HIGH); digitalWrite(motorPin5, HIGH); digitalWrite(motorPin6, HIGH); digitalWrite(motorPin7, HIGH); digitalWrite(motorPin8, HIGH); delay(2000); digitalWrite(motorPin, LOW); digitalWrite(motorPin2, LOW); digitalWrite(motorPin3, LOW); digitalWrite(motorPin4, LOW); digitalWrite(motorPin5, LOW); digitalWrite(motorPin6, LOW); digitalWrite(motorPin7, LOW); digitalWrite(motorPin8, LOW); delay(1000); } Step 4: Hook Up the Compass These compass chips are tiny, so soldering the pins can be intimidating. I went through some trial and error here and a burnt finger, but on the upside I can say that if I didn’t fry the chip with my somewhat clumsy soldering, there’s not much chance that you will. So, look at the first picture. This is a good way to solder the leads on. Just stick a wire in the hole, twist it into a little loop, and apply a dab of solder. Works great. At first, I tried to stick headers on (see image 2). I would have gone with male-to-female, but male-to-male were all I had lying around. Anyways, it did not work well. The solder would not bind the headers to the board. Probably the solder I had just didn’t like the headers I had, but sticking the wires in and soldering them worked so well that I don’t recommend trying to go with headers. Your compass will have 4 pins; GND, VCC, SDA, SDL. They’re labeled, but for reference to my pictures: white-red-yellow-white = GND-VCC-SDA-SDL. Hook the GND pin up to ground, and the VCC pin to a 3.3V out. This is where having the arduino is nice; you get both 3.3 and 5V regulators onboard, and it can easily run off of a 9V battery (5-20V range, 7-12V recommended), which we’ll get to in a bit. Anyways, hook the SDA pin up to analog pin A4 (20), and the SDL up to pin A5 (21). Note that these chips lose about 2 degrees of accuracy for every 1 degree of tilt and work unreliably beyond 10-15 degrees of tilt, so you’ll want to keep it flat. Load the code at the end of this step onto your microprocessor and open the serial interface while it’s plugged in (ctrl+shift+M in the Arduino interface) to check the output. In the interest of helping you not repeat my mistakes, I can offer some troubleshooting advice: if, when testing your chip, you get a stream of 0.0 degrees, check your voltage and ground pins’ connections. If you don’t get any output at all, check your SLA and SLD pins. Anyways, here’s the code to test your compass: (see the intro for citation, the digital compass page also has a great image showing better than I could where to connect the logic pins if you’re still confused.) #include <Wire.h> void setup() { Serial.begin(9600); Wire.begin(); } void loop() { Wire.beginTransmission(0x21); Wire.write(“A”); delay(100); Wire.requestFrom(0x21, 2); byte MSB = Wire.read(); byte LSB = Wire.read(); Wire.endTransmission(); float degs = ((MSB << 8) + LSB) / 10; Serial.print(degs); Serial.println(” degrees.”); delay(100); } For more detail: How to Make a Tactile Feedback Compass Belt JLCPCB – Prototype 10 PCBs for $2 + 2 days Lead Time China’s Largest PCB Prototype Enterprise, 300,000+ Customers & 10,000+ Online Orders Per Day Inside a huge PCB factory:
https://duino4projects.com/make-tactile-feedback-compass-belt/
CC-MAIN-2018-39
refinedweb
1,735
61.67
In my previous blog, we started with what Kafka is, and what makes Kafka fast. If you haven’t read already, you should give it a read. We also talked briefly about Zookeeper. We know that Zookeeper keeps track of the status of the Kafka cluster nodes and it also keeps track of Kafka topics, partitions, etc. But what else? In this blog, we will learn more about Zookeeper, what is it, and how it’s important to Apache Kafka. Let’s get started. What is Zookeeper? ZooKeeper is a distributed, open-source coordination service for distributed applications. It exposes a simple set of primitives that distributed applications can build upon to implement higher level services for synchronization, configuration maintenance, and groups and naming. Zookeeper is designed to be easy to program to, and uses a data model styled after the familiar directory tree structure of file systems. It runs in Java and has bindings for both Java and C. Need? Simple! The goal is to make the systems easier to manage. ZooKeeper allows developers to focus on the core application logic, and it implements various protocols on the cluster so that the applications need not implement them on their own. These services are used in some form or another by distributed applications. Zookeeper at component Level: Apache ZooKeeper works on the Client–Server architecture in which clients are machine nodes and servers are nodes. ZooKeeper allows distributed processes to coordinate with each other through a shared hierarchical namespace which is organized similarly to a standard file system. The namespace consists of data registers – called znodes (similar to files and directories). Unlike a typical file system, which is designed for storage, ZooKeeper data is kept in-memory, which means ZooKeeper can achieve high throughput and low latency numbers. It provides: - High performance: it can be used in large, distributed systems. - Highly available: keeps it from being a single point of failure. - Strictly ordered access: sophisticated synchronization primitives can be implemented at the client. Zookeeper in Kafka Zookeeper is a top-level centralized service used to maintain configuration information, naming, providing flexible and robust synchronization within distributed systems. Zookeeper keeps track of the status of the Kafka cluster nodes, Kafka topics, partitions, etc. Since maintaining coordination services is always difficult as they are most likely to fall in race conditions and deadlock. The motivation behind ZooKeeper is to relieve distributed applications of the responsibility of implementing coordination services from scratch. The service itself is distributed and highly reliable. Let’s see how Zookeeper is helping Kafka: - Kafka Brokers’ state & quotas: Zookeeper determines the state. That means, it notices, if the Kafka Broker is alive, always when it regularly sends heartbeats requests. Also, while the Broker is the constraint to handle replication, it must be able to follow replication needs. It also keeps track of how much data is each client allowed to read and write. -. - Cluster membership: Zookeeper also maintains a list of all the brokers that are functioning at any given moment and are a part of the cluster. - Controller Election: The controller is one of the most important broking entities in a Kafka ecosystem, and it also has the responsibility to maintain the leader-follower relationship across all the partitions. If a node for some reason is shutting down, it’s the controller’s responsibility to tell all the replicas to act as partition leaders in order to fulfil. - Consumer Offsets and Registry: ZooKeeper keeps all information about how many messages Kafka consumer consumes. Consumers in Kafka also have their own registry as in the case of Kafka Brokers. However, the same rules apply to it, ie. as ephemeral zNode, it’s destroyed once the consumer goes down and the registration process is made automatically by the consumer. Even though Zookeeper provides numerous benefits to Kafka, Kafka is planning to work independently. For the latest version (2.4.1) ZooKeeper is still required for running Kafka, but in the near future, ZooKeeper dependency will be removed from Apache Kafka. See the high-level discussion in KIP-500: Replace ZooKeeper with a Self-Managed Metadata Quorum. These efforts will take a few Kafka releases and additional KIPs. Kafka Controllers will take over the tasks of current ZooKeeper tasks. The Controllers will leverage the benefits of the Event Log which is a core concept of Kafka. Some benefits of the new Kafka architecture are a simpler architecture, ease of operations, and better scalability (e.g. allow “unlimited partitions”). References: 1 thought on “Apache Zookeeper: Does Kafka need it?5 min read”
https://blog.knoldus.com/apache-zookeeper-does-kafka-need-it/
CC-MAIN-2020-40
refinedweb
760
56.15
How to Set Up A Git Repository within GitLab Efficiency is key to a good DevOps strategy, and GitLab was designed with efficiency in mind. GitLab is an open source project that was created to bring the entire DevOps software development life cycle into a single, unified platform. Without a tool like GitLab, your team will need to spread their work across many different applications, resulting in unnecessary overhead for integration, management, and configuration. All of this overhead slows your team down, making them less productive and less agile. In addition to the increased productivity of a singular platform for DevOps, GitLab makes it possible for the entire team to work remotely just as smoothly as if they were working in person. Today, we’re going to tell you how you can begin to take advantage of this popular tool, by starting at the beginning: setting up a Git repository. But first, let’s get some frequently asked questions out of the way so that everyone is on the same page when we get into the details. If you already understand the basics, feel free to skip to the section on how to set up a repository in GitLab. What is a Git Repository? To understand the process of setting up a repository, we must first define what a repository is. Many people who are new to version control systems confuse the terms ‘repository’ and ‘project.’ These are actually similar, but ultimately different, terms. Your project is the actual software application that you’re working on. It’s the code and resources needed to make the application work. A repository is a copy of those resources. It could be a local repository, that individual developers are working on, or it could be the remote repository, that contains the merged work of all developers. Repositories are a central component in how version control works. Each developer works on their own local copy of a repository and can make change without effecting the master branch that is stored remotely. When the developer is finished with their work, they can send, or ‘push,’ their changes to the master branch, where the maintainer of the project can check for conflicts and approve the changes. This allows many developers to all work on the same project without ever stepping on each other’s toes or overwriting each other’s changes. You can even create separate branches within the remote repository to help keep things further separated and make maintaining the project easier. What Is the Difference Between GitLab and GitHub? When people think of version control, particularly version control using Git, they almost immediately think of GitHub. The brand is a huge name in version control and is far and way the most popular choice for hosing Git repositories. So what is the difference between GitHub and GitLab, and what makes GitLab a better choice for your DevOps team? As their name suggests, the Git repository is a central feature of both GitHub and GitLab. The similarities largely stop there, however. GitHub will allow you to host your remote repositories, allow developers to work on their own local repositories, and will provide you with a way of tracking issues that need to be resolved in the code or creating simple documentation. The site’s feature set stops there. Unlike GitLab, GitHub is not meant to be a one-stop platform for the entirety of your DevOps needs. In addition to giving you important tools for enterprise use, such as assigning different permission levels to different roles, GitLab has many features tailored to a DevOps environment. The software has built-in support for Continuous Integration/Delivery, whereas GitHub requires you to use a third-party provider. GitLab also allows you to easily import or export projects to and from other version control platforms and track the time that was spent on an issue or merge request to make project management easier. How to Set up a Local Repository for GitLab Those of you familiar with Git will likely already know that there are two ways to create a new repository. You can push your code to a Git repository from an existing code base, or you can clone an existing repository into your own version of it, called a fork. Because GitLab is a full stack solution for your DevOps needs, it also offers a third way to create a new repository: by creating a new project right from within GitLab. When you do this, a repository is automatically created for you. In the sections below, we’ll take you step-by-step through the exact process used for each of these methods. But first, you’ll need to create a new project, which is the first step to create a repository with any of the below methods. This is a simple 2-step process. - Go to your dashboard and look for the green button labeled “New Project.” Alternatively, you can use the plus icon in the navigation bar. Either one of these buttons will open the “New Project” page. - From the “New Project” page, you’ll be given the option to create a blank project, create a project from templates, import a project from a different repository, or run CI/CD pipelines for external repositories. See the sections below for further information on the specifics of each of these. Creating a New Repository within GitLab As already mentioned, repositories are created by default when you create a new project in GitLab. This is because version control is one of the core features of the software. By default, a local repository is created, though it’s an easy process to connect this local repository to a remote one to enable your whole team to work remotely and benefit from the fact that remote repositories serve as a backup to your important data. Let’s look at the steps involved in creating a new project in GitLab. Blank projects - Select “Blank Project” from the “New Project” page. - Enter the name of your project in the “Project Name” field. Special characters aren’t allowed, but anything else is fair game. - GitLab uses a project slug as the main URL path to your project. When you enter the project name, this “Project Slug” field will auto populate. If you don’t like the automatically chosen slug, you can change it manually. - Entering a project description will help others understand what your project is about. This field isn’t required, but it is recommended to make project management easier. You can enter a description for your project in the “Project Description” field. - Set the viewing and access rights for users in the “Visibility Level” section. This is where you decide which users will have access to which features. This is one of the distinguishing features between GitLab and more basic Git hosting services such as GitHub. - Check the “Initialize repository with a README” option. This is an optional selection, but is recommended because doing so will put an initial file in the repository, create a default branch for it, and initialize the repository. - Click on “Create Project” to finish the process. Template-based projects There are two types of templates available in GitLab: those that are built-in to the software and created by the GitLab team, and those they are created custom by administrators and users. Because the process for using both is similar, we’ll describe them together. - From the “New Project” page, select the “Create from template” tab. - If you want to use a built-in template, choose the “Built-in” tab from the page that opens. If you want to use a custom template, you can find them in the “Instance” or “Group” tab, depending on where the template resides. - After selecting the type of template you want to use, you’ll be presented with a list of the available templates. Find a template that interests you and click on the “Preview” button to get a look at the template source. - Once you’ve found the template that you want to use for your project, click on the “Use Template” button to begin creating a project based on that template. - Now you must enter the details of the project. Everything from here on is exactly the same as the steps for creating a blank project, detailed in the section above. Creating a Repository from an Existing Project When you first adopt GitLab, you’ll likely already have projects in the works. Thankfully, you can add these projects to the software very easily. Doing so involved pushing the project to a new Git repository, and then importing that repository to GitLab. After this one time set up procedure, you’ll have the full power of GitLab at your disposal while working on the project. The steps to perform this operation are listed below. The first step is to push the project to Git. In order for this to work, you need to have access rights to the associated GitLab namespace. If you do, then GitLab will automatically create a new project under that namespace and set its visibility to private. Of course, you’ll be able to change the project’s visibility and the user access rights later in the project’s settings if you’d like. The commands to push to Git along with the GitLab namespace can be given using SSH or HTTPS. ## Git push using SSH git push –set-upstream git@gitlab.example.com:namespace/nonexistent-project.git master ## Git push using HTTPS git push –set-upstream master Be sure that you change the text in those template commands to match your actual project information. You’ll need the address of the Git server, the Git namespace associated with the project, and the name of the project. If the project is successfully pushed, you’ll be given a remote message indicated that the project with the name you gave it was created using the namespace you gave. Cloning an Existing Repository If you’re already using a Git solution when you adopt GitLab, you’ll already have a repository waiting to be pulled into the system. You may also find the need to fork someone else’s code and use it as a starting point of your own. Regardless of where this existing repository comes form, getting it up and running in GitLab is easy. Let’s go over the steps for cloning an existing Git repository. Like creating a project from scratch, this is a simple two-step process. - To fork a project on GitLab, you need to have permission to view it. Assuming that you do, you can navigate to the project’s home page and click on the “Fork” button in the top right corner. - Next, you’ll be shown a list of namespaces that you can fork to. You must have Developer or higher permissions for a namespace before you will be allowed to fork to it. After the fork is created, whichever permissions you have in the namespace are what you’ll have in the fork. Once the project is forked, you can use repository mirroring feature of GitLab to keep it in sync with the upstream version automatically. Alternatively, you can choose to do it manually using the Git command line functions if you are comfortable doing so. Conclusion GitLab is designed to make DevOps easier for developers, and that extends to the creation of repositories. As you’ve learned, the software makes it easy to create a repository no matter what the origin of the project is. But setting up your repository in GitLab is just the first step to using this great tool. By learning all of GitLab’s tools for continuous development and project management, your DevOps team work more cohesively and complete projects faster. We hope you’ve found this post informative and easy to follow along with, but there’s a lot more to learn. To take a closer look at how to use the tools that will make your DevOps operation run more smoothly, be sure to check out the other posts in this blog. We also produce a lot of great courses that go into far more depth than these blogs can. Our courses cover a wide variety of topics surrounding DevOps tools and management. To find out more about how Cprime can help your business navigate a changing technological landscape, please feel free to contact us today.
https://cprime.medium.com/how-to-set-up-a-git-repository-within-gitlab-80d1aea4f0ea?responsesOpen=true&source=user_profile---------8-------------------------------
CC-MAIN-2022-05
refinedweb
2,077
61.16
14746/attributeerror-module-object-has-no-attribute-serial I have a Raspberry Pi running on Debian, and I've been trying to access one of its serial ports with a python script, where I try to import pySerial like this: import serial ser = serial.Serial('/dev/ttyAMA0', 9600) ser.write("hello world!") But I still can't establish the serial connection as executing the script just throws the following error: AttributeError: 'module' object has no attribute 'Serial' And what is weirder is that it used to work earlier and now it doesn't even work in the interactive Python interpreter. I've tried reinstalling the pySerial again and even rewritten the code multiple times to ensure that it's correct but had no luck yet. Can anybody please tell me where I could be going wrong? Or, just point me in right direction? Please help. TIA! I see where the problem is. I faced the same issue while trying to import modules myself. While it does work in some cases, it just won't in others. But anyways, what I essentially learned is that since it is the entire module you're trying to import and not just a class, you'll need to write: from serial import serial Hey, @karan, Will you check, have you created a file called serial.py at any point and put it in an import location. You can work on this choice:- In the ...READ MORE This is possible. I have been able ...READ MORE Well, I think there are some \r ...READ MORE You are missing a few \r\n and the length ...READ MORE Something like a ModBerry might just be ...READ MORE suppose you have a string with a ...READ MORE You can also use the random library's ...READ MORE Syntax : list. count(value) Code: colors = ['red', 'green', ...READ MORE can you give an example using a ...READ MORE Hey, just use any 'supported' USB-to-Serial adapter ...READ MORE OR Already have an account? Sign in.
https://www.edureka.co/community/14746/attributeerror-module-object-has-no-attribute-serial?show=14747
CC-MAIN-2020-24
refinedweb
337
75.2
The. There is an optional SecondaryNameNode that can be hosted on a separate machine. It only creates checkpoints of the namespace by merging the edits file into the fsimage file and does not provide any real redundancy. Hadoop 0.21+ has a BackupNameNode that is part of a plan to have an HA name service, but it needs active contributions from the people who want it (i.e. you) to make it Highly Available. It is essential to look after the NameNode. Here are some recommendations from production use - Use a good server with lots of RAM. The more RAM you have, the bigger the file system, or the smaller the block size. - Use ECC RAM. On Java6u15 or later, run the server VM with compressed pointers -XX:+UseCompressedOops to cut the JVM heap size down. - List more than one name node directory in the configuration, so that multiple copies of the file system meta-data will be stored. As long as the directories are on separate disks, a single disk failure will not corrupt the meta-data. Configure the NameNode to store one set of transaction logs on a separate disk from the image. Configure the NameNode to store another set of transaction logs to a network mounted disk. Monitor the disk space available to the NameNode. If free space is getting low, add more storage. Do not host DataNode, JobTracker or TaskTracker services on the same system. If a NameNode does not start up, look at the TroubleShooting page.
http://wiki.apache.org/hadoop/NameNode?highlight=BackupNameNode
CC-MAIN-2013-20
refinedweb
251
65.22
matplotlib => mp.use('Agg') Hi all, I've been using the command mp.use('Agg') with matplotlib to prevent Repl to create an interactive box (I only want to have the graphs saved in the "files" directly). However since the last update I get this message when I run my Repl: "Matplotlib created a temporary config/cache directory at /tmp/matplotlib-8gfs3tr." I don't really get it. Could someone give me a tip on how to solve this ? I would be more than happy to "set the MPLCONFIGDIR environment variable to a writable directory" but which directory is writable ? And how can I ask matplotlib to write there ? @BenjaminPS Adding this: import os os.environ['MPLCONFIGDIR'] = os.getcwd() + "/configs/" before import matplotlib works for me Create a .envfile. Inside put: and then turn [your folder here]to whatever Thanks @Coder100 but this Repl I created is a tool used by others. However .env files cannot be accessed by other users. Will it still work ? nope @BenjaminPS how unfortunate... please do report this to feedback suggesting an env.envwhich is public to others and are used to set some environment variables that are not sensitive. Anyways, overall, it should not be a big deal, it is just a warning on performance (which I doubt you will notice) @BenjaminPS @Coder100 if it's a performance warning I'm happy to ignore it. Is there a way to skip this warning ? I tried warnings.filterwarnings("ignore", category=Warning)it did not work epic i found something for you! click @BenjaminPS This worked like a charm \o/ Thanks a lot @Coder100 yay!! np :) @BenjaminPS @Coder100 @BenjaminPS I tried this but still can't get things to work. Would appreciate a code block and instructions on the exact file directory to generate. I have matplotlib package installed already. Thanks in advance! My repl: Hi @acal1 Write: as first lines of the code. Create an .env file (this is only accessibe by the owner of the REPL) and write: inside. This should make it work.
https://replit.com/talk/ask/matplotlib-greater-mpuseAgg/53604
CC-MAIN-2021-39
refinedweb
340
67.96
[OmniFaces utilities] The close()method check if the given resource is not nulland then close it, whereby any caught IOExceptionis been returned instead of thrown, so that the caller can if necessary handle (log) or just ignore it without the need to put another try-catch. Method: import org.omnifaces.util.Utils; import java.io.IOException; ... IOException close = Utils.close(closeable_resource); The closeable_resource is the Closeable resource to be closed. If you are using the Java 7 try-with-resources then closeable resources are automatically closed at the end of the statement. But, this method can be used to "force" the close operation before the end. Niciun comentariu : Trimiteți un comentariu
http://omnifaces-fans.blogspot.com/2015/05/omnifaces-utilities-20-close-closeable.html
CC-MAIN-2019-13
refinedweb
111
58.79
Hi I have posted the very same question @StackOverflow. It seems that using custom (simple) JNDI code I can not locate EJB references that according to the server are properly deployed. My lookup code works only using the ejblocal Websphere name space but when I try to use the EJB 3.1 portable JNDI features I fail InitialContext c = new InitialContext(); //works - but it is Websphere specific c.lookup("ejblocal:com.MyService"); //DOES NOT WORK - c.lookup("java:global/myAppEar/myModuleJar/MyServiceImpl!com.MyService"); //DOES NOT WORK c.lookup("java:module/MyServiceImpl!com.MyService"); //DOES NOT WORK c.lookup("java:module/MyServiceImpl"); MyService (plain java interface) @Local(MyService.class) MyServiceImpl implements MyService in the server logs I can see that the server is reporting that is binding the ejbs either on its ejblocal space or in java:global . I could find a related bug on Websphere 8.0 but I suppose according to their documentation, it is resolved in version 8.5.5. My application is packaged as an EAR with different ejb-modules, that are properly defined in the application.xml. As already elaborated the server during app start, reports that is binding my session beans [4/7/2013 9:19:59:099 EEST] 00000036 AbstractEJBRu I CNTR0167I: The server is binding the comXXXXX.CyberReceiptService interface of the CyberReceiptServiceImpl enterprise bean in the xxxx-main.jar module of the xxxxxxEAR application. The binding location is: java:global/xxxxxEAR/xxxx-main/CyberReceiptServiceImpl!com.xxxxx.CyberReceiptService Do i need to specify something during the initial context object creating, do I need to go through some specific websphere configuration or is it a bug? Thanks Answer by bkail (487) | Jul 04, 2013 at 12:51 PM The java:global lookup looks like the module name is wrong: the CNTR0167I says "xxxx-main", but the lookup string says "myModuleJar". Does the lookup string match the CNTR0167I string exactly? What code is attempting to perform the java:module lookup? If it's a servlet, then java:module lookup won't work unless the EJB is included in the WAR itself, and based on the CNTR0167I, the EJB is in an EJB .jar file rather than a .war. Answer by javapapo (1) | Jul 04, 2013 at 12:57 PM Hello many thanks for the reply. Thanks again. Answer by bkail (487) | Jul 04, 2013 at 01:01 PM Can you attach the full exception message and stack trace? Those might give a clue to the cause of the problem. Have you tried printing the values of java:app/AppName and java:module/ModuleName? Those might also give a clue to the context of your calling code. For lookups within the context of the same application as the EJB (but not necessarily within that EJB module), java:app is the best choice, but if java:global lookups aren't working, there is a more fundamental problem. Answer by javapapo (1) | Jul 04, 2013 at 01:08 PM Hi, thanks again! I am actually getting a NamingException when i try to look up using either java:global. or java:module. The weird thing is that the server during startup reports that is binding on java:global. 1. I am wondering if InitialContext x = new InitialContext() ; (no config here) is not as I am expecting, loaded with server state that is not related with my app. When i performed an small experiment InitialContext x = new InitialContext() ; x.list(""); I got a list of starting binding points but none was java:xxxx, so I got a com jdbc env ejb ..... So I wondering if my initialContext is not the right one, up until now I have not managed to find out why, reading through the WAS documentation. What I am really trying to do is, eventually replicate the BeanLocator Pattern as defined from Adam Bien here simple enough. Thanks Context.list() is somewhat like listing a directory. When you do new File("C:"), you will get a list like ["Program Files", "Windows", ...], not a list like ["C:\Program Files", "C:\Windows"]. Similarly for list() of "java:app", you'll get a list of subcontext names, not a list of absolute "java:app/xxx" names. Answer by bkail (487) | Jul 04, 2013 at 01:41 PM Can you include the full message and stack trace of that NamingException? new InitialContext().list("") will list the default JNDI namespace. The "java:" prefix indicates a separate JNDI namespace, so none of those entries will be shown. You could try new InitialContext().list("java:"), but I've never tested it, so I don't know if it works. Answer by javapapo (1) | Sep 26, 2013 at 06:13 AM still confused :) Hi javapapo, it's an old post, but how did you manage to resolve this problem? I think I have a similar case Thanks in advance. 1 person is following this question. Looking up portable JNDI resource with java:global scope in a WebSphere Application Server 8.5.0.0 1 Answer Automating Setup of WLP Cluster 2 Answers Does local WAS work with couchdb 1.4.2(latest)? 5 Answers Define a custom URL based javax.naming.Context for my app in liberty 2 Answers Why is JNDI lookup of Object failing with new Liberty version 1 Answer
https://developer.ibm.com/answers/questions/6488/websphere-8-5-5-does-not-resolve-bind-to-java-module-java-global-or-java-app/
CC-MAIN-2019-30
refinedweb
876
56.25
It looks like you're new here. If you want to get involved, click one of these buttons! I would like to have some way of tracing an ASP.NET application in production that is no longer in debug mode. I suppose I can try with some sort of pop-up windows, but, before I give that a try, I want to try to implement some way of the code writing out content on the server into a log file. The code that I have inherited from a developer that is no longer with us, has an existing class that seems to be designed for this purpose: public class DebugTextWriter : System.IO.TextWriter { public override void Write(char[] buffer, int index, int count) { HttpContext.Current.Response.Write("" + new String(buffer, index, count) + ""); } public override void Write(string value) { HttpContext.Current.Response.Write("<textarea>" + value + "</textarea>"); } public override Encoding Encoding { get { return System.Text.Encoding.Default; } } } This does not seem to do much of anything to me. Where is the code written to? When I look at the bit of code that implements this class, I do not see a file referenced: Applications.DebugTextWriter dbgTextwriter = new DebugTextWriter(); dbgTextwriter.Wriet("some message") ; Any suggestions? Where would the output log file be if one is not specified?
http://programmersheaven.com/discussion/434260/loging-output-to-a-file-on-the-server-side
CC-MAIN-2014-35
refinedweb
214
58.38
This simple kernel sends a ball bouncing around on the screen. Turn it into your own Pong, Breakout, or Tank clone. To run this way, Threads are usually used to allow more than one thing to be going on at a time in a Java program. We've looked at a simple way of using threads before, the Timer class. Here's a really, really simple video game kernel. It has all the basic elements of a video game. /* A simple video game style kernel by Mark Graybill, August 2010 Uses the Timer Class to move a ball on a playfield. */ // Import Timer and other useful stuff: import java.util.*; // Import the basic graphics classes. import java.awt.*; import javax.swing.*; public class VGKernel extends JPanel{ // Set up the objects and variables we'll want. that initializes things: public VGKernel(){ super(); screen = new Rectangle(0, 0, 600, 400); ball = new Rectangle(0, 0, 20, 20); bounds = new Rectangle(0, 0, 600, 400); // Give some starter with this as a method. if (right) ball.x+=ball.width; // If right is true, move ball right, else ball.x-=ball.width; // otherwise move left. if (down) ball.y+=ball.height; // Same for up/down. else ball.y-=ball.width;; } } public static void main(String arg[]){ java.util.Timer vgTimer = new java.util.Timer(); // Create a Timer. VGKernel panel = new VGKernel(); // Create and instance of our kernel. // Set the intial ball movement direction. panel.down = true; panel.right = true; // Set up our JFRame, 100); } } This example can be expanded with methods to get control inputs, additional players on the playfield (like paddles), and logic to determine when someone scores. The code here is far from perfect, but I've made some compromises to make things as simple as I could while still showing a full working example. Not that any code that runs and does what is supposed to is really bad, but there are other, better ways of doing this. But this works and is fairly easy to understand. What the program does is create a JPanel that has an inner class (a class defined within itself) of VGTimerTask. The VGTimerTask is a kind of TimerTask, which can be scheduled to occur on a regular basis by a Timer. Since VGTimerTask is an inner class of VGPanel, it has access to all the members of VGPanel. This is critical. Without that, it wouldn't be able to access the ball and redraw the screen easily (it can still be done, but in a more complex way.) Timer is a decent way of running a simple game, but more complex games should use some other timing mechanism. java.util.Timer is affected by a number of outside events, so to get smoother, more reliable timing you a timer like the one in the Java3D package would work better. A Simple Improvement There are many ways of improving on this basic example. One way that is very simple is to smooth the animation. The movement of the ball is pretty jerky. This is caused by both the distance that the ball moves each "turn", and by the time between screen updates. We can smooth out the animation by addressing both of these. First, let's change moveBall() to shift the ball a smaller distance each time: public void moveBall(){ // Ball should really be its own class with this as a method. if (right) ball.x+=ball.width/4; // If right is true, move ball right, else ball.x-=ball.width/4; // otherwise move left. if (down) ball.y+=ball.height/4; // Same for up/down. else ball.y-=ball.width/4;; } }Now the ball is being moved only one quarter of its size each turn. Next, change the Timer schedule to draw the screen every 20 milliseconds instead of every 100 milliseconds: // Set up a timer to do the vgTask regularly. vgTimer.schedule(panel.vgTask, 0, 20); Now you have a ball that moves a lot smoother. I'll be expanding on this basic kernel and improving it in future articles, starting with Java Video game Programming: Game Logic
http://beginwithjava.blogspot.com/2010/08/simple-java-video-game-kernel.html
CC-MAIN-2018-39
refinedweb
684
75.1
- Transform objects and the Identity transform - Methods of the Transform object Matrix transformations in RoboFab and FontParts are done with the help of the matrix module from FontTools. RContour, RPoint, bPoint, RGlyph all have transform() methods which accept a matrix object. Transform objects and the Identity transform)) 1.57079632679 180.0 Example import math from fontTools.misc.transform import Identity m = Identity print(m) m = m.rotate(math.radians(20)) print(m) m = tuple(m) g = CurrentGlyph() g.transformBy(m) <Transform [1 0 0 1 0 0]> <Transform [0.939693 0.34202 -0.34202 0.939693 0 0]> Methods of the Transform object See the source code of fontTools.misc.transform for detailed descriptions and examples. - reverseTransform() - Return a new transformation, which is the other transformation transformed by self. self.reverseTransform(other)is equivalent to other.transform(self). - rotate(angle) - Return a new transformation, rotated by angle(in radians). - skew(x, y) - Return a new transformation, skewed by xand y(in radians). - scale(x=1, y=None) - Return a new transformation, scaled by xand y. The yargument may be None, which implies to use the xvalue for yas well. - toPS() - Return a string with the values of the transform written out in the PostScript manner: [1 0 0 1 0 0]. - transform(other) - Return a new transformation, transformed by another transformation. - inverse() - Return the inverse transformation. - transformPoint((x, y)) - Transform a point, i.e. apply the transformation to the point. - transformPoints(points) - Transform a list of points. Adapted from the RoboFab documentation.
https://doc.robofont.com/documentation/topics/transformations/
CC-MAIN-2021-39
refinedweb
252
52.97
Hide Forgot Description of problem: I don't know how this happens, or if it's consistently reproducable. gnome-session also crashed (I guess this caused that, rather than the other way around?). I'll upload the details of that from abrt too, in case that's useful. When that creates a new bug, I'll link it here. Version-Release number of selected component: xorg-x11-server-Xorg-1.19.0-0.2.20160929.fc25 Additional info:: 2862 kernel: 4.8.0-0.rc8.git0.1.fc25.x86_64 pkg_fingerprint: 4089 D8F2 FDB1 9C98 pkg_vendor: Fedora Project runlevel: N 5 type: CCpp uid: 1000 Truncated backtrace: Thread no. 1 (10 frames) #0 sna_set_cursor_position at sna_display.c:6163 #1 xf86MoveCursor at xf86HWCurs.c:277 #2 miPointerMoveNoEvent at mipointer.c:567 #3 miPointerSetPosition at mipointer.c:669 #4 positionSprite at getevents.c:984 #6 fill_pointer_events at getevents.c:1454 #7 GetPointerEvents at getevents.c:1711 #8 QueuePointerEvents at getevents.c:1310 #9 xf86PostMotionEventM at xf86Xinput.c:1256 #10 xf86libinput_handle_motion at xf86libinput.c:1214 Created attachment 1210026 [details] File: backtrace Created attachment 1210027 [details] File: cgroup Created attachment 1210028 [details] File: core_backtrace Created attachment 1210029 [details] File: dso_list Created attachment 1210030 [details] File: environ Created attachment 1210031 [details] File: exploitable Created attachment 1210032 [details] File: limits Created attachment 1210033 [details] File: maps Created attachment 1210034 [details] File: mountinfo Created attachment 1210035 [details] File: namespaces Created attachment 1210036 [details] File: open_fds Created attachment 1210037 [details] File: proc_pid_status Created attachment 1210038 [details] File: var_log_messages Similar problem has been detected: The crash happens multiple times per day, unable to pin down what triggers it. Might have to do with firefox, but that is a hunch. reporter: libreport-2.8.0 backtrace_rating: 4 cmdline: /usr/libexec/Xorg -background none :0 -seat seat0 -auth /var/run/lightdm/root/:0 -nolisten tcp vt1 -novtswitch crash_function: sna_set_cursor_position executable: /usr/libexec/Xorg global_pid: 23902 kernel: 4.8.3-300.fc25.x86_64 package: xorg-x11-server-Xorg-1.19.0-0.2.20160929.fc25 pkg_fingerprint: 4089 D8F2 FDB1 9C98 pkg_vendor: Fedora Project reason: Xorg killed by SIGSEGV runlevel: N 5 type: CCpp uid: 0 Is there any way in which I can assist fixing this bug? My Xorg crashes multiple times per day (last three hours seven times) on a very unpredictable manner. encountered this again today (again in conjunction with bug 1384508). You can probably discern this from one of the attachments I uploaded on one of the bugs from abrt, but I *think* this happens when firefox has focus, and I'm moving the mouse pointer. I'm not sure if that info helps or not. I'll try the change that Hans suggests in comment #16, and see if it's more stable for me. Similar problem has been detected: Thinkpad Yoga S1: Was working in Xournal, with the wacom stylus, in tablet mode, screen rotated left.: 19721 kernel: 4.8.8-300.fc25.x86_64 package: xorg-x11-server-Xorg-1.19.0-1.fc25 pkg_fingerprint: 4089 D8F2 FDB1 9C98 pkg_vendor: Fedora Project reason: Xorg killed by SIGSEGV runlevel: N 5 type: CCpp uid: 1000 I also hit this today. :-( (In reply to Brian J. Murrell from comment #19) > I also hit this today. :-( Could be a an "intel" driver bug, have you tried using the modesetting driver as suggested by Hans in comment 16 ? I use the modesetting driver since then indied. It is stable, but have alot of artifacts/flickering on my screens. It also is significant slower than the intel driver, uses more power on my laptop. Thinking of recent fixes upstream such as or Moving to xorg-x11-drv-intel, considering the crash doesn't occur with the modesettings driver (comment 21), then I reckon it's a bug in xorg-x11-drv-intel.: [*] Note: Being a scratch build, it will automatically removed after some time. Also running into this myself after upgrading to fc25 from fc24; using XFCE on a Lenovo T440s laptop. Happens several times a day now. I'll give the above package a shot, thank you. (In reply to Olivier Fourdan from comment #23) > > I've prepared a *scratch* build [1] of a *test* package of > xorg-x11-drv-intel which includes a couple of fixes from current git master Didn't crashed for with this yet, looks fine here. (In reply to Olivier Fourdan from comment #23) > >: > > Why does it bring in a bunch of 32-bit packages? $ sudo dnf install xorg-x11-drv-intel-2.99.917-26.20160929.1test.fc25.x86_64.rpm Last metadata expiration check: 1:14:30 ago on Sat Dec 3 12:45:57 2016. Dependencies resolved. ================================================================================ Package Arch Version Repository Size ================================================================================ Installing: libXvMC i686 1.0.10-1.fc25 fedora 26 k xcb-util i686 0.4.0-5.fc24 fedora 20 k xorg-x11-drv-intel i686 2.99.917-26.20160929.fc25 fedora 713 k Upgrading: xorg-x11-drv-intel x86_64 2.99.917-26.20160929.1test.fc25 @commandline 692 k Transaction Summary ================================================================================ Install 3 Packages Upgrade 1 Package Total size: 1.4 M Total download size: 760 k Is this ok [y/N]: (In reply to Brian J. Murrell from comment #26) > > Why does it bring in a bunch of 32-bit packages? That is just dnf being silly, you likely have something else installed depending on the exact version of xorg-x11-drv-intel you've installed (likely xorg-x11-drv-intel-devel or intel-gpu-tools) and dnf decides that it can both satisfy that exact versioned dependency and install the newer x86_64 xorg-x11-drv-intel, by installing the (old) i686 version to keep the exact versioned dependency satisfied. Note this is not a dnf bug, dnf is just following dependencies and making sure they are satisfied, but the result is somewhat unexpected. Ran this for a short time. Had one crash, and two full freezes in an hour. Sorry to report. There was nothing in the system logs about the freeze, had to reboot hard. Still crashing here as well, whether or I use XFCE or Cinnamon, using those beta packages. Ditto to having a crash after installing the scratch build intel driver. *** Bug 1404269 has been marked as a duplicate of this bug. *** I experienced this crash twice within roughly an hour after I updated to the xorg-x11-drv-libinput-0.23.0-1.fc25,. I don't remember experiencing this crash before. I found this in the journal, IMO this (comm="InputThread") hints at input playing a role in the crash: Dec 14 11:51:22 gibraltar audit[7003]: ANOM_ABEND auid=1000 uid=1000 gid=1000 ses=7 subj=unconfined_u:unconfined_r:xserver_t:s0-s0:c0.c1023 pid=7003 comm="InputThread" exe="/usr/libexec/Xorg" sig=11 Nils, can I have a the full back trace from the journal please, thanks. Peter, it seems there isn't a backtrace for Xorg in the journal, here's what I get in the journal that pertains directly to Xorg and not one of the other desktop processes that died out of solidarity: Dec 14 10:58:26 gibraltar audit[3112]: ANOM_ABEND auid=1000 uid=1000 gid=1000 ses=2 subj=unconfined_u:unconfined_r:xserver_t:s0-s0:c0.c1023 pid=3112 comm="InputThread" exe="/usr/libexec/Xorg" sig=11 Dec 14 10:58:26 gibraltar abrt-hook-ccpp[6445]: Process 3092 (Xorg) of user 1000 killed by SIGSEGV - dumping core I've created a backtrace from the coredump file which abrt thankfully saved and will attach it. Created attachment 1232315 [details] Backtrace of Xorg (In reply to Nils Philippsen from comment #35) > Peter, it seems there isn't a backtrace for Xorg in the journal, here's what > I get in the journal that pertains directly to Xorg and not one of the other > desktop processes that died out of solidarity It might be because coredumpctl doesn't work in Fedora >=24 unless you downgrade SELinux from enforcing. Maybe that's what Peter did and expected the crash to show up in the journal.. (In reply to Nils Philippsen from comment #38) >. Downgrade *to* 0.22.0-3.fc25? That's the one I have now that appears to be causing me so much grief.. I see 0.23.0-1.fc25 is available, but I haven't yet installed it. (In reply to Hans de Goede from comment #16) > have the same issue, unfortunately modesetting driver driver isn't stable in my case, with it windows flicker crazily making system unusable (the same issues with Wayland witch uses modesetting). I use thinkpad t440s in dock with 2 external display-port attached displays (total 3 displays including laptop's panel). HW config: i7-4600U/12Gb RAM/ 00:02.0 0300: 8086:0a16 (rev 0b) (prog-if 00 [VGA controller]) Subsystem: 17aa:220c Flags: bus master, fast devsel, latency 0, IRQ 46 Memory at e0000000 (64-bit, non-prefetchable) [size=4 Meanwhile it crashed in a similar fashion with xorg-x11-drv-libinput-0.22.0-3.fc25.x86_64, too. I'm trying out Wayland again and so far it looks good to me (but nothing that helps debugging this issue obviously). fwiw, I doubt this is a bug in a specific xorg-x11-drv-libinput version as such, you're most likely running into a race condition between the input thread and the main thread. Adding Chris to CC as he's been the last to touch sna->cursor upstream so he could look at backtrace in comment 36. Same as Nils in comment 35, I see this in my journal when Xorg crashes: Dec 22 15:38:53 pnickerson-fedora-t450s audit[7387]: ANOM_ABEND auid=1000 uid=1000 gid=1000 ses=532 subj=unconfined_u:unconfined_r:xserver_t:s0-s0:c0.c1023 pid=7387 comm="InputThread" exe="/usr/libexec/Xorg" sig=11 Dec 22 15:38:53 pnickerson-fedora-t450s abrt-hook-ccpp[23892]: Process 7378 (Xorg) of user 1000 killed by SIGSEGV - dumping core I have noticed that Xorg only crashes when I have my Lenovo ThinkPad T450s laptop at work, in its dock (ThinkPad Pro Dock), connected to two external monitors (one connected to dock, the other connected to laptop). And, I have my Logitech M325 mouse at work. I *think* that the Xorg crash only happens while I'm moving my mouse, but I'm not positive. I do keep the mouse receiver plugged in to USB all the time, even away from the office. I have a Lenovo ThinkPad T440s and am experiencing this crash only when it is connected to the dock. I have two monitors connected to the dock, and am using a wired mouse and keyboard, which are connected to the dock. The crashes seem very random to me, but only when during active use, it never crashed while the computer was idling. Created attachment 1234896 [details] Backtrace from my Xorg crash Using gnome-abrt, I got the problem's data directory. In there, I ran the command below, ran the dnf commands it recommended, and ran it again. gdb $(cat executable) -c coredump On the gdm prompt, I ran all of these, to make sure all the info desired is captured. (gdb) bt (gdb) bt full (gdb) info threads (gdb) thread apply all bt (gdb) thread apply all bt full Expanding on Paul's and Gabriel's comments, my laptop is a Thinkpad T540p, I saw the crashes when it's connected to the dock which has two displays (one DVI, one DisplayPort) and one USB mouse attached. I seem to recall that they also happened when I used the mouse, but like Paul I'm not 100% sure on that. it looks like adding Option "AccelMethod" "uxa" to intel card config makes crashes go away but makes Chrome browser painfully slow. Anyway it suggests that bug is in intel's driver SNA backend. Olivier, could you respin scratch build mentioned in comment 23 so it would be possible to try it out again and see where patched version would crash. I'm seeing this with i3 on a Lattitude e7450, also observed only when docked - although I don't use it undocked enough to confidently attribute the issue to the dock. Xorg.0.log exits silently, there's nothing indicative of a crash after each event. Uploads sent, open to testing. To be clear this bug has absolutely nothing to do with docking. My desktop PC is not even a laptop and therefore not even dockable and I see this at least once a day. I'm also seeing this issue. - Thinkpad T440s - Xorg + Intel graphics - xorg-x11-drv-intel-2.99.917-26.20160929.fc25.x86_64 - Fedora 25 - 4.8.15-300.fc25.x86_64 Like many of the others I'm running a dock with multiple monitors. - 1 - Laptop screen 1080p - 2 - Samsung HDMI - 1200p - 3 - Samsung DVI - 1200p rotated 90 degrees I don't have this occur at home with my laptop directly connected to a 1200p monitor over VGA. I haven't had this happen in quite a while now, but just noticing that Steven experiences it with a rotated monitor as part of his configuration, like me (although, different machine, different monitor, more monitors -- so there are more differences than similarities in our cases) (In reply to Steven Ellis from comment #51) > <snip> > - 3 - Samsung DVI - 1200p rotated 90 degrees (In reply to Brian J. Murrell from comment #50) > To be clear this bug has absolutely nothing to do with docking. My desktop > PC is not even a laptop and therefore not even dockable and I see this at > least once a day. Do you have a rotated display? It might not be the dock, but I do see it regularly with my rotated display setup. (In reply to Debarshi Ray from comment #53) > > Do you have a rotated display? It might not be the dock, but I do see it > regularly with my rotated display setup. Indeed, I do. I have dual screens, one rotated and one not. Seems we are homing in here on what is causing this. I can confirm that issue happens to me also only when docked with two external monitors, where one of them is rotated. I am running thinkpad t440s and i3 session. I also confirm that this only happens with triple-screen setup, with one rotated monitor. This happens to me with a multimonitor setup with one screen rotated in portrait mode on a Lenovo ThinkPad W541 running Gnome 3.22 under X11. My usual setup is also one rotated screen: - ThinkPad X220 - Two Dell P2314H, one on the DisplayPort on the Dock, another on the DisplayPort on the laptop (that one rotated). Oh, this is awesome. I am also rotated. I have a laptop screen at 1600x900, a horizontal display to the right of that at 1920x1080, and to the right of that vertical screen at 1080x1920. So, if there is a virtual display frame of some kind, it is sized at 4600x1920. I will try unrotating my vertical display for two days, and report back with whether I got a crash without it rotated. I've been getting usually two crashes per work day, never less than one, so two days is a good test I think. Here is upstream BZ for this issue it could be better to report our findings there, once it's fixed upstream we'd backport it to fedora. Confirming that I have a rotated monitor as well. My setup in full: Lenovo ThinkPad T440s Fedora 25, 4.8.16-300.fc25.x86_64 Docked, with two external 23" ASUS LCD panels connected via DisplayPort->HDMI adapters; my right-most screen is rotated 90* clockwise, such that I have: [Laptop 13"] [Desktop 23"] [Desktop 23" Rotated] I have been running in a "mirrored" mode for a while now where all three screens show the same exact output with no crashes. It's only when I try to engage my proper layout settings that things go to heck. Of course, that sucks just a little bit. I've also got a rotated screen when the issue occurs. I've not see it happen without a rotated display. I unrotated my screen for a couple days, and the crash never occurred, so that's a workable if undesirable workaround. My coworker theorizes this crash may have something to do with the live windows thumbnails used in the activities overview (super key) of GNOME. I think that I might have had a maximized window on my vertical monitor in the current workspace during each crash. Maybe the constant re-scanning of windows doesn't work well for tall windows? I'll try to test that out next time I get a chance. (In reply to Paul Nickerson from comment #66) > My coworker theorizes this crash may have something to do with the live > windows thumbnails used in the activities overview (super key) of GNOME. I use Awesome WM, which does not have any thumbnails. And there the crash also occurs. ---- For the last days I have not used my rotated screen and there have been no crashes. Upstream has two suggested patches in the bugzilla, here's a quick scratch build for testing: I am terribly sorry to inform that I have had already two crashes within the last 20 minutes. Created attachment 1241637 [details] Backtrace from build of comment #68 . I'll let it run for a week before declaring that it works for me. (In reply to Igor Mammedov from comment #71) > . It's crashed on the 3rd day. :( One more patch added from upstream Running for an hour now, looks promising (although this post will jinx it ;-) ). I will continue testing. Happened to me 3 times in three days and that's my 3 first days on Fedora. same as everyone here, 3rd screen rotated. xrandr output: ``` Screen 0: minimum 8 x 8, current 4920 x 1920, maximum 32767 x 32767 eDP1 connected primary 1920x1080+1920+840 (normal left inverted right x axis y axis) 340mm x 190mm 1920x1080 60.01*+ 40 VGA1 connected 1080x1920+3840+0 left (normal left inverted right x axis y axis) 480mm x 270 VIRTUAL1 disconnected (normal left inverted right x axis y axis) DP-1-1 disconnected (normal left inverted right x axis y axis) DP-1-2 disconnected (normal left inverted right x axis y axis) DP-1-3 connected 1920x1080+0+840 (normal left inverted right x axis y axis) 477mm x 268 1920x1080 (0x67) 148.500MHz +HSync +VSync h: width 1920 start 2008 end 2052 total 2200 skew 0 clock 67.50KHz v: height 1080 start 1084 end 1089 total 1125 clock 60.00Hz 1680x1050 (0x68) 146.250MHz -HSync +VSync h: width 1680 start 1784 end 1960 total 2240 skew 0 clock 65.29KHz v: height 1050 start 1053 end 1059 total 1089 clock 59.95Hz 1600x900 (0x69) 108.000MHz +HSync +VSync h: width 1600 start 1624 end 1704 total 1800 skew 0 clock 60.00KHz v: height 900 start 901 end 904 total 1000 clock 60.00Hz 1280x1024 (0x6a) 108.000MHz +HSync +VSync h: width 1280 start 1328 end 1440 total 1688 skew 0 clock 63.98KHz v: height 1024 start 1025 end 1028 total 1066 clock 60.02Hz 1440x900 (0x6b) 106.500MHz -HSync +VSync h: width 1440 start 1520 end 1672 total 1904 skew 0 clock 55.93KHz v: height 900 start 903 end 909 total 934 clock 59.89Hz 1280x720 (0x6c) 74.250MHz +HSync +VSync h: width 1280 start 1390 end 1430 total 1650 skew 0 clock 45.00KHz v: height 720 start 725 end 730 total 750 clock 60.00Hz 1024x768 (0x6d) 65.000MHz -HSync -VSync h: width 1024 start 1048 end 1184 total 1344 skew 0 clock 48.36KHz v: height 768 start 771 end 777 total 806 clock 60.00Hz 800x600 (0x6e) 40.000MHz +HSync +VSync h: width 800 start 840 end 968 total 1056 skew 0 clock 37.88KHz v: height 600 start 601 end 605 total 628 clock 60.32Hz 640x480 (0x6f) 25.175MHz -HSync -VSync h: width 640 start 656 end 752 total 800 skew 0 clock 31.47KHz v: height 480 start 490 end 492 total 525 clock 59.94Hz 720x400 (0x70) 28.320MHz -HSync +VSync h: width 720 start 738 end 846 total 900 skew 0 clock 31.47KHz v: height 400 start 412 end 414 total 449 clock 70.08Hz ``` gnome-session crashed right after. xorg-x11-server-Xorg-1.19.1-2.fc25 *** Bug 1397838 has been marked as a duplicate of this bug. *** Running for more than a week stable now. I declare this fixed (for me) :) Huray! xorg-x11-server-1.19.1-3.fc25 has been submitted as an update to Fedora 25. xorg-x11-server-1.19.1-3.fc25 has been pushed to the Fedora 25 testing repository. If problems still persist, please make note of it in this bug report. See for instructions on how to install test updates. You can provide feedback for this update here: xorg-x11-server-1.19.1-3.fc25 has been pushed to the Fedora 25 stable repository. If problems still persist, please make note of it in this bug report.
https://bugzilla.redhat.com/show_bug.cgi?id=1384486
CC-MAIN-2020-29
refinedweb
3,532
72.46
#include <deal.II/lac/trilinos_solver.h> An implementation of Trilinos direct solvers (using the Amesos package). The data field AdditionalData::solver_type can be used to specify the type of solver. It allows the use of built-in solvers Amesos_Klu as well as third-party solvers Amesos_Superludist or Amesos_Mumps. For instructions on how to install Trilinos for use with direct solvers other than KLU, see the link to the Trilinos installation instructions linked to from the deal.II ReadMe file. Definition at line 611 of file trilinos_solver.h. Constructor. Takes the solver control object and creates the solver. Definition at line 710 of file trilinos_solver.cc. Destructor. Definition at line 719 of file trilinos_solver.cc. Initializes the direct solver for the matrix A and creates a factorization for it with the package chosen from the additional data structure. Note that there is no need for a preconditioner here and solve() is not called. Definition at line 732 of file trilinos_solver.cc. Solve the linear system Ax=b based on the package set in intialize(). Note the matrix is not refactorized during this call. Definition at line 779 of file trilinos_solver.cc. Solve the linear system Ax=b. Creates a factorization of the matrix with the package chosen from the additional data structure and performs the solve. Note that there is no need for a preconditioner here. Definition at line 860 of file trilinos_solver.cc. Solve the linear system Ax=b. This class works with Trilinos matrices, but takes deal.II serial vectors as argument. Since these vectors are not distributed, this function does only what you expect in case the matrix is serial (i.e., locally owned). Otherwise, an exception will be thrown. Definition at line 877 of file trilinos_solver.cc. Solve the linear system Ax=b for deal.II's own parallel vectors. Creates a factorization of the matrix with the package chosen from the additional data structure and performs the solve. Note that there is no need for a preconditioner here. Definition at line 905 of file trilinos_solver.cc. Access to object that controls convergence. Definition at line 725 of file trilinos_solver.cc. Actually performs the operations for solving the linear system, including the factorization and forward and backward substitution. Definition at line 807 of file trilinos_solver.cc. Reference to the object that controls convergence of the iterative solver. In fact, for these Trilinos wrappers, Trilinos does so itself, but we copy the data from this object before starting the solution process, and copy the data back into it afterwards. Definition at line 741 of file trilinos_solver.h. A structure that collects the Trilinos sparse matrix, the right hand side vector and the solution vector, which is passed down to the Trilinos solver. Definition at line 748 of file trilinos_solver.h. A structure that contains the Trilinos solver and preconditioner objects. Definition at line 754 of file trilinos_solver.h. Store a copy of the flags for this particular solver. Definition at line 759 of file trilinos_solver.h.
https://dealii.org/8.5.0/doxygen/deal.II/classTrilinosWrappers_1_1SolverDirect.html
CC-MAIN-2018-34
refinedweb
498
60.41
Board index » forth All times are UTC I wrote a few days ago: |After reading the Java Virtual Machine specification, it struck me that since both |Forth and Java are largely stack-based, it should be relatively easy to get Java |bytecode "converted" on the fly to Forth, and then run in a threaded fashion. The main points that I am |unsure about are: |-Garbage Collection. Is there anything out there that uses this already? Forth |probably isn't the kind of language where this is really needed, but Java |requires it. |-exceptions. Is the ANS Exception word set pretty common? |Ie would a generic C-coded PC version be hard to come by? |-fixups. The VM needs to ensure type safety, which can largely be done at load time, but |certain operations can only be checked at run time. Sun, in thier VM spec, mentions |optimizations that involve overwriting the opcodes with (transparent) less costly ones. |Can somebody give me an working example of this? |ie, I want to do: \ this code would be hand coded : invokevirtual ( _constant_ref -- item ) \ load constant data ( check that constant[_constant_ref] is a class ) ( check that the class is loaded ) { check that the virtual method exists ) fixup invokevirtual_quick ; : invokevirtual_quick ( _constant_ref -- item ) ( do normal processing ) ; \ this code would be machine generated from Java .class file (bytecode) : java-method ( -- ) \ method parameters are passed into local variables <op> <op> invokevirtual <op> ... ; Outline of JVM and why I'm thinking Forth: [snipped for brevity] | ...All integers are stored in big-endian order. The stack is 32-bits wide. |Floating point arithmetic is done with IEEE-754 numbers. (does this have any |significance to a Forth implementation? ie Do recent Intel processors use |IEEE-754?) |My plan is to build a disassembler, then make words for each of the opcodes that |act as necessary. Current implementations of Java use a switch statement to |dispatch on opcodes ...so this should be much faster |Only one namespace for the Forth code is necessary, so I can handle that. I |haven't checked in great detail, but I think objects could be reference-counted |cleanly. |Jump opcodes are another tricky part I haven't resolved in my mind yet. Elaboration: is the data put on the R-stack for IF ELSE THEN constructs during compiling at all portable? Since jump opcodes and thier destinations may overlap, I can't use IF directly... I need a (yecch) goto! |Any help appreciated, |-Tony Lownds ----------------- Here's the response I got from (which was also posted): |Why ist it, that everyone who encounters garbage collection for the first |time, thinks that reference counting will better do the trick ? Probably because its the only solution thats obvious to implement. |You should |take a look at a recent thread on c.l.lisp and see why this assumption is |flawed! Thanks for the tip, I found some (possibly) helpful papers. |What's the scope of your project ? You only want to provide the Java VM ? |Right ? |For inclusion in what ? A browser of your own ? A general VM to execute |Java applets within ? A general VM. |Obviously, you don't seem to be interested in getting Java source code and |compile the corresponding byte-codes ? No. |Maybe your best bet would be to make a token-threaded forth, where all the |opcode of Java byte-code would magically happen to be the token of the |corresponding forth word ? I'm thinking of that kind of thing, but in two steps; A converter from bytecode to a Java Assembler language, and then compiling the Java Assembler with a simple colon definition. The converter will dispatch by opcode into a table by index rather than looking an opcodes translator word up in the dictionary. |Finaly beware that Java does support 64 bit integers, and that making the |stack 32 bits wide is not a so clear cut choice... Finally, since Java is |a more ``traditional'' language than Forth, with respect to algebra, the |choice of making a unique stack for both integer and floating points or |separate stacks plus special opcodes to convert back and forth is not so |clear either... maybe a unique stack with 80 bits cells |(sizeof(IEEE-754-double)) ? The JVM specifies a 32-bit stack... and isn't IEEE-754-double 64-bits wide? Long double is 80 bits wide, at least in C terminology. I hope I can get this VM to work - it'll be my first (significant) project in Forth, all I know about it right now is the syntax ;) -Tony Lownds 1. A native-code Java compiler in Forth 2. CRC-32 native code for VFX Forth 3. Forth-like Simplifications for Native One-Stack Code 4. F68K - a native code Forth for 68000 5. Forth to native code generation; one more iteration 6. Native code compilers 7. QuickSort(), native code, Force compiler 8. What is a 'native code' compiler 9. public relase of HiPE native-code Erlang compiler 10. XDS native code compiler for NT 11. XDS native code Modula/Oberon compilers: DEMO is available for MS-DOS 12. XDS native code compiler for NT
http://computer-programming-forum.com/22-forth/4a03c8ace9a328ce.htm
CC-MAIN-2019-47
refinedweb
856
65.93
- today, boy howdy! i sure have a load of plugins to release! hot on the tail of jEdit 3.2final, here are the 3.2 plugins. please note that the 3.1 plugins are no longer available from the PluginManager if a 3.2-compatible plugin has since superceded them. one of these plugins is a new one, JythonInterpreter 0.4.1 by Carlos Quiroz. * AntFarm 0.4.2: minor bugfix release by Dirk Moebius; auto-detects and loads tools.jar if started on JDK 1.2 (removing the need to put tools.jar in the CLASSPATH any longer before jEdit is started, which should fix problems using the "classic" or "modern" compiler); requires jEdit 3.2pre10, EditBus 1.0.1, ErroList 1.1, XML 0.3, and JDK 1.1 * Console 3.0: compatibility fixes for jEdit 3.2; loads a BeanShell snippet on startup with runCommandInConsole(), runCommandToBuffer(), runInSystemShell() methods; shell interface changed: if you use JCompiler, you will need to install a new version; the current working directory is now set on a per-console, rather than global, basis; each console can run its own process. Processes can be started in the background by appending & to the command line; process output can now be redirected to a new buffer; 'Console To Front' and 'Run Last Command' actions; multiple-line error patterns are now supported, a regexp is used to differentiate between errors and warnings, instead of the hard-coded check as before; error patterns are stored in a different format (you will need to re-add any custom error patterns you defined previously); ; Environment variables: ${name}, $name, or %name% (On Unix and Windows, OS-specific means are used to obtain their values. %set, %unset built-ins change environment variable values, %env prints a list); Commando feature creates graphical front-ends to command-line tools from an XML file; requires jEdit 3.2pre9, EditBus 1.1, ErrorList 1.1.1, and JDK 1.1 * EditBus 1.1: supports multiple-line error messages; requries jEdit 2.6final and JDK 1.1 * ErrorList 1.1.1: bug fixes; supports multiple-line error messages; requires jEdit 3.2pre8 and JDK 1.1 * HTML 3.5.2: automatic insertion of closing tags (Ollie Rutherfurd); updated for the jEdit 3.2 Selection API, menu items for toggle actions should display faster; HTML integrates Tidy 04aug2000 r7 (without the DOM and the SAX API); HTML now depends on the XML Plugin (xerces.jar); bugfix: resources files from the Tidy distribution were not included; requires jEdit 3.2pre9, EditBus 0.9.4, XML 0.3, and JDK 1.1 * JCompiler 1.3: new option in the compiler option dialog to choose between classic and modern compiler on JDK >= 1.3 (just like in Ant); updated for Console 3.0 API; support for multi-line compiler errors; all textfields in the compiler option dialog now have history popups; menu command "Options..." renamed to "Java Compiler Options..." (existing shortcuts for "Options..." should stay valid); command 'help' and unknown commands no longer clear existing errors; better parsing for '^' error line indicators; requires jEdit 3.2pre10, EditBus 1.0, Console 3.0, and JDK 1.1 * JythonInterpreter 0.4.1: initial Plugin Central release; requires jEdit 3.1final, EditBus 1.0, Console 3.0, and JDK 1.1 * LineGuides 0.5.1: changed initial value of "Enable LineGuides by Default" from true to false; simplified and cleaned up LineGuidesOptionPane, hopefully fixing the reported problems with editiing the guide offsets (thanks to some of Slava's code in the jEdit option panes); added docs (DocBook XML format); requires jEdit 3.0final and JDK 1.1 -md -- "Unvalidated documents: your gun, your bullet, your foot." -- Norm Walsh j howdy- this morning, i updated a number of plugins on Plugin Central. one of these is a new plugin, ContextHelp 1.1, by Klaus Hartlage. all of these releases except ContextHelp are jEdit 3.2 only. * AntFarm 0.4.1: now uses Xerces XML parser from the XML plugin; fixed bug with multiple open views; requires jEdit 3.2pre9, XML plugin 0.3, EditBus 1.0.1, ErrorList 1.1, and JDK 1.1 * AStylePlugin 0.3: bugfix: #440714 Markers are not restored after beautify; requires jEdit 3.2pre9 and JDK 1.1 * ContextHelp 1.1: you can "Open the current Buffer with the associated application" (Thanks to Eric Albert's BrowserLauncher.java code); "Online Help for the current jEdit mode" which shows up the browser with a help page for the current associated jEdit mode at; requires jEdit 2.7pre2 and JDK 1.1 * JavaStyle 1.1: updated to JRefactory library version 2.6.25; no longer redistributes the source of the JRefactory library. If you want the source, please download it from; new JavaDoc stubs for JUnit methods; new JavaDoc options: "Document inner classes", "Keep all JavaDoc comments" (even at illegal places), "Allow single line JavaDoc comments"; new bracket indenting options: indent C style, Pascal style or Emacs style, "Create brackets around single-line blocks", "Put empty methods and constructors on a single line", "Indent continued lines"; three separate options for "else/catch/throws starts on a new line"; new options for C-style initializers to the top; new options for alignment of field definitions; bugfix: #410730 Current line is not retained if "Format on Save" is on; bugfix: #449470 JavaStyle fails for method named "test1"; bugfix: #440714 Markers are not restored after beautify; bugfix: #435640 JavaStyle javadocs anon inner classes (JavaStyle now has an option to supress this.); bugfix: @variable@ placeholders (e.g. for Ant) are now preserved in JavaDoc comments; bugfix: formatted text inside <pre> tags in JavaDoc is now preserved; bugfix: unicode chars > 0xFF are no longer replaced by '?'; bugfix: Array initializers get indented too much; requires jEdit 3.2pre9 and JDK 1.1 -md -- "Unvalidated documents: your gun, your bullet, your foot." -- Norm Walsh jEdit 3.2pre10 is now available from <>. This will definately be the last pre-release before 3.2final. + New Features - PL-SQL syntax highlighting (Rick Owen) + Enhancements - Documentation updates - The jedit.spec file for creating the Linux RPM package can now be used to compile and build jEdit from scratch - Improved RPM spec syntax highlighting - Read-only flag is automatically set when loading files from read-only filesystems, like the Archive plugin VFS - Improved JSP syntax highlighting (Daiji Takamori) - Nicer looking history text fields (Dirk Moebius) - C+Home and C+End no longer deactivate selections in multiple selection mode + Bug Fixes - C+. and C+, bug fix, again - Help viewer tree would showed tooltips in wrong place - Replacing text with multiple selections active caused the text to be inserted in the wrong place - Reverse search didn't work sometimes - AltGR key works on JDK 1.4 again - The plugin manager now only uses the first three characters of the java.version property when checking plugin dependencies. This solves the problem of the WheelMouse plugin not appearing on JDK 1.3.1, because one version was listed as needing Java >= 1.2, <= 1.3, and the other needing Java >= 1.4. + API Changes - BeanShell.eval() no longer creates a new namespace - jEdit.openFile(View,String,String,boolean,boolean) deprecated jEdit.openFile(View,String,String,boolean,boolean,Hashtable) depreacted The 'readOnly' parameter should no longer be specified. Use jEdit.openFile(View,String,String,boolean,Hashtable) instead. - Most plugins probably use openFile(View,String), which is still the same as ever. - jEdit.addPluginJAR() is now public, for plugins that want to load the JDK's tools.jar or whatever - EditPlugin.JAR constructor is now public, for the same reason as above jEdit 3.2pre9 is now available from <>. + New Features - Keys can now be bound to letter keys without modifiers; eg you can bind a macro to '>' that in HTML mode inserts the appropriate closing tag automatically. Note that the actual character is not inserted, so the macro would need to insert '>' first itself. - 'Make Bug Report' macro (John Gellene) + Enhancements - Documentation updates - Improved Python syntax highlighting (Ollie Rutherfurd) + Bug Fixes - Fixed a few bugs in the shortcuts option pane (Dirk Moebius) - Fixed typo in a tip of the day - If the text area was too small, it would report a negative number of visible lines, which caused problems - Disabled non-working persistent splits feature, which could have caused problems - Invoking menus using Alt-key mnemonics would insert the mnemonic character into the buffer on JDK 1.4 - Fixed long-standing bug in scroll-to-caret code - C+. and C+, didn't set the history model of the search bar - Possible fix for jEdit hanging on JDK 1.4 when file modified on disk by another program + API Changes - FileVFS.getPermissions() and setPermissions() methods get and set file permissions on Unix. These methods were formely private, now they are public and static. They do nothing if jEdit is not being run on a Unix platform. - Minor change to marker behavior to facilitate AStyle and JavaStyle plugins (Dirk Moebius) - JCheckBoxList class moved to org.gjt.sp.jedit.gui package hello world- this afternoon, i uploaded new versions of many plugins to Plugin Central. only one of these, ErrorList 1.1, requires jEdit 3.2, while the rest continue to work with jEdit 3.1. * AntFarm 0.4: added a combo box of targets automatically parsed from the currently selected build file; when typing text in the "Build File" text field, the string is colored red when not pointing to a valid file; fixed a bug preventing compilation when no "compiler" property was defined; requires jEdit 3.2pre6, EditBus 1.0, and JDK 1.1 * BufferList 0.6.3: bugfix: NullPointerException at initialization after clean install; bugfix: "Save Session as" and "Manage Sessions" threw BeanShell errors; bugfix: Default session never got autosaved after clean install; bugfix: "Show vertical/horizonal lines" options had wrong default value in options pane; bugfix: Sometimes a (harmless) NullPointerException was thrown when switching sessions using the combo box because of a race condition; requires jEdit 3.2pre2 and JDK 1.1 * DragAndDrop 0.2.5: updated to handle text selection drags in JDK 1.3.1 and beyond; better handling of text drags in general; requires jEdit 2.6pre9 and JDK 1.2 * EditBus 1.0.1: fixes a thread safety bug; requires jEdit 2.6final and JDK 1.1 * ErrorList 1.1: errors are now shown in a tree, rather than a list; new icons for errors and warnings; updated for jEdit 3.2 selection API; documentation generated with DocBook; error reporting API documentation included; requires jEdit 3.2pre8, EditBus 1.0.1, and JDK 1.1 * JIndex 0.8.2: bugfix: #448471 deadlock if index was loaded during "JIndex on current word"; the action "Configure..." is now named "JIndex Configuration" (this doesn't affect existing shortcuts); requires jEdit 3.0pre5, EditBus 0.9.4, and JDK 1.1 -md -- "Unvalidated documents: your gun, your bullet, your foot." -- Norm Walsh howdy- this morning, new versions of three plugins were uploaded to Plugin Central. BufferList 0.6.2 and Code2HTML 0.3.4 are for jEdit 3.2 and WhiteSpace 0.8 is for jEdit 3.1. * BufferList 0.6.2: now let's jEdit restore the last open session again, subject to jEdit's "Restore last open files on startup" option; bugfix: order of recent files was reversed as of jEdit 3.2pre2; bugfix: SessionSwitcher could be added to the view twice or more; this is the last release of BufferList before the session management code is taken out into a separate plugin; requires jEdit 3.2pre2 and JDK 1.1 * Code2HTML 0.3.4: updated for jEdit 3.2; requires jEdit 3.2pre6 and JDK 1.1 * WhiteSpace 0.8: spaces and tabs can now be highlighted depending on their position in the text (leading/inner/trailing); requires jEdit 3.1final and JDK 1.1 i am planning on releasing another batch of plugins on Friday or Saturday. -md -- "Unvalidated documents: your gun, your bullet, your foot." -- Norm Walsh jEdit 3.2pre8 is now available from <>. This release is being made so soon after 3.2pre7 because pre7 was rather buggy. + New Features - PV-WAVE syntax highlighting (Ed Stewart) + Enhancements - Improved XSL abbrevs (Ollie Rutherfurd) - jEditLauncher updates (John Gellene) - Updated Duplicate_Line and Next_Char macros (John Gellene) - Improved shortcuts option pane (Dirk Moebius) - Improved PHP mode - Middle mouse button paste can now be disabled in the Global Options dialog box + Neutral - Only selections created with the mouse are stored in the % register + Bug Fixes - Right mouse button clicks didn't work on all platforms - Printing didn't work due to a change in 3.2pre7 - Fixed exception printed when trying to use the file chooser dialog box - jEditLauncher didn't work due to an EditServer change in pre7 - jEdit might hang if an error was shown while downloading the plugin list in the plugin manager jEdit 3.2pre7 is now available from <>. Console 3.0 is still not finished. I hope to release it sometime next week. I'm pretty pleased with pre7 overall and hope to release 3.2final sometime soon. Now if more people would send screenshots of jEdit 3.2, all will be well :-) + New Features - BeanShell 1.2beta1 included - When running on Unix with Java 2 version 1.4, clicking the middle mouse button in the text area now pastes the primary selection. This obsoletes the XClipboard plugin - Visual Foxpro syntax highlighting (Matt Price) - SQR syntax highlighting (Richard Ashwell) - Cruddy -bshclient command-line switch replaced with -run=<script> parameter; it will run the specified script file, and works in both the initial and client instances of jEdit. - The script is run in the global namespace, so variables and functions defined within will be available for the rest of the editing session. Just like a startup script. - The 'view', 'buffer', 'editPane' and 'textArea' variables are not set in this script; if it is being run at startup, it will also be run before the first view is even initialized. Just like a startup script - Just for fun, a sample startup script, named changeUIFonts.bsh is included. This is an undocumented feature and will be replaced with a setting in the global options dialog box in the next major release. + Enhancements - Improved jEditLauncher (John Gellene): - executes scripts and runs JDiff from Windows shell menu or from scripting interface. - launcher waits for extended timeout period for jEdit to load. - multiple requests to run jEdit, launch files or run scripts are queued by the launcher while jEdit is loading. - javaw.exe is default interpreter for launching, subject to change by configuation utility. - automatic reboot when installation replaces in-memory modules. - fixes for all reported bugs. - Improved PHP syntax highlighting (Ben Sarsgard) - Minor change to plugin manager error reporting - Console_Plugin macros removed, Console 3.0 incorporates all relevant features - Transient status messages (replace all results, for example) are now shown for 10 seconds, instead of 2 - Updated 'Writing Plugins' section of user's guide (John Gellene) - isPopupTrigger() is now used, instead of explicitly checking for Button 3 being pressed. This change was because on the Mac, Control-clicking is used to simulate a right mouse button click. - History text fields previously used a Control click to display a menu of completions; this has been changed to a Shift click - To be consistent with the above change, the search up and search down shortcuts in history text fields have been changed from C+Up and C+Down to S+Up and S+Down - You can now press Enter in the 'Directory' and 'Filter' fields of the search and replace dialog box to begin a search - Clicking on the mode and encoding display in the status bar opens the Buffer Options dialog box, clicking the overwrite and multiple selection display toggles those settings - When running on Unix with Java 2, the installer writes a shorter shell script that uses the -jar command line switch, instead of setting the class path - -newview command line switch is now a property that can be set in the - New method for use in macros: SearchAndReplace.replace(View view, Buffer buffer, int start, int end) + Bug Fixes - Help viewer will no longer print an exception if the toc.xml file could not be found - Token backgrounds were not being drawn - Trying to print threw an exception with Java 2. This has been fixed, but the other problems with printing on Java 2, such as huge spool files being created, remain. - GrabKeyDialog bug fix for JDK 1.4 (Alan Moore) - roots: virtual filesystem didn't list all filesystem roots on JDK 1.4 - Possible workaround for window positioning bugs on Unix with KDE 2 - jEditLauncher used a Windows API call only available on Windows 98 and 2000 - All files in the search set would be listed in the HyperSearch results window, even files which do not contain the search string - AltGR key didn't work with Java 2 version 1.4 (Vicente Salvador) - Global options dialog box looked a bit dodgy with the 'global colors' setting - Could paste into read-only buffers - Commands which used readNextChar() were not recorded properly - The grab key dialog box would record the Control and Command keys swapped on MacOS - PHP mode was missing a SEQ rule for '=', so sequences like $var=TRUE would be highlighted incorrectly - Deleted files no longer become read only - INVALID token type could not be used in edit mode definitions - jEdit wouldn't ask for confirmation when saving over an existing file in some circumstances - 'OS/2 startup script' fileset was never shown in the installer on OS/2 I agree to receive quotes, newsletters and other information from sourceforge.net and its partners regarding IT services and products. I understand that I can withdraw my consent at any time. Please refer to our Privacy Policy or Contact Us for more details
https://sourceforge.net/p/jedit/mailman/jedit-announce/?viewmonth=200108
CC-MAIN-2016-30
refinedweb
2,968
57.67
STRTOK(3) BSD Programmer's Manual STRTOK(3) strtok, strtok_r - string token operations #include <string.h> char * strtok(char *str, const char *sep); char * strtok_r(char *str, const char *sep, char **last); This interface is obsoleted by strsep(3). The strtok() function is used to isolate sequential tokens in a NUL- terminated_r() function is a version of strtok() that takes an explicit context argument and is reentrant. The strtok() and strtok_r() functions return a pointer to the beginning of each subsequent token in the string, after replacing the separator character itself with an ASCII NUL character. When no more tokens remain, a null pointer is returned. Since strtok() and strtok_r() modify the string, str should not point to an area in the initialized data segment.))) { if (i < MAXTOKENS - 1) tokens[i++] = p; } tokens[i] = NULL; That is, tokens[0] will point to "cat", tokens[1] will point to "dog", tokens[2] will point to "horse", and tokens[3] will point to "cow". memchr(3), strchr(3), strcspn(3), strpbrk(3), strrchr(3), strsep(3), strspn(3), strstr(3) The strtok() function conforms to ANSI X3.159-1989 ("ANSI C"). starting point, such a sequence of calls would always return NULL..
http://mirbsd.mirsolutions.de/htman/sparc/man3/strtok_r.htm
crawl-003
refinedweb
200
53.51
Google Mashup Editor (GME) applications give you powerful features for reading, writing, and displaying data. Data in GME applications is always stored as a Google Data (better known as GData) feed. GData is a data protocol based on Atom and the Atom publishing protocol (APP). Data not natively stored in the GData format, such as data from RSS feeds, are automatically converted to GData by GME through an XSL transformation. This ensures that all data is read, written, and manipulated in the same common format, which makes it easy to operate on different types of data from different sources with GME modules. GData's extensibility gives you the flexibility to create your own feeds containing the data you want to store. By extending the feed with custom elements or using elements already available in GData, you can create structured data feeds that are easy to manipulate using XPath, a regular expression-based language that allows you find elements in GData feeds. To learn more about how to use XPath, see the Introduction to XPath. There are many data sources available for use in your GME applications. Some sources allow you to read and write, while others are read-only. Each GME application provides built-in data feeds that allow users to read and write data. ${app} The ${app} feed is specific to the GME application instance. Initially, the feed is empty. All users of your application can read data from and, if you enable it, write data to the ${app} feed. When you write to the ${app} feed, you can specify a path one level deep, called a stripe. For example, if you want to have two application-wide data stores for your Google Maps mashup (one for markers and one for a customer list), you can create the ${app}/markers stripe and the ${app}/customers stripe and use them separately in your application. For more about writing data to a feed, see Writing Data. ${user} Each user of your application has access to a separate ${user} feed. Users can read and write data to their own personal feeds, but users don't have access to anyone else's feed. Initially, this feed is empty. Your application must provide a way for users to add data. When you write to the ${user} feed, you can specify a path one level deep, called a stripe. For example, if you want to have two user-specific data stores for your Google Maps mashup (one for the user's locations and one for the user's profile information), you can create the ${user}/locations stripe and the ${user}/profile stripe and use them separately in your application. For details on writing data to a feed, see Writing Data. ${tmp} When you display data using ${app} or ${user}, the data is stored on the server so that it can persist between sessions. However, sometimes you won't care about persistent data. For example, you might create a mashup that reads the next 5 events from your calendar and displays them. Because the mashup reads the calendar events every time you run it, you don't need to save the events in the ${app} or ${user} feeds. Because reading and writing these feeds can cause brief delays in your mashup, you can use the ${tmp} feed to store data that you don't need to keep between sessions. The ${tmp} feed stores data in memory, eliminating the delays for reading and writing server data You can use any RSS or Atom feed as a data feed for GME modules. External RSS and non-GData Atom feeds are read-only. RSS feeds are automatically converted to GData (Atom) feeds through an XSL transformation. Custom extension elements are preserved during the transformation and can be accessed in the same way as Atom elements, through XPath queries. You can use GME's handy feed browser to see how RSS feeds are transformed. Click the Feed Browser tab and select Remote Feed from the drop-down menu. Type the URL to the RSS feed, then click the Get Data button. You'll see all the elements available in the feed. The feed browser can help you figure out the right XPath syntax to use for feeds. To learn how this works, see Getting XPath Syntax from the Feed Browser. In addition to ${app}, ${user}, and ${tmp}, GME provides several other built-in feeds: <gm:data>tag. To read data in your GME application, you must include a module tag, such as a list, that accepts a data source in its data attribute. You'll probably want to include a template tag that references the data elements you want to read. If you don't include a template, GME uses a built-in template named "default". In the following example, a list module reads entries from Digg and displays the title of each entry by referencing its atom:title element. <gm:page <gm:list <gm:template <div repeat="true"> <gm:text </div> </gm:template> </gm:page> In the gm:template tag, we specify how the data will look when displayed. The template must have one repeating element in order to display multiple entries. In this case, we set the <div> element to repeat by adding the repeat attribute to the <div> tag and setting it to true. This creates a div for every entry in the feed. You can use the repeat attribute in any HTML element in a gm:template tag. For example if you want to create a table with a repeating row, you can put the repeat attribute in the <tr> or <tbody> HTML element. Within the <div> we specify a <gm:text> tag and have it refer to atom:title in the feed. The value of the ref attribute is actually an XPath query to the element in the feed. The title of each entry is specified by the XPath query atom:title. For more on XPath, see the Introduction to XPath section. In addition to defining your own templates, GME supplies built-in templates you can use for displaying data. To use a built-in template, you specify it by name in the template attribute; for example: <gm:list The built-in templates are as follows: simple, a basic template. task, suitable for a task list. blog, which shows the headlines from a blog feed or similar information. base, useful for displaying product queries from Google Base. contact, best used for displaying contacts. default, a minimal template that shows headlines in a table. debug, which displays every element of the feed. articlelist, good for showing articles, as from a blog feed. To write data to a feed in your GME application, you must include the following three tags: gm:createtag to add new data or a gm:editButtonstag to edit and delete data. In the example below, a list module reads data from the ${app}/foo stripe. The list module also displays a create button below the list and edit and delete buttons next to each item in the list. <gm:page <!-- Here we create the list to display the data we save in the $app/foo feed --> <gm:list <!-- Here we create the template that contains edit and delete buttons. We also specify a create button to add data to the feed. --> <gm:template <table> <tbody repeat="true"> <tr> <td><gm:text</td> <td><gm:editButtons /></td> </tr> </tbody> </table> <gm:create </gm:template> </gm:page> The template allows the user to read and write an element using the same control -- gm:text, in this case. To add the ability to edit an entry, all we need is a gm:editButtons tag somewhere in the repeating element. In this case, we've added it right next to the text we display. The gm:editButtons tag adds two buttons to the HTML element that contains it: one for editing the entry and one for deleting the entry. When an entry is deleted, it's removed from the data store and can no longer be accessed. By default, the edit buttons are image buttons. You can have them displayed as textual buttons by adding text="true" to the editButtons tag. To create a new entry in the feed, we place a gm:create tag outside the repeating element. When the user clicks the create button, a new row appears and the user can enter data. That data is saved to the feed according to the reference attribute for that item. In the example above, a new entry is created and the data entered by the user is saved into the atom:title element of the newly created entry. Again, atom:title is just an XPath query to an element in the feed. If you're using the ${app} or ${user} feeds and you create an XPath query to an element that is not currently in the feed, that element is created for you. The ${app} and ${user} feeds are extensible XML documents, so you can add any elements you want. To add elements that aren't defined by the atom: or gd: namespaces, use the gmd: namespace. For example if you want to store a time element in the feed, you can reference it with the query gmd:time, and any data you store will appear in the feed as the gmd:time element. GME provides various features you can use to work with feed data, such as reading, writing, searching and so on. In order to optimize performance of your applications, not all features are available for all feeds. The following matrix shows which features you can use on which feeds: For information on which feeds and elements can be used for filtering, see the sorting and filtering document. When you publish a GME application, you can control access to the feeds that belong to it. For each application, you have access control over these built-in feeds: ${app}, ${user}, and ${members}. For the ${app} and ${user} feeds, you can specify separate access settings for members and for non-members; the ${members} feed is available to members only. For members, you can specify read and write, read-only, or no access for each feed. For non-members, you can specify read-only or no access for the ${app} and ${user} feeds. The following table summarizes these access options: The Read and write all setting means that users can read and write all entries in the feed. Read all and write own entries means users can read entries made by all users, but can only write to or edit their own entries. Read-only means users can read all entries but can't write any entries. No access means users can't read or write any entries. To specify access settings for feeds, click the Published Apps tab on the right side of the Editor screen, then click an application to select it. Use the drop-down menus on the right to select access settings. You can also use this page to manage membership in your application. Click the Members tab to see the membership controls. To add a member, type the new member's Google Account name in the box, then click Add. To remove a member, click to select the member, then click the trash can next to the name. Use the following syntax to refer to the user feed for a particular user: ${user}:abc@gmail.com/ where abc@gmail.com is the user's Google Account ID. When you read and display a feed, you can create data elements, called annotations, that are associated with entries in the feed. For example, you can read a feed of real estate data, then create associated gm:rating elements that include your ratings on each entry in the real estate feed. Because the associated data is stored in a separate feed by your application, you can create annotations for read-only feeds as well as feeds that provide write-access. You can use the annotations feed to store two kinds of data: numeric ratings and textual labels. All annotations for an application are stored in and retrieved from the built-in ${annotations} feed. Each annotation is associated with one element in the feed. When you display an element, you can also display any annotations for that element. The syntax for a data source that combines a feed with annotations is: | ${annotations} Use this syntax for referring to items that have a particular label: | ${annotations}:(somelabel) To display data from the annotations feed, you set the data source to the feed combined with the annotations. For example, if you want to display a list with ratings annotations, sorted from highest rated to lowest, you could use the following: <gm:list <gm:sort </gm:list> To restrict the list to a particular label, you can use this syntax for the data source: data=" | ${annotations}:('favorite')" GME provides the ${labels} feed, a built-in feed containing all labels used by your application. By iterating over the ${labels} feed, you can display data entries associated with all the labels your application uses. You can set or change the data source dynamically using JavaScript and the setData function, as described in the JavaScript API document. You use gm:rating and gm:labels tags in your template to display the ratings and labels associated with a particular feed. For more information about annotations and labels, see this example. For more about the syntax you use to refer to data elements in a feed, see the Introduction to XPath. Some applications require a hierarchy of data, in which each element at an outer level contains specific data at a secondary level. One example of this kind of application is a task list. In a task list, you often have a list of projects, each of which contains a list of tasks. In order to associate projects to lists of data, you can reference the feed of the parent list by id in the data attribute of the child list. As with all built-in feeds, you reference the feed using the feed variable substitution method (that is, ${feed_name}), as in the following example. <gm:page <h1>Projects</h1> <gm:list <h1> Project tasks </h1> <gm:list <gm:handleEvent </gm:list> <gm:template <table> <tbody repeat="true"> <tr> <td><gm:text</td> <td><gm:template</td> </tr> </tbody> </table> <gm:create </gm:template> </gm:page> GME applications use a small subset of XPath, a search and query language that allows you to refer to tags and attributes in an XML document. You use XPath to access namespaces, elements, and attribute names and values from data feeds, and you use XPath syntax in your applications to refer to feed elements for reading and writing. Here are the forms of XPath syntax you can use in Google Mashup applications: "ns:elemName/ns:elemName2...."You can use "ns:elemName[@attr='val']/ns:elemName2[@attr2='val2']/...." "ns:elemName[@attr='val']/ns:elemName2/...." text()and @attrexpressions for text and attribute selection at the end of the XPath: "ns:elemName/ns:elemName2/text()" "ns:elemName/ns:elemName2/@attr2" "ns:elemName[@attr='val']/ns:elemName2/@attr1" You can see examples of XPath syntax in most GME sample applications. Note that GME supports only the subset of XPath described here, not the full specification. For more information on XPath, see this Introduction to XPath on the Web. You can use the feed browser to find the XPath syntax for any element in a feed. Just follow these steps:
http://code.google.com/gme/docs/data.html
crawl-002
refinedweb
2,587
61.46
Forum Index --- Comment #1 from Steven Schveighoffer <schveiguy@yahoo.com> --- (In reply to Steven Schveighoffer from comment #0) > Another example: Wrong link, here it is: -- --- Comment #2 from Jonathan M Davis <issues.dlang@jmdavisProg.com> --- Well, it looks like it relates to directly assigning a non-null value to the _timezone member at compile time. The new TimeZone class declaration is not required. All you have to do to trigger it is to change line # 8996 at the bottom of std.datetime.systime from Rebindable!(immutable TimeZone) _timezone; to Rebindable!(immutable TimeZone) _timezone = UTC(); Unfortunately, declaring a struct like struct S { Rebindable!(immutable TimeZone) _timezone = UTC(); } does not exhibit the problem. So, I don't know how to create a small test case that doesn't require the std.datetime code. But assigning UTC() like this before used to work. A backend bug on Windows prevened me from getting a similar PR merged where it added a new TimeZone class, and assigning UTC() in that case had exactly the same problem as I recall (certainly, assigning the new time zone class did, because that's what blocked the PR). But it worked perfectly fine on other OSes, and I'm fairly certain that I tried those changes again at some point, and the backend bug was gone - I just wanted to rework the changes, so they weren't committed. Regardless, it worked perfectly fine on non-Windows OSes previously. So, something about this broke in the last several releases. I'd have to do some research to figure out when it broke though. -- Jonathan M Davis <issues.dlang@jmdavisProg.com> changed: What |Removed |Added ---------------------------------------------------------------------------- CC| |issues.dlang@jmdavisProg.co | |m --- Comment #3 from Jonathan M Davis <issues.dlang@jmdavisProg.com> --- Okay. If it's a regression, it's an old one. I suspect that I just didn't hit it before, because I didn't run make checkwhitespace, and running the full unittest build doesn't hit it (at least, not on my machine). I tried back as far as 2.069.0, and directly assigning UTC() to _timezone still triggered the problem with running make whitespace. -- --- Comment #4 from Steven Schveighoffer <schveiguy@yahoo.com> --- A better reduced test case: Courtesy of MrSmith: -- Mr. Smith <mrsmith33@yandex.ru> changed: What |Removed |Added ---------------------------------------------------------------------------- CC| |mrsmith33@yandex.ru --- Comment #5 from Mr. Smith <mrsmith33@yandex.ru> --- Here is even smaller test case: // main.d import texteditor; void main() {} // texteditor.d module texteditor; class EditorTextModel { void fun() { editor.fun2(); } TextEditor editor; } struct TextEditor { Piece* sentinel = new Piece; void fun2() {} import std.datetime : MonoTime; } struct Piece {} // dmd -m64 -lib -of="lib.lib" -debug -g -w -I="./" texteditor.d // dmd -m64 -of="app.exe" -debug -g -w -I="./" lib.lib main.d -- --- Comment #6 from Mr. Smith <mrsmith33@yandex.ru> --- Looks like the problem is with Piece* sentinel = new Piece; If I do that at runtime it works. -- --- Comment #7 from Steven Schveighoffer <schveiguy@yahoo.com> --- Hm... I didn't see this before, but you have an import for MonoTime. On the original PR I saw this, it was an update to MonoTime. Can you confirm that your code works or not without MonoTime import (which seems to be doing nothing in your latest version)? -- --- Comment #8 from Steven Schveighoffer <schveiguy@yahoo.com> --- Correction: PR was not about MonoTime but SysTime. But still, datetime seems to be involved. -- --- Comment #9 from Mr. Smith <mrsmith33@yandex.ru> --- Error doesn't happen when `import std.datetime : MonoTime;` is removed --
https://forum.dlang.org/thread/bug-17740-3@https.issues.dlang.org%2F
CC-MAIN-2018-13
refinedweb
582
68.77
In this blog, we’re going to explain the concept of “mining” – the way that people make money by contributing to the computer systems that run cryptocurrencies. To understand, we’ll look at a fictitious miner named Matthew and his fictitious cryptocurrency MattCoin. But first, why is it called “mining?” Just like there are scarce nuggets of gold hidden inside rock, there is a predetermined number of coins set by each cryptocurrency network, and each coin can only be extracted by people (known as “miners”) who validate transaction data that record the coins being sent to and from on the blockchain and then discover the missing inputs to complicated math problems attached to each transaction. What’s innovative about this structure is that people are rewarded for contributing to the network infrastructure in a way that they currently aren’t with today’s Internet. The decentralization of network operations is one of the fundamental differences between Web 2.0 and Web 3.0. And mining is at the core of it all. So what does this mean for Matthew and Mattcoin? First, let’s review the definitions of a few important terms: - Block: The fundamental building block of a cryptocurrency that holds the transaction list + wallet number + magic number (which we’ll define later). - Blockchain: A network comprised of a sequence of blocks where each block contains the ID of the previous block, therefore a literal chain of blocks holding network data. - Confirmation: Before a transaction is officially included in a new block on the network, it needs to be verified and confirmed as legitimate. This is done by miners. - Transaction: This is a record of the amount that is transferred into or out of an individual wallet, along with the time and date of the transfer. The hash of this record is signed by the sender's private key and is sent around to everyone in the cryptocurrency network for validation and inclusion in a block on the network. - Wallet: Each wallet consists of a pair of randomly generated public and private keys used to send and receive cryptocurrencies and to keep a ledger of a user’s cryptocurrency transactions. The wallet's address is a hash from the public key, which allows it to be uniquely identified. How MattCoin Works Our imaginary miner Matthew has decided to launch his own cryptocurrency called MattCoin. Since this currency has no dedicated servers, everyone who participates in it has an equal right to validate a transaction. Therefore, we need a mechanism to ensure that transactions are irreversible (so that participants cannot edit transactions after the fact) and that any participant is able to verify a transaction’s validity without needing special access or information (which would corrupt the decentralized nature of the cryptocurrency). Until the very first block is created, we don't have any transactions. Therefore, we don't have the number of the previous block which will come into play later. Nothing really exists except the address of Matthew’s wallet and the timestamp. To create a unit of measurement within the mining process, the MattCoin algorithm stipulates that a new block should be created every 10 minutes. However, this interval can change based on the pace of block creation within the network. If miners are able to create too many blocks within that 10 minute window, then the complexity of the algorithms needed to generate a new block will be adjusted. On MattCoin, this recalculation takes place each time 100 more blocks are generated. When a miner creates a valid block, he or she is entitled to a reward of 50 MattCoins plus a commission, which we’ll dive into more detail on below. Speed Limit The miners are verifying the transactions happening on the MattCoin network, which is incredibly important because the currency is completely digital and has no other data source to refer against. The miners should be rewarded for adding this value to the MattCoin network, and that’s why they’re given 50 MattCoins for each block that they “close” plus a commission for each transaction that they successfully verify. But we have to keep an eye on the complexity of the blocks and the speed with which they are built. The blocks need to contain complex algorithms to verify each aspect of the transaction in question but be simple enough to encourage participation by miners. Otherwise, tons of blocks could be created out of thin air, and they wouldn't have any value. The time and energy that goes into mining one MattCoin establishes the value of the currency on the blockchain. The more time is takes to mine a MattCoin, the more valuable one MattCoin needs to be. Math Makes it Work So how exactly does a miner solve these complicated math problems? This is where cryptography comes in. “Hashes” are special cryptographic functions that are fixed-length arrays of bytes that are like mathematically-generated scrambles of the given inputs. Each block has a corresponding hash that needs to be solved by the miners. A hash cannot be reverse engineered and is impossible to guess, but it still uniquely corresponds to the set of data from which it’s been calculated. In cryptocurrencies, inputs are concatenates (certain data from different sources linked together in a chain) of the transaction data and a piece of data called “nonce.” Miners have to attempt lots of guesses for what the nonce is until they find one that will generate a winning hash when combined together with the transaction data. In the case of MattCoin, the hashes are represented by a number between 0-1000. In order for a miner to successfully close a block and win the reward, Matthew (as the creator of MattCoin) determined that a hash has to be less than 500. Solving for a correct hash involves lots of computer power, so many miners set up their systems in locations with cool weather to offset the heat generated by the computers and cheap electricity to power the computers efficiently. You can compare the hashes, add them, subtract them and so on. For everyone to recognize the block as valid, its hash must be less than the maximum possible, minus the value defined by all, and this is called the complexity. For example, we have a hash of four bytes, with a maximum possible value of FFFFFFFF[16] . And the complexity, for example, is 100[10]. When you subtract one from the other, it turns out that our hash should be less than FFFFFF9B[16]. Survival of the Fastest If you remember, all the blocks consist of several fields. We take these fields, concatenate them (link them together into a chain) and obtain a byte array. We put this byte array into a hash function, check the result and then ask: Is the hash less than maximum value minus complexity, or not? If not, we change the byte array until we get the desired value. Here are some further specifics: In each block, there is a field called nonce. This number is made up of several bytes, and it must be increased by adding one unit at a time onto the block, and then again counted as a hash. Thus, if we have two chains: A: Block1-> Block2-> Block3 B: Block1-> Block2-> Block3 then the one for which the fourth block is found soonest will win. The shorter chain is thrown out and its transactions are dropped back into the queue for confirmation and the chain with the greatest number of blocks "wins." What Motivates Miners When sending or receiving MattCoin or any other cryptocurrency, a user will see a "commission" field in their wallet. This commission goes to the miners involved in generating blocks. These people will look at all the transactions awaiting confirmation and first choose those that contain a commission. After the block is formed, the entire commission that was contained in those transactions will be paid to the block's creator. Thus, when the reward for generating the block is completed (if it is written into the currency algorithm), then the miners will receive a commission. Free transactions are never processed because there’s no incentive to do so. Again, this is a fundamental distinction of a blockchain system like MattCoin. Let's test what we’ve learned by attempting to generate some MattCoins for Matthew. The program generates two random key pairs (each with one public and private key) and when a user sends MattCoin to another user, a transaction is generated that needs to be verified by a miner like Matthew. The transaction is signed using the keys, so everything is done honestly. Then the MattCoin system looks for nonce, such that the first two bytes of the hash are zero. This is its type of difficulty. It works for a couple of minutes and then it produces a hash, which can be quickly checked by concatenating transaction bytes and counters. Program Code package com.paranoim.money; import java.math.BigInteger; import java.util.Arrays; import junit.framework.TestCase; import org.bouncycastle.crypto.params.ECPublicKeyParameters; import org.bouncycastle.crypto.util.Pack; import org.bouncycastle.math.ec.ECPoint; import com.paranoim.TestsAll; import com.paranoim.crypto.assymetric.ECDSA; import com.paranoim.crypto.digest.SHA3_512; import com.paranoim.crypto.utils.ByteUtils; public class MiningTest extends TestCase { private byte[] counter = new byte[4]; private byte[] getAddressFromPublicKey(ECPublicKeyParameters publicKey) { ECPoint q = publicKey.getQ(); byte[] encoded = q.getEncoded(true); return SHA3_512.process(encoded); // reciever's address is it's pubkic key hash } public void testMining() { ECPublicKeyParameters fromKey = (ECPublicKeyParameters) TestsAll.ALICE.getPublic(); ECPublicKeyParameters toKey = (ECPublicKeyParameters) TestsAll.BOB.getPublic(); byte[] from = getAddressFromPublicKey(fromKey); byte[] to = getAddressFromPublicKey(toKey); int amount = 100; //100 HabraCoin long now = System.currentTimeMillis(); //compose the message for signing byte[] fromTo = ByteUtils.concat(from, to); byte[] bAmount = Pack.intToBigEndian(amount); byte[] bTime = Pack.longToBigEndian(now); byte[] amountAndTime = ByteUtils.concat(bAmount, bTime); byte[] msg = ByteUtils.concat(fromTo, amountAndTime); BigInteger[] sigCoords = ECDSA.signDigest(TestsAll.ALICE.getPrivate(), SHA3_512.process(msg)); byte[] signature = ByteUtils.concat(sigCoords[0].toByteArray(), sigCoords[1].toByteArray()); // MSG contains from, to, amount, time and signature msg = ByteUtils.concat(msg, signature); ECPublicKeyParameters minersKey = (ECPublicKeyParameters) TestsAll.ALICE1.getPublic(); byte[] bminersKey = getAddressFromPublicKey(minersKey); //msg = msg + miner's address msg = ByteUtils.concat(msg, bminersKey); byte[] hash = doTheMining(msg); msg = ByteUtils.concat(msg, counter); assertTrue(Arrays.equals(hash, SHA3_512.process(msg))); } private byte[] doTheMining(byte[] msg) { byte[] hash = SHA3_512.process(ByteUtils.concat(msg, counter)); while(hash[0] != 0 || hash[1] != 0 ) { incrementCounter(); hash = SHA3_512.process(ByteUtils.concat(msg, counter)); } return hash; } private void incrementCounter() { for (int i = 0; i < counter .length; i++) { counter[i]++; if (counter[i] != 0) break; } } } An example of the resulting block: 1824B9ADF09908222CF65069FDE226D32F165B3CF71B7AA0039FDFEF75EAA61610909EBFFBAC023480FC87FCF640C4A 009B82C4A6D25A0F4B8A732AE54EF733E792681137BA378577DFDC2732D192DAF323966EAD4ADC9635D7A12EDD50E34 9F660622D186AF3C03BF7D265F2AA7EB125056F4BF45BE519E8B22B845B28065110000006400000142E5D667CB01CEE EDD0AC15EC4C491819A99030BD5FEF7CD2B469F2B90BA13D7981EDCD0708353D13390B8564F496C44FAC2777B0AF79D C94CBF36D0CC0F047E807889F34C4DC5FEB724699C257391F84F3DDD70B84F841D115F4EFEAF4E58779042F35257E5C 035046037DE740718D199A8F06AD7A58E37CCCD4CC5E95295DCC2C5F3C70847BD59FA57BCC5FF4B208F93948FCFD763 EC1E5C85B61C43EB64B77A9F53B28785D7DE2335333003260A0839D53927976751A8D8967B2BB325909D86E82BC4125 2A28ECF6F0E7476BB99B29585EB0E75410000 And here's the hash for it: 000008ACF935A8E3E453AC538706F560155943C6B0A77E5F5FCA7939D5FFE589676A6B3CD7AC78845786C50449D1A6F 91003EDCA7B5D8B12AC36CCA36A00844A So, that's how we earned couple of coins for Matthew. Now you should have a basic knowledge of how and why mining works. It’s a self-adjustable system that makes miners calculate more and more hashes as difficulty grows. That’s why they need more power and special devices that can efficiently hash data over and over again. This article only provides an introductory overview, so we invite your comments and questions. Join our Slack community to start a conversation. Alexey Ermishkin is Chief Product Security Officer at Virgil Security and co-author of the NoiseSocket Protocol. Originally posted on habr.ru. --- Virgil Security, Inc. enables developers to eliminate passwords & encrypt everything, in hours, without having to become security experts. Get started today at VirgilSecurity.com.
https://virgilsecurity.com/blog/cryptocurrency-mining
CC-MAIN-2021-43
refinedweb
1,924
55.84
Version 1.0 Sylvain Laizet & Eric Lamballais sylvain.laizet@gmail.com and eric.lamballais@univ-poitiers.fr 1 General overview of Incompact3d Incompact3d isStokes equations. This high level of parallelisation is achieved thanks to a highly scalable 2D decomposition library and a distributed Fast Fourier Transform (FFT) interface [2]. This library is available at htt p : // and can be freely used for your own code. Incompact3d is based on a Cartesian mesh. The use of such a simplified mesh offers the opportunity to implement high-order compact schemes in the code for the spatial discretisation whilst an Immersed Boundary Method (IBM) allows the implementation of any solid wall/bluff body geometry inside the computational domain. The main originality of the code is that the Poisson equation (to ensure the incompressibility) is fully solved in the spectral space via the modified wave number formalism, no matter what the boundary conditions are (periodic, free-slip, no-slip, inflow/outflow, etc.). Note finally that the pressure mesh is staggered from the velocity one by half a mesh to avoid spurious pressure oscillations that can be introduced by the IBM [1]. A priori, the combination of high-order schemes with the IBM might be problematic because of the discontinuity in velocity derivatives imposed locally by the artificial forcing term. However, even though the formal order of the solution can be reduced as a result of the IBM, the code has been demonstrated to be far more accurate with a sixthorder scheme than with a second order scheme both in statistics and instantaneous field realisations[6, 5]. Note that there is an ongoing research project in Poitiers (France) on this topic. The idea is to use an innovative 1D approach to reduce the discontinuity in velocity derivatives at the wall of the solid body. This new strategy is not yet implemented in the released version of the code. More information about the numerical methods can be found in: • Laizet S.& Lamballais E., High-order compact schemes for incompressible flows: a simple and efficient method with the quasi-spectral accuracy, J. Comp. Phys., vol 228-15, pp 5989-6015, 2009 • Lamballais E., Fortune V. & Laizet S., Straightforward high-order numerical dissipation via the viscous term for Direct and Large Eddy Simulation, J. Comp. Phys., Vol 230-9, pp 3270-3275, 2011 More information about the parallel strategy of the code can be found in: • Laizet S.& Li N., Incompact3d, a powerful tool to tackle turbulence problems with up to 0(105 ) computational cores, Int. J. of Numerical Methods in Fluids, Vol 67-11, pp 1735-1757, 2011 • Laizet S., Lamballais E. & Vassilicos J.C., A numerical strategy to combine high-order schemes, complex geometry and parallel computing for high resolution DNS of fractal generated turbulence, Computers & Fluids, vol 39-3, pp 471-484, 2010 IMPORTANT: • It is strongly recommended to read references [1] and [2] before starting using the code. • We kindly ask you to cite the previous references (when suitable) in your work based on Incompact3d. • This version of the code is not working in 2D. We are considering realeasing in the near future a 2D version without any domain decomposition. 1 f90: It is the main file of the code. List of files (alphabetic order) ⋄ convdiff.parameter :: integer. ⋄ module param. Depending on your flow configuration and Reynolds number. The 2D domain decomposition files are coming from the open source 2DECOMP&FFT library and are not explained in this document (see section 4 for more details). integer.2 Get started There is a Make f ile for the code so it is really easy to compile it.f90. You just have to choose the correct commands depending on your machine/compiler.f90: This file contains all the derivatives and interpolations (derivatives from velocity mesh to velocity mesh. The following four lines are very important to define the number of mesh nodes and the 2D mapping. To control this extra-dissipation procedure. it is advised to take a multiple of the number of cores per processor. derivatives/interpolations from velocity mesh to pressure mesh. if any. This file should not be modified by the users. at the compilation stage. it is recommended to use the combination g f ortran along with the openmpi library.p col=8 nxm=nx-1.ny=64.nym=ny.parameter :: integer.parameter :: integer. However the choice for n∗ is very important in terms of performances. g f ortran is installed by default in most of the Linux distributions.f90: This file contains two subroutines: convdi f f for the evaluation of the convective-diffusive terms and scalar for the entire evaluation of a passive scalar equation. only the files related to the solving of the incompressible Navier-Stokes equation are described. see [2] for more details). The executable file is incompact3d. see dedicated sub-section. It is possible to switch from sixth order to fourth or second order by modifying the coefficients of the finite difference schemes in the file schemes. The numerical viscosity introduced by the present discretization is only concentrated at the highest wave numbers so that it cannot replace a subgrid-scale model in the context of large eddy simulation (LES). It is recommended to set nvisu = 1 or 2 for nice visualizations. On a local system. This family of finite difference scheme can be easily adjusted to be over-dissipative on a narrow range of scales in the neighbourhood of the cutoff wave number associated with the mesh. It is very important to know the architecture of the supercomputer where a simulation will be undertaken. The code should easily compile and run on any machine. nvisu defines the size of the 3D arrays for the collection of 3D snapshots.openmpi. The generic Fast Fourier Transformations (FFTs) implemented in Incompact3d allow the use of almost any number for n∗. The statistics are saved every nstat mesh nodes. ⋄ derive.f90. it is recommended to make sure that n ∗ /prow and n ∗ /pcol are integers (not 2 .nvisu=2 p row=4. there is no need of any external library for the FFT as there is a generic FFT subroutine along with the code.nz=32 nstat=4. z) corresponds to the number of mesh nodes for the velocity mesh. nstat defines the size of the 3D array for the collection of the statistics. To start with. it it recommended to use the extra-dissipation procedure introduced artificially via the viscous term. y. This opportunity is offered by the use of the compact schemes to compute second derivatives. prow × pcol defines the 2D mapping (size of the pencils. In a similar way. It is recommended to set nstat = 2. 4 or 8.nzm=nz n∗ (where ∗ = x. derivatives/interpolations from pressure mesh to velocity mesh). Please be kind to report bugs/problems. see the description of schemes. nm∗ corresponds to the number of mesh nodes for the staggered pressure mesh. For better performances.f90: File with the modules for the code.More details about this numerical procedure can be found in [3]. The 3D snapshots are saved every nvisu mesh nodes.org 3 Detailed description of the code In this section. The input/output are described in the section 4. It also allows an efficient control of the aliasing errors (non-negligible when high-order schemes are used) by comparison with a compact filtering of the non-linear terms. Instruction to compile the openmpi library with g f ortran can be found on www. Any variables/1D arrays should be declared in this file.parameter :: nx=129. ⋄ incompact3d. – subroutine init: subroutine to initialise the flow configuration when not starting with a restart file. – subroutine body: subroutine to define a solid body (circular cylinder) inside the computational domain. 3) : ∗end(1. ⋄ navier. see [1] for more details). More details can be found in [6.f90: This file contains the subroutines related to the evaluation of the Poisson equation in the spectral space (initialisation of modified wave numbers and transfer functions. matrice for stretched mesh in the lateral direction. if ncl∗ = 0 then n∗ needs to be even. ⋄ poisson. 2 then n∗ needs to be odd. – subroutine gradp: subroutine to compute the gradient of the pressure (from pressure mesh to velocity mesh). Finally.f90: This file contains various subroutines for the evaluation of the Navier-Stokes equations: – subroutine intt: subroutine for the time advancement. k in a subroutine. when open boundaries conditions (nclx = 2) are used these subroutines are necessary to impose the inflow condition (most of the time a uniform profile with any perturbations) and the outflow condition (based on a basic 1D convection equation).3 respectively). etc. – subroutine corgp: subroutine for the velocity correction by the pressure gradients. It is possible to improve this technique by using a mirror flow inside the solid body in order to avoid the discontinuity on the velocity field for a better estimation of the gradients. xsize(2). to store the velocity uy at the previous time step. 3 . 3) OR ∗size(1. – subroutine corgp IBM: subroutine for a pre/post correction by the pressure gradient on the intermediate velocity field.2. It is important to declare 2D/3D arrays in the correct pencil (X.prm and then defines various parameters for the simulation. except the subroutines ecoule and init to add more flow configurations. 2. 2. – subroutine inflow/outflow: By convention. The idea is to freeze the velocity to zero inside the computational domain. The ∗size is used if there is no need to use the coefficients i. mixing-layer. We recommend the users to add new subroutines rather than modifying the existing ones. This file should not be modified by the users.f90: This file contains various subroutines such as the computation of the min/max for the velocity/scalar. Therefore. 5] – subroutine pre correc: subroutine to impose the boundary conditions on the velocity when open boundary conditions are used on the velocity field (ncl∗ = 2). xstart(3) : xend(3))). – subroutine divergence: subroutine to compute the divergence of a vector from velocity mesh to pressure mesh. ⋄ tools. for a spatially evolving configuration. 3) where ∗ = 1. The coefficients should not be modified by the users. both arrays have the same size but the coefficients i. 2. xstart(2) : xend(2). ⋄ variables. If ncl∗ = 1. inversion of a pentadiagonal matrice (if a stretched mesh is used) and the restart procedure. By comvention. ⋄ parameters.). 3.f90: Subroutine which reads the input file incompact3d. corresponding to 1. wake. the streamwise direction of the flow is in the x−direction. j. shifted Fast Fourier Transformations (FFTs). ⋄ schemes. with the correct size: ∗start(1. the array gy is defined with allocate(gy(xsize(1). These subroutines should not be modified by the users.f90: All the 2D/3D arrays should be declared in this file. See [1] for more details. For instance. 2. – subroutine ecoule: subroutine to define the mean flow configuration for the initial/input conditions (channel flow. k are different. only 3D arrays should appear in the argument of a subroutine. This file should not be modified by the users. except to reduce the order of the schemes or to adjust the extra-dissipation procedure [3]. In pratice. xsize(3) whereas uy1 is defined with allocate(uy1(xstart(1) : xend(1).real) in order to have an equal load balance among the computational cores and to avoid potential bugs. Y or Zpencil.f90: This file contains the subroutine with the initialisation of the variables needed for the derivative and interpolations. j. Different boundary conditions can be used in the three spatial direction: • Periodic conditions corresponding to ncl = 0 • Free-slip conditions corresponding to ncl = 1 • Open Boundary conditions (Dirichlet conditions for the velocity for no-slip or inflow/outflow conditions). 64 for ranks 24 to 31. For instance the combination for a temporal channel flow is (0 − 2 − 0). xsize(1) = nx . .. It is recommended to undertake a preliminary study in order to find the optimum time step before running production simulations. .. 16 for ranks 0 to 7. ... k = 25. ranking from 0 to 31. corresponding to ncl = 2 So far.. The time step must be not too small for a reasonable computational cost but not too big for obvious stability issues..... .. istret = 2 can be used for a turbulent channel flow. j = 33.. Finally. There is no procedure in the code to check if a time step is valid or not. 129. . j = 1.. if istret = 3 then a stretching is used with a mesh refinement only at the bottom boundary of the computational domain. . . It is possible to use a checkpoint or restart procedure in the code with the parameter ilit. .. k = 13. The input Reynolds number re is also based on the same characteristic length.. no stretched mesh is used..dat that is generated every isave time step. 4) in the presence of a solid body inside the computational domain (ivirt = 1).EXAMPLE: A simulation is based on nx × ny × nz = 129 × 64 × 32 mesh nodes using a 2D mapping prow × pcol = 4 × 8=32 computational cores. It contains all the arrays to restart a simulation.. The size of gy is gy(129.. k = 1. . 48 for ranks 16 to 23 and j = 49. with periodic boundary conditions in the spanwise direction and free-slip boundary conditions in the lateral direction. If istret = 0. 16 and k = 1. (1 − 2 − 1) and (2 − 2 − 2). Two different formulations can be used for the convective terms of the Navier-Stokes equation: ∂u j ∂ui − corresponding to iskew = 0. (1 − 1 − 1). xsize(3) = nz /pcol = 4. Note that at the moment. covering a wide range of flow configuration: (0 − 0 − 0). 4 . It is recommended to use an AB scheme (nscheme = 1. A random noise can be use for the inflow and/or for the initial condition (noise/noise1). it is possible to use four different temporal schemes (parameter nscheme). the combination is (2−1−0). If istret = 1 then a stretching is used with a mesh refinement in the center of the computational domain..prm The size of the computational domain is xlx × yly × zlz.. 28 for ranks 6/14/22 and 30 and finally k = 29. When developing your own subroutine in the code or before starting a simulation. This could be the diameter D of a cylinder or half the size h of a channel flow. The size of uy is uy(129.. xsize(2) = ny /prow = 16.. . . Input parameters file: incompact3d. • the rotational formulation Hi = u j ∂x ∂x j i ∂u u ∂ui • the skew-symmetric formulation Hi = 12 ∂xi j j + u j ∂x corresponding to iskew = 1... 4) with i = 1. The parameters i f irst and ilast must be modified accordingly. k = 5. 10 different combinations can be used in the code.. The time step has to be chosen carefully with regards to the stability conditions of the simulation [4]. k = 17.f90: Input/Output file. For this configuration. See section 3 for more details. . 24 for rank 5/13/21 and 29... (2 − 2 − 1). It is possible to use a stretched mesh in the lateral y−direction with the parameter istret. 12 for ranks 2/10/18 and 26. 8 for ranks 1/9/17 and 25. For a spatially evolving flow. 4 for ranks 0/8/16 and 24. If istret = 2 then a stretching is used with a mesh refinement at the boundaries of the computational domain. (0 − 2 − 0). (1 − 1 − 0).. 32 for ranks 8 to 15. (2 − 1 − 0). k = 9. 16 for ranks 3/11/19 and 27.. j = 17. (2 − 0 − 0). 4 for all the ranks. 32 for ranks 7/15/23 and 31. It is important to know that all the combinations have not been tested so you may eventually experience some problems. If ilit = 0 then the simulation will start with the initial conditions (subroutine init) with the initial configuration defined through the parameter i f low. k = 21. 16. . 4) with i = 1. 129 for all the ranks. ⋄ visu. It should be normalize with the reference length of the flow configuration. j We recommend to use the skew-symmetric formulation for a better modelisation of the small scales. j = 1. 16.. . If ilit = 1 then the code will use the restart file sauve. ∗start and ∗end for a better understanding of the 2D mapping decomposition. ... istret = 3 can be used for a turbulent boundary layer.. it is recommended to check/print the ∗size. 20 for ranks 4/12/20 and 28. . (1 − 0 − 0). A restart file sauve. 4 Input/Output Several tools have been developed to manage efficiently Input/Output in the code. to record various quantities at each time step (similar to a virtual probes). we are in Z-pencil in the physical space. Figure 1: Stucture of Incompact3d with the 2D domain decomposition. f 90. it is possible to collect 2D/3D snapshots of the flow (similar to a virtual cameras). 5 .f90 incompact3d. The subroutine STAT IST IC is collecting first and second order moments statistics.2. f ilename): ipencil is equal to 1. This number can be up to 69 depending on the boundary conditions. 55 global transpose operations need to be performed at each time step. For the code using tri-periodic boundary conditions.3 for X-pencil. in order to reduce the global transpose operations. As previously explained there is a restart procedure in the code (file tools. This figure also shows the management of the pencils swaps. In the subroutine V ISU INSTA.2. in Z-pencil again after the 3D FFT backward. Z-pencil respectively. subroutine restart). iplane. iplane is equal to 1. For the Poisson solver in the spectral space.3 to save a X-plane. f 90 and the Input/Output tools are described in the following section. Z-plane respectively. Y-plane. The idea is to collect data over time in space (every nstat mesh nodes). n. when performing the 3D FFT forward. var. f 90 is the main file of the code. In terms of 2D/3D snapshots. a single division is required and the modified wave numbers combined with the transfer functions are all independent with each other. Note that it is possible to restart the simulation with different number of computational cores. Note that. then in X-pencil in the spectral space and finally.Main file of the code: incompact3d. n corresponds to the location of the plane. These subroutines are in the file visu. var is the name of the 3D array.dat is generated every isave time step. The structure of the code is presented in figure 1. containing the time loop relative to the evaluation of the incompressible Navier-Stokes equations. Y-pencil. several subroutines can be used: • 2D snapshots (full resolution): subroutine decomp 2d write plane(pencil. j.k).f ilename is the name of the output file.8). EXAMPLE: call decomp 2d write one(nx. the code is using the 2DECOMP&FFT library. var coarseS).dat the 3D array uy2 (defined in Y-pencil).nz.2). Z-pencil respectively. A similar procedure can be used to save data in Y-pencils and Z-pencils.1.’uz coarse.dat’.3 for X-pencil. var. f ilename.dat’) is going to write in uy2. EXAMPLE: call decomp 2d write plane(1. I want to save the three components of the velocity at each time step for j = k = 181 and every 8 mesh nodes in the x−direction. I will simply use the following lines: if (nrank==4095) then if (itime==ifirst) then write (filename.xsize(2).j=1. icoarse is equal to nstat or nvisu (see file module param. nz.112. ipencil.i=1. • 3D snapshots (full resolution): subroutine decomp 2d write one(nx.2. • 3D snapshots (coarse resolution): subroutine decomp 2d write one(ipencil.uvisu) will write in the coarse array uvisu the 3D arrays (full resolution) uz1 (defined in Z-pencil).ny. Y-pencil.2.dat the 3D array uvisu (defined every nvisu mesh nodes in X-pencil).form=’unformatted’) endif write (nrank) (((ux1(i. xszS(2).xsize(1).j.i=1. Y-pencil.2). Z-pencil respectively.var is the name of the 3D array.xsize(2). var f ull.& (((uz1(i.j.j=1.k=1.i=1. f ilename): ipencil is equal to 1. Then call decomp 2d write one(1.xsize(1).xsize(3).k). 5 2D Decomp&FFT library In order to make the best use of supercomputers.’uy2.8).xsize(3). f ilename is the name of the output file. f 90). var f ull.2).xsize(3).3 for X-pencil. EXAMPLE: In this example.xsize(1). var is the name of the 3D array. for i=112.file=filename.ux1. f ilename is the name of the output file.j=1. The array var is defined on a coarse mesh (every nstat or nvisu mesh node). it is recommended to use the arrays xstart and xend.uy2.2. • X-pencils (various resolutions): It is obviously possible to save data for only a few numbers of X-pencils.k=1. xszV (2).k). icoarse): ipencil is equal to 1. var coarseV ) or f ine to coarseS(ipencil. a simulation with nx × ny × nz = 2881 × 360 × 360 is running on 3600 computational cores with a 2D mapping praw × pcol = 60 × 60.uz1. EXAMPLE: call fine to coarseV(1. 2DECOMP&FFT is a software framework to facilitate the creation of large-scale parallel scientific applications on supercomputers.2). xszS(3)). As a communication library.& (((uy1(i. it implements so-called 2D 6 .uvisu.xsize(2). The size of var coarseS is (xszS(1). The files related to this library are not explained in this document. The size of var coarseV is (xszV (1). ny. var. xszV (3)).2) will write in uz coarse.2) if (itime==ilast) close (nrank) endif To identify which computational core corresponds to j = k = 181.8).’ux2d’) is going to write in ux2d a 2D (y-z)-plane of the 3D array ux1 (defined in X-pencil).k=1. 923) nrank open (nrank.2). Before calling the subroutine it is necessary to call the subroutine f ine to coarseV (ipencil. org 6 Recommendations/Remarks • COMPILERS and OPTIONS: The code has been used on several supercomputers (more than 15 so far). with different Fortran compilers and different options. NAG and HECToR through the dCSE initiative are also acknowledged for financial support and computational time. the performance of the code will be very poor due to an unfair balance between communication and computation. etc. it is crucial to test the options available for a compiler. Please be kind to report any bugs/problems through the user group forum (you need to register). Below this limit. Helmholtz. the UK turbulence consortium (grant EP/G069581/1). widening the range of applications of the code and correcting all the minor/major bugs. Applications that are based on three-dimensional Cartesian-topology structured mesh and use some of the following numerical algorithms may benefit from 2DECOMP&FFT: • spectral method • compact finite difference (or similar spatially implicit schemes) • elliptic PDE solver (Poisson. It has been shown that: (i) The code is always faster when using only few cores per processor. The possibilities of the code are huge and we did not have the chance to validate all the different configurations. Based on the authors experience.) • other algorithms involving 3D FFT. Acknowledgements The authors would like to thanks Dr Ning Li from NAG for the implementation of the 2D decomposition library and distributed Fast Fourier Transform (FFT) interface in the code. it is recommended to use more than 100. • BUGS/PROBLEMS: This is the first release of the code so please be nice with the code and not too demanding! Opening the code is an opportunity for every user to benefit from contributions from others. Sylvain Laizet would like to thanks Prof. The library is written in Fortran and built on top of MPI. 7 .!). the code is very slow. contributions that will be in future versions. Any user who wants to use the code for a research project should attend the training course. In terms of optimisation. it is possible to experience some difficulties at the compilation stage or when running the simulations. The authors will be very happy to interact with potential users and to discuss for any kind of collaborations.2decomp. It also provides a highly scalable and efficient interface to perform three-dimensional Fast Fourier Transforms (FFT). Other users may be able to help you! • TUTORIALS and TRAINING: We are planning to release two or three tutorials: T1 (Flow past a cylinder at Re = 300) and T2 (turbulent channel flow at Reτ = 180). Those tutorials should be very easy to follow for new users. Christos Vassilicos for the freedom in his research in the last six years. It is important to report any suspicious behaviour so we can investigate any potential problem.. it is very important to find the optimum number of computational cores and the more efficient 2D mapping (p row × p col) for a given production simulation in order to save computational time. It is very important to undertake your own performance testing as supercomputers can be very different from one to another. Training courses will be offered very soon up to twice a year in various institutions in Europe to present and promote Incompact3d. They also thanks Dr Sylvain Lardeau for the very early development of the code (about ten years ago. (iii) The fastest results are obtained when p col ≈ p row.000 mesh nodes per computational cores. However. Further details are available at decomposition for partitioning three-dimensional data sets on distributed systems and performing transposebased communication. (ii) When p row << p col or p col << p row. EPSRC (grant EP/H030875/1).. The code is very sensitive to optimization options and finding the good options can save you a lot of time! • NUMBER OF CORES and 2D MAPPING: As previously explained. The code is (or at least should be!) machine/compiler independent. Munich. 2011. 1992. Comp. [3] E. Fluids. DLES-5. Li. Heitz. Lamballais. [6] P. Compact finite difference schemes with spectral-like resolution. Parnaudeau. K. Comp. 2003. In Proc. V. Experimental and numerical studies of the flow over a circular cylinder at Reynolds number 3 900.References [1] S.. 2008. J. Lamballais. Int. Phys. 228(16):5989–6015.. and E. 2009. High-order compact schemes for incompressible flows: a simple and efficient method with the quasi-spectral accuracy. [2] S. Numer. a powerful tool to tackle turbulence problems with up to o(105 ) computational cores. J. Carlier. [5] P. and J. Lamballais. Phys. 67(11):1735–1757. Heitz. 20:085101. Phys. 230(9):3270–3275. Incompact3d. 8 . J. Combination of the immersed boundary method with compact schemes for DNS of flows in complex geometry.. Parnaudeau. D. H. Comp. Silvestrini. [4] S. J. Lamballais. D. and S. E. Laizet. Lele. Methods Fluids. Laizet and E. 2011. Fortune. Laizet and N. Straightforward high-order numerical dissipation via the viscous term for direct and large eddy simulation. 103:16–42. J. Phys.
https://www.scribd.com/document/271252234/User-Guide-Incompact3d-V1-0
CC-MAIN-2018-47
refinedweb
4,529
59.19
Harry Pierson blogged about his opinion that the WF persistence service is a toy and the WF web services implementation is a toy. He points out some specific issues that he has with these parts of WF but he hasn't given the full story and not all of his facts are right. Here's the areas where I disagree: 1. The WF Persistence Service Loading Instances on Startup The WF runtime doesn't load all idle instances on startup, that would be crazy. The WF persistence service has two flags that governs how it loads. One is the locked flag which is set when a WF runtime has a workflow instance loaded in memory. This prevents other WF runtimes potentially running on other servers from loading the same instance at the same time. The locked flag has a timeout associated with it just incase the WF runtime that has locked a WF instance and that timeout is set in the persistence service constructor. The second flag is the blocked flag which is set when the WF instance is waiting for a message or waiting on a delay timeout. When this flag is set it means that the WF instance is idle. When the persistence service starts up it only loads WF instances that are not locked and also not blocked. This subset represents all the WF instances that are ready to run and need the CPU to execute on right away. In the case where you have an existing web farm there is an existing WF runtime that is loading WF instances into RAM and executing them as messages arrive and timeouts occur. If you add a new WF runtime node to such a farm the only WF instances loaded on startup would be ones that have very recently experienced a timeout. This is very unlikely to represent the thousands of instances loaded in an overload condition. 2. The Web Services Wrapper Use of ASP.NET Sessions The Web Services wrapper created by WF doesn't use ASP.NET Sessions to track a single WF instance across multiple web or web service calls. This means that WF instances don't timeout after 20 minutes or whatever time is specified for that. Instead it uses client side cookies to track the WF instance. This is why you have to pass cookies back to a web service call that uses a WF instance if you want to interact with that same instance. 3. The Web Service TEMPUI.ORG Namespace Yes, the generated web services always use tempui.org as the namespace.. [WebServiceBinding] [WebService(Namespace="")] public class myWFWebService : WorkflowWebService { public myWFWebService() : base(typeof(Workflow1)) { } [WebMethod] public virtual string myMethod(string s) return (string)base.Invoke(typeof(Interface1), "myMethod", true, new object[] { s })[0]; } The above sample is for an interface that’s like this: interface Interface1 string myMethod(string s); Okay now here's my 10 reasons why WF isn't a toy By the way if anyone finds something in WF that they think needs improved, please let us know. We have some great community interaction and you can use the public MSDN Forum that we've set up or you can report a bug or feature suggestion at the workflow Microsoft Connect site. We'd really like to hear from you so that we can continue to build great software. There is so much I want to say about important topics like Rocky's well-written, thought provoking Semantic Try turning on FIPS and using WF... Since I´ve been working with Windows Workflow Foundation (Project BHAL), I´ve gathered quite a list of... Paul - I feel compelled to come to Harry's defense (not of his use of the word toy necessarily ;-)) - but I was the one who gave him his information. Please check out my most recent entry for clarification. Um - "...once it releases in November 2007." Are you saying that WF (and .NET 3.0) will be officially released in 11/07? Did I miss that elsewhere? Or do you mean something else by "it"? Kevin Hi Kevin, Windows Workflow Foundation will release with the .NET Framework 3.0. That's scheduled to release at the same time as Windows Vista goes RTM. See: Regards, Paul Thanks for clarifying what exactly gets loaded, just wondering is there any particular reason you load the workflows that are not started when you start the runtime? Just noticed we may need to rethink our batch creation strategy. Currently we create and unload about 4000 workflows and intent to start them at a later time. They appear to get loaded when the runtime start as they are not locked and not blocked (this takes a while). If there is a good reason for loading them we wont mod the code/stored proc that loads unstarted runtimes, otherwise we’ll probably start them when we create them and put them into an intermittent state waiting for a later kick-off. Perhaps this is not the forum to discuss this but we’ve been trying to identify the best practices regarding how to use the SQL persistence service. Hi Keith, The persistence service does not load the workflow instances that are not started. It only loades instances that are ready to run. I don't know why you think you're seeing that. You must have some other problem. I'd suggest you take it up on the MSDN Forums.. Also did you review the SDK documentation? There's been a bit of a heated debate on Workflow Foundation going on which Paul Andrew captured and... Sorry Paul, but I can't let you off the hook on this one yet, because what you're saying just doesn't tally with the tests we've done. In the code in front of me I create and persist a non-started workflow. It goes into the database with a status of '4'. In the 'RetrieveNonBlockingInstanceStateIds' I can clearly see that statuses of 4 *are* loaded by this proc (which is called by the SqlWorkflowPersistenceService at runtime startup) SELECT uidInstanceID FROM [dbo].[InstanceState] WITH (TABLOCK,UPDLOCK,HOLDLOCK) WHERE blocked=0 AND status<>1 AND status<>3 AND status<>2 -- not blocked and not completed and not terminated and not suspended ...and sure enough when I start the runtime I see the 'Workflows in Memory' performance counter rise by the number of persited, non-started workflows I have in the database. I'm not sure how I can mis-interpret this. The only thing I wonder about is whether you've rev'd the stored procs after releasing the RC5 (.Net3 RC1) build, and you and I are looking at different code. Hi Piers, I'm working with Doug Orange at Microsoft Australia on this. Let's continue to discuss your debuging on that thread. Paul Hace ya bastante tiempo que llevo jugando con WF, puesto que lo necesitaba por exigencias de trabajo, Trademarks | Privacy Statement
http://blogs.msdn.com/pandrew/archive/2006/10/16/Ten-Reasons-why-WF-is-not-a-Toy.aspx
crawl-002
refinedweb
1,160
71.24
Introducing Mixing Loom – Runtime ActionScript Bytecode Modification Introducing Mixing Loom – Runtime ActionScript Bytecode Modification Join the DZone community and get the full member experience.Join For Free At this year’s 360|Flex conference in Denver, Mike Labriola and I unveiled a new project we’ve been working on called Mixing Loom. Our presentation was called “Planet of the AOPs” because Mixing Loom lays the foundation for true Aspect Oriented Programming (AOP) on the Flash Platform. Mixing Loom provides Flex and ActionScript applications the hooks they need to do bytecode modification either before runtime or at runtime. Through bytecode modification an application can apply a behavior across hierarchies of objects. There are a number of behaviors in a typical Flex application (such as logging, security, application configuration, accessibility, and styling) that could be represented as Aspects. Today these behaviors must either be included in every class that needs them or included way down the object hierarchy (i.e. UIComponent). With Mixing Loom a compiled SWF can be modified (applying necessary behaviors) after it’s been compiled or as it’s starting up. If you are building Flex apps and want to take advantage of AOP then Mixing Loom is probably a bit lower level than what you need. Mixing Loom combined with AS3 Commons Bytecode provides the foundation for AOP systems to be built on top of. We hope that by providing developers the hooks to modify bytecode that frameworks will emerge that provide application developers higher level APIs based on AOP. As Mike says, “Mixing Loom kicks off the Summer of AOP.” If you are one of those developers who likes getting dirty with bytecode modification then you might want to check out the slides from the “Planet of the AOPs” session: If you are still following along and looking for more details on how to use Mixing Loom, then keep reading. Flex applications are broken into at least two pieces. The first piece is the thing that displays the loading / progress bar. That is located on the first “frame” of an application’s SWF file. The rest of the application is on the second frame of the main SWF and possibly in other SWF files like Modules and/or Runtime Shared Libraries (RSLs). Mixing Loom provides two ways to modify the bytecode of a running application. First, using a custom preloader an application can modify its second frame and/or any Flex Modules before they are loaded into the VM. The second way is to use LoomApplication and a custom preloader, which allows an application to modify its second frame, modules, and/or RSLs (even the signed Flex Framework RSLs). Let’s walk through a simple example of an application that uses a custom preloader to modify a string that exists in its second frame. Let’s take a simple object Foo that has a getBar method, which returns a string “a bar”: package blah { public class Foo { public function getBar():String { return "a bar"; } } } And here is a simple application that just displays the results of calling an instance of Foo’s getBar method: <?xml version="1.0"?> <s:Application xmlns:fx="" xmlns: <fx:Script> import blah.Foo; </fx:Script> <s:applicationComplete> var foo:Foo = new Foo(); l.text = foo.getBar(); </s:applicationComplete> <s:Label </s:Application> If you were to run this application as is then the Label would display “a bar” – as expected. But to give you an idea of how to do runtime bytecode modification let’s change the “a bar” string to something else. (BTW: If you are following along then you will need to pull down the mixingloom-core code from github and compile it on your own because we haven’t published a SWC for Mixing Loom yet.) The thing in Mixing Loom that actually does the bytecode modification is called a “Patcher” so we will need to create one of those that searches the bytecode for a string and then replaces that string. Before we do that, let me explain how a SWF file is structured. Every SWF file is a series of “tags”. There are many different tag types but the types we are interested in for bytecode modification are the ones that actually contain the ActionScript ByteCode (ABC). This is the DoABC tag – type 82. For a full list of SWF tags and their structures check out the SWF Spec. One of the tag types indicates an executable boundary called a Frame. As a SWF file is being loaded by Flash Player it is parsing it. When Flash Player parses a “ShowFrame” tag it knows it can load and run the preceding tags. The code doing the bytecode modification will be running on the first frame, which means that all of the tags to do the modification and those to display the Flex preloader will have already been loaded. That means we can’t modify those tags using this method at runtime. But we can modify the tags on the second frame of the SWF, which will be passed to our Patcher before they have actually been loaded. Here is the code for the StringModifierPatcher:(); } } } The StringModifierPatcher extends the Mixing Loom AbstractPatcher and takes two parameters, the originalString and the replacementString. The StringModifierPatcher has an apply method, which will be called by Mixing Loom during application startup. In the apply method the StringModifierPatcher creates a search ByteArray and a replacement ByteArray from the provided strings. Then it loops through each tag from the second frame of the SWF being loaded (ignoring everything that is not a DoABC tag) and then uses Mixing Loom’s ByteArrayUtils.findAndReplaceFirstOccurrence utility to replace the first occurrence of the search ByteArray with replacement ByteArray. Finally it notifies Mixing Loom that it is all done by calling the invokeCallBack method. So that is the simple example of actually modifying the application, but we still need to set the hooks in the main application so that Mixing Loom can do its thing. Since this example only modifies frame 2 tags (no RSLs), we can just use a custom preloader to set up the Mixing Loom hooks. Here is the StringModifierPatcherPreloader:") ); } } } The StringModifierPatcherPreloader extends Mixing Loom’s AbstractPreloader and uses the setupPatchers method to register a new patcher. In this case the only patcher is an instance of the StringModifierPatcher that will search for the default “a bar” string and replace it with the “not really a bar” string. The last thing to make this all work is to tell the main application to use the new preloader: <s:Application xmlns:fx="" xmlns: Here is the result: Exciting! Our application code just modified itself at startup! Now this is obviously a very trivial example but I hope it provides a basic understanding of how to use Mixing Loom as the foundation for AOP. Let’s walk through some other examples that are more exciting (and complex). For the next example let’s do something a little more AOP-ish. There will be an XML configuration file that is loaded on startup that will specify some classes and methods to apply interceptors to. An interceptor is simply a method call injected into the body of a method. First, here is the FooInterceptor class:> In this case it is saying to only apply the interceptor to the SWF tag with the name “blah/Foo”. In a debug version of the application the Foo class from above will be in its own SWF tag named “blah/Foo”. The reason that the SWF tag is specified in this case is because by doing this the application won’t need to deserialize and reserialize every class. The downside to doing things this way is that it won’t work if we create an optimized SWF where all of the frame 2 classes are contained in one SWF tag. With some more work in AS3 Commons Bytecode we could optimize things for this kind of use case. Volunteers? :) The methodEntryInvoker simply specifies the class and method name to call on method entry. This interceptor will be added to every method, on every class in the SWF tag with the name “blah/Foo”. Now for the fun part… Here is the patcher that loads the XML config file, parses it, and then applies the interceptor: (meaning the patcher is being applied to the SWF tags on the second frame of the loading SWF) then it uses URLLoader to load the XML config file. Notice that URLLoader is used, not HTTPService. That is because anything that goes into a patcher is put on the first frame of the SWF and if HTTPService was used here, then there would be a ton of additional classes (dependencies) that would need to also be moved to the first frame. While technically this would work, it’s not a good practice because the more that is on the first frame, the longer the user has to wait before the preloader shows up (remember: all of the frame must be transferred across the network before the frame is loaded into the VM). If the invocation type is not “FRAME2″ then the invokeCallBack method is called to tell Mixing Loom that this patcher is done with the current invocation. Side note: patchers can block for as long as they want. Nothing moves forward in Mixing Loom until a patcher calls the invokeCallBack method. When the data for the XML file arrives it is parsed using the E4X library. Then new QualifiedName instances are created based on the interceptor’s class and method names. Now the SWF tag with the name specified in the XML file is processed. First it is deserialized by AS3 Commons Bytecode. This provides an object representation of the underlying ABC code contained in the SWF tag. Then for every class and method the interceptor is applied at the beginning of the method. Kinda. There are a few operations that must happen at the very beginning of the method. For each method being intercepted we need to move past the “pushscope” opcode before we can insert new opcodes. Then four new opcodes are spliced into the array of opcodes for the method: findpropstrict, getproperty, callproperty, and pop. Those four opcodes are the ABC equivalent of calling the static method on the specified interceptor class. In this case the rest of the opcodes in the method will be left alone. Finally the ABC is recreated using AS3 Commons Bytecode and the original SWF tag is overwritten and the invokeCallBack method is called. Just like before we need a custom preloader to register the patchers:="" xmlns: <fx:Script> import blah.Foo; import FooInterceptor; FooInterceptor; </fx:Script> <s:Button <s:click> var foo:Foo = new Foo(); foo.getBar(); </s:click> </s:Button> </s:Application> Notice that since there wasn’t a reference anywhere else to the FooInterceptor we had to include one manually otherwise it will not exist in the compiled SWF. Here is a demo of that application: Well, that was fun! And I hope you can see how Mixing Loom can be the foundation for doing AOP in Flex / ActionScript! But before I let you go I want to show you one more crazy thing we can do with Mixing Loom. Patchers can do just about anything they want since Mixing Loom provides hooks to modify the second frame, RSLs, and Modules. For instance, say there is a private method or property in the Flex framework that you need access to. One option is to use Monkey Patching to replace that class with one that you maintain. This is not a very maintainable way to get access to something that is private. Using Mixing Loom you can simply patch the class at runtime. Here is a simple (but impractical) example… The spark.components.Application class has a private method called “debugTickler” on it. Using the RevealPrivatesPatcher from Mixing Loom we can make that method public at runtime. First extend the base RevealPrivatesPatcher class and tell it only to apply the patcher on the “spark_” RSL::fx="" xmlns:ml="library://ns.mixingloom.org/flex/spark" xmlns: <ml:applicationComplete> try { this['debugTickler'](); l.text = "Yeah. We just modified an RSL at runtime."; } catch (e:Error) { l.text = "booo"; } </ml:applicationComplete> <s:Label </ml:LoomApplication> Notice that we can’t use the dot syntax “this.debugTickler()” to call the method since the compiler won’t let us do that. Instead we have to use the object key syntax “this['debugTickler']()” in order to make the method call. Now watch as Mixing Loom’s magic wand modifies a signed Flex Framework RSL right before your very eyes: Fun stuff!!! And there is more to come! We are working on ways to also modify the first frame of the SWF and to modify a SWF pre-runtime. But now it’s your turn! All of the code for everything you’ve seen here, as well as some other demos, and goodies is all on github. We’d love to see the community create some interesting and useful patchers! So fork away and have fun! Let me know if you have any questions. From Opinions expressed by DZone contributors are their own. {{ parent.title || parent.header.title}} {{ parent.tldr }} {{ parent.linkDescription }}{{ parent.urlSource.name }}
https://dzone.com/articles/introducing-mixing-loom-%E2%80%93
CC-MAIN-2020-05
refinedweb
2,210
60.75
Add Foldable1 to base This is a proposal to add Foldable1 (non-empty Foldable) to base -- Data.Semigroup.Foldable class Foldable f => Foldable1 f where fold1 :: Semigroup m => f m -> m foldMap1 :: Semigroup m => (a -> m) -> (f a -> m) -- Possible methods head1 :: f a -> a last1 :: f a -> a toNonEmpty :: f a -> NonEmpty a along with instances and function that are only valid for non-empty structures (details: semigroupoids issue #49, github) import qualified Data.Semigroup as S minimum1, maximum1 :: (Ord a, Foldable1 f) => f a -> a minimum1 = S.getMin . foldMap1 S.Min maximum1 = S.getMax . foldMap1 S.Max head1, last1 :: Foldable1 f => f a -> a head1 = S.getFirst . foldMap1 S.First last1 = S.getLast . foldMap1 S.Last foldr1, foldl1 :: Foldable1 f => (a -> a -> a) -> (f a -> a) foldr1 f = unimprove . foldMap1 (\a -> Diff (f a) a) foldl1 f = unimprove . getDual . foldMap1 (\a -> Dual $ Diff (flip f a) a) Adding foldM, foldM_, foldrM and foldlM for non-empty structures is also a possibility. Currently these are partial functions in Foldable. This proposal does not propose replacing partial Foldable functions. I wanted to test the waters before submitting it to the libraries mailing list. This may be controversial but it gives us a path to avoid partial functions in Foldable.
https://gitlab.haskell.org/ghc/ghc/issues/13573
CC-MAIN-2020-16
refinedweb
209
64.71
This is the mail archive of the gcc-patches@gcc.gnu.org mailing list for the GCC project. On Tue, Aug 15, 2017 at 1:16 PM, Richard Biener <richard.guenther@gmail.com> wrote: > On Sat, Aug 12, 2017 at 11:09 AM, Pierre-Marie de Rodat > <derodat@adacore.com> wrote: >> On 08/11/2017 11:29 PM, Jason Merrill wrote: >>> >>> OK. >> >> >> Committed. Thank you for your sustained review effort, Jason. :-) > > The way you use decl_ultimate_origin conflicts with the early LTO > debug patches which > make dwarf2out_abstract_function call set_decl_origin_self and thus the assert > in gen_typedef_die triggers (and the rest probably misbehaves). > > Now I wonder whether we at any point need that self-origin? > > Currently it's set via > > static dw_die_ref > gen_decl_die (tree decl, tree origin, struct vlr_context *ctx, > dw_die_ref context_die) > { > ... > case FUNCTION_DECL: > #if 0 > /* FIXME */ > /* This doesn't work because the C frontend sets DECL_ABSTRACT_ORIGIN > on local redeclarations of global functions. That seems broken. */ > if (current_function_decl != decl) > /* This is only a declaration. */; > #endif > > /* If we're emitting a clone, emit info for the abstract instance. */ > if (origin || DECL_ORIGIN (decl) != decl) > dwarf2out_abstract_function (origin > ? DECL_ORIGIN (origin) > : DECL_ABSTRACT_ORIGIN (decl)); > > /* If we're emitting an out-of-line copy of an inline function, > emit info for the abstract instance and set up to refer to it. */ > else if (cgraph_function_possibly_inlined_p (decl) > && ! DECL_ABSTRACT_P (decl) > && ! class_or_namespace_scope_p (context_die) > /* dwarf2out_abstract_function won't emit a die if this is just > a declaration. We must avoid setting DECL_ABSTRACT_ORIGIN in > that case, because that works only if we have a die. */ > && DECL_INITIAL (decl) != NULL_TREE) > { > dwarf2out_abstract_function (decl); > set_decl_origin_self (decl); > } > > ok, not doing this at all doesn't work, doing it only in the above case neither. > > Bah. > > Can anyone explain to me why we do the set_decl_origin_self dance? Ok, so I need the following incremental patch to fix the fallout. This allows Ada LTO bootstrap to succeed with the early LTO debug patches. I assume this change is ok ontop of the LTO debug patches unless I hear otherwise til Monday (when I then finally will commit the series). Full bootstrap/testing running now. Thanks, Richard. 2017-08-18 Richard Biener <rguenther@suse.de> * dwarf2out.c (modified_type_die): Check for self origin before recursing. (gen_type_die_with_usage): Likewise. (gen_typedef_die): Allow self origin. * tree.c (variably_modified_type_p): Guard against Ada recursive pointer types. Attachment: p Description: Binary data
https://gcc.gnu.org/legacy-ml/gcc-patches/2017-08/msg01115.html
CC-MAIN-2022-27
refinedweb
379
51.24
utility header.: By default, std::sort sorts in ascending order using operator< to compare pairs of elements and swapping them if necessary (much like our selection sort example does above). We’ll talk more about std::sort in a future chapter. Quiz time Question #1 Show Solution 30 60 20 50 40 10 10 60 20 50 40 30 10 20 60 50 40 30 10 20 30 50 40 60 10 20 30 40 50 60 10 20 30 40 50 60 (self-swap) 10 20 30 40 50 60 (self-swap) Question #2 Simply change: to: smallestIndex should probably be renamed largestIndex as well. Question #3 roughly as many times as there are numbers in our array to guarantee that the whole array is sorted. Hint: When comparing pairs of elements, be careful of your array’s range. Question #4 Your output should match this: Early termination on iteration 6 1 2 3 4 5 6 7 8 9 I can use: std::size_t, std::swap() and std::size() regardless of this headers being added or not #include <cstddef> #include <iterator> #include <utility> I just use #include <iostream> why? Because your iosteam includes these other headers, which means when you include iostream, those headers are included transitively. Although this may work on your compiler, you should not rely on it. Explicitly include all the headers you need. does this mean that iostream is different in every compiler? I use VS2019, how should I configure it so my iostream is the same as all others iostreams? Thanks in advanced and love your work. Different implementations of iostream may include different headers. Header files do not provide any guarantees about what other headers they include. Rather than try and "fix" iostream, just #include the headers you need directly in your code, as is the best practice. Can we bubble sort in this way instead? Is this correct (I know it works) and are there any downsides to this? Hi nascardriver, There is a bug in solution of Question 2. I think the swap function should be inside the if(..) statement Like this if (array[currentIndex] > array[largestIndex]) { // This is the new largest number for this iteration largestIndex = currentIndex; // Swap our start element with our largest element std::swap(array[startIndex], array[largestIndex]); } It's correct as written, look up a video of selection sort to get a better understanding of how it works Question #4. There are definition and declaration in the first loop: // bool swapped{ false }; Is there any difference if we would declare bool variable out of the loop and would leave in the loop only definition? Thanks in advance for answering. If you declared `swapped` outside of the loop, you'd have to reset it in every iteration. For fundamental types, there's no difference between declaring it inside or outside of the loop. For user-defined types, assignment can be faster than initialization. Even then, the variable will often be defined inside of the loop for readability's sake. Hey, for the first optimization of bubble sort, I came up with something slightly different, that still sorts the array properly. Here is my algorithm: [code] for (int startIndex {0}; startIndex < size - 1; startIndex++) { bool noSwap {true}; for (int currentIndex {0}; currentIndex < size - startIndex; currentIndex++) { if (array[currentIndex] > array[currentIndex + 1]) { noSwap = false; std::swap(array[currentIndex], array[currentIndex + 1]); } } if (noSwap) { std::cout << "Early termination at " << startIndex + 1 << " iterations" << std::endl; break; } } [code] Hi Nascar and Alex, I'm back :D Is having adjcentIndex and doing ++adjcentIndex every iteration better soultion than doing [currentIndex+1] from performance standpoint? Thank you. Hi kio! I don't think there's a difference. In either case you have to do `++currentIndex`. In one case you do `currentIndex + 1`, in the other you do `++adjecentIndex`. You can run benchmarks if you want to know for sure, though I wouldn't be surprised if the compilers turns both versions into the same binary code. Please if anyone can explain question#4 in a more easy way, I did not get it. Everything is fine except the site shows some weird behavior at times. Like comment keeps loading, or keeps saving. Sometime the site itself doesn't load at all. Shows "origin error". Although I have fast internet connection and every other sites loads well. Solution #3 I did some benchmarks. Mine is a bit faster. Besides, I think it's a bit easier to understand than nested for loops. could you please help me to Write a C++ program that will implement all of the sorting algorithms. The program should accept different unsorted data items from user and sort using all algorithms and should tell which algorithm is efficient for that particular unsorted data items. Hi. When you determine the size of the array, you specify the variable type arrayLength as int, and then in the initialization you static_cast the std::size(array) to an int. Since you have already set arrayLength as int, an autoconversion is already taking place, right? So why bother to static_cast the value inside? What is the gain on int? Is there a problem if I don't static_cast? Thank you! I've updated the lesson to use `std::size_t` rather than `int`. The cast should not have been necessary. hey nascardriver? about using 'std::size_t' here to determine the length of the array, is there a particular reason for that? I heard that if i'm using int, compiler would give me warning, is that true? what's the cause of that? Thanks before C++ uses `std::size_t` for all kinds of sizes, including array sizes. If you use an `int`, you might get a warning because you're converting from an unsigned integer type to `int`. Is my implementation of not re-checking elements effective/recommended? Small suggestion: And swap it with the element in index 4 (which doesn’t do anything): { 10, 20, 30, 40, 50 } instead of And swap it with the element in index 4 (which doesn’t do anything): { 10, 20, 30, 40 50 } Thanks Why do you use "int" instead of "size_t" for array index and size? Is there any specific reason for doing so? After all is much much easier to read than, Thanks. No good reason, use `std::size_t` unless you need a signed integer. Ok thanks One more question, Is there a difference between std::size_t and size_t? `size_t` comes from <stddef.h>, which is a C compatibility header, as you can tell by the .h file extension. C++'s standard library doesn't use .h extensions, it has <cstddef>, which defines its contents inside of the `std` namespace. The type of `size_t` is the same in both files, but the non-std version is old and will hopefully get removed in a future version of C++. I see, so basically using std::size_t would ensure that the program will remain compatible in the future as well, in case the non-standard version gets removed. Thanks again for the help Thanks for all the great tutorials. I'm going through a few chapters a week still. Can't wait to finally get to objects. Been struggeling to properly understand that for about a decade. I think I'll finally manage because I've already learned so much on this course and how ugly my code from the past is. This is what I got for question 4. I had the first optimization for Q4 already in my code for Q3. I've used an int instead of a bool to keep track of swaps for early termination of the loop. Is using a bool more efficient for large arrays? Hi! You never access `check` apart from checking if it's non-zero, so there is no reason to use an `int`. Using an `int` might confuse the reader, because they'll think you need to know the number of swaps for something, when really, you don't. Although unlikely, you could also overflow the `int` if too many swaps happen, which would invoke undefined behavior. 1. Section "How sorting works": > To swap two elements, we can use the std::swap() function from the C++ standard library, which is defined in the algorithm header. For efficiency reasons, std::swap() was moved to the utility header in C++11. All snippets in this lesson #include <algorithm> instead of <utility>, even though pretty much everyone is using at least C++14 for new projects by now. 2. Is getting a value from an array equally as fast as getting a value from a variable? Would it be faster to keep track of an array element with a variable storing its value, as opposed to a variable storing its index? 3. Section "Selection sort in C++": > Sorting names works using the same algorithm. Just change the array type from int to std::string, and initialize with the appropriate values. The < operator (line 19) doesn't work with strings 4. Question #2's solution: > smallestIndex should probably be renamed largestIndex as well. Pressing Ctrl+R, Ctrl+R while the cursor is over an identifier allows you to rename all instances of said identifier (Visual Studio). I find it very useful :) 1. Thanks 2. Getting a value from an array is slower than accessing a variable directly, because the address of the element has to be calculated first. `a[3]` is `*(a + 3)`. Whether or not you can store an element in a variable depends on the situation and the element type. If you need the same element multiple times, you can bind a reference to it. 3. The < operator works with strings, it compares an alphabetic comparison 2. Thanks :) 3. You're right, I tested it wrongly (canceled) Put all code inside code tages explained where you write a comment. how do you quote codes like that. mine looks like a comment and harder to read. "Put all code inside code tages explained where you write a comment." - Wake in the comment above yours There's a yellow box with an example every time you write a comment. i changed the example a bit so that we only (for)loop half of the array. basically its the solution provided in the "Selection sort in C++" section PLUS comparing LOWEST and HIGHEST values in one loop instead of just the LOWEST value. i was hoping to optimize it a little bit so i thought less loop = optimize. BUT the problem is in exchange for half loop, we still have the same number of comparisons and the same number of swaps. is this going to work ? #include <iostream> #include <iterator> // for std::size #include <algorithm> int main() { int aray[]{ 30, 60, 20, 50, 40, 10 }; int len{ std::size(aray) }; int maxIteration{ static_cast<int>(len / 2) }; // half size of the array. fractional part discarded. // if array length is odd number the middle element is not iterated but will be in correct position in the end. // sorting (range begin from start of the array up to the end of the array and the range gets shorter each iteration) for (int startIndex{ 0 }, endIndex{ len - 1 }, iteration{ 1 } ; iteration <= maxIteration; ++startIndex, --endIndex ,++iteration ) { // scan each element in the current range to get the highest and lowest element value in this range for (int i{ startIndex }; i <= endIndex; ++i) { if (aray[i] < aray[startIndex]) std::swap(aray[i], aray[startIndex]); // its ok if both if statements are true for this element. it will be fixed by the next loop. if (aray[i] > aray[endIndex]) std::swap(aray[i], aray[endIndex]); } } // display result for (int i{ 0 }; i < len; ++i) { std::cout << aray[i] << " "; } return 0; } Getting better at solving my own problems! Found this std::reverse function Now, let's view the solution :) Ok haha, you meant the other snippet! Got you :) Below "comment box" it literally says: "Put all code inside code tags " It's even marked yellow. Name (required) Website Save my name, email, and website in this browser for the next time I comment.
https://www.learncpp.com/cpp-tutorial/sorting-an-array-using-selection-sort/
CC-MAIN-2021-17
refinedweb
2,011
63.09
Hi all, It would appear that Axes.hist() does not handle large input values the way I was expecting it to. For example: ··· ----------------------------------------------------------------- import matplotlib.pyplot as plt fig = plt.figure() ax = fig.add_subplot(111) # Plot as expected: single bar in the center: #result = ax.hist([1.0e+14], 5) # Plot remains completely empty: result = ax.hist([1.0e+16], 5) print "result:", result plt.show() ----------------------------------------------------------------- My hypothesis is that the large value in y is causing the bin interval size in x to become infinitesimally small, but is it conceptually wrong of me to expect a histogram for such large values to still work? If so, what would be a workaround? I don't control the data I am trying to plot, and sometimes there's yes, only a single value, and yes, it's that large... (All this is done with matplotlib 1.1.0 on Debian stable (v6.0.x) for Python 2.6.6. uname: Linux miranda 2.6.32-5-686 #1 SMP Mon Oct 3 04:15:24 UTC 2011 i686 GNU/Linux). Any help/advice will be much appreciated. -- Leo Breebaart <leo@...3879...>
https://discourse.matplotlib.org/t/large-values-in-histograms-not-showing/16323
CC-MAIN-2021-43
refinedweb
190
71
Red Hat Bugzilla – Bug 986219 Unable to connect to postgresql-9.2 database with python-2.7 app. Last modified: 2016-11-30 19:27:42 EST Created attachment 775696 [details] wsgi/application and wsgi/postgresql_factory.py Description of problem: I created a python-2.7 app, embedded a postgresql-9.2 cartridge and created a simple script that inserts test data into the database. The script throws the following error: "libpq.so.postgresql92-5: cannot open shared object file: No such file or directory" The script, "postgresql_factory" as well as wsgi/application are attached Version-Release number of selected component (if applicable): How reproducible: Always Steps to Reproduce: 1. rhc app create myapp python-2.7 2. rhc cartridge add postgresql-9.2 -a myapp 3. add attached files, git add . ; git commit & git push 4. access /postgresql url of your app Actual results: FILE.postgresql factory is not added to this app libpq.so.postgresql92-5: cannot open shared object file: No such file or directory Expected results: version: 1 Additional info: reproduced on all devenv instances Spent some time on this and gave up. Not sure if this is just a matter of specifying the LD_LIBRARY_PATH or not. Mrunal seemed to indicate that we may need to check that the correct version of the .so files are being loaded. ofayans: Thanks for reporting the issue. The problem is that the LD_LIBRARY_PATH does not include the path to postgresql-9.2 libraries. Could you try adding rhis line: export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:/opt/rh/postgresql92/root/usr/lib64/ to your pre start python script to get around it for right now? We will work on a fix! - Mrunal Hi, I've tried putting this command in ./.openshift/action_hooks/deploy with no good result, where is the "pre start python script". After a while the libpq.so error disappears and now this error shows up: ImportError at / cannot import name utils /var/lib/openshift/520161db5004468578000363/python/virtenv/lib/python2.7/site-packages/Django-1.4-py2.7.egg/django/db/backends/postgresql_psycopg2/base.py in <module> 8. from django.db import utils (In reply to Juan P. Daza P. from comment #3) > Hi, I've tried putting this command in ./.openshift/action_hooks/deploy with > no good result, where is the "pre start python script". You could create one hook scripts named pre_start_python in ./.openshift/action_hooks/ and add the following to the hook script: export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:/opt/rh/postgresql92/root/usr/lib64/ The bug is fixed with the resolution in Comment #5. Steps 1) create a python-2.7 app with postgresql-9.2 cartridge added 2) add the files in the attachment to the app's local repo, and enable psycopg2 support in its setup.py file. 3) create an executable hook named pre_start_python as Comment #5 4) push the changes 5) access <app_url>/postgresql Result: It showed "version 1" as expected. (In reply to Zhe Wang from comment #6) Can confirm this solutions works. Thank you. Reopening since I am not getting this with Python 2.7 and postgresl 9.2. This is for the application that is supposed to work with the new book - please consider this an emergency patch. ------------------- from python/logs/error_log [Fri Feb 07 13:48:12 2014] [error] [client 127.9.124.1] ImportError: libpq.so.postgresql92-5: cannot open shared object file: No such file or directory ------------------ You have permission to go into the gears and diagnose the error. account spousty+prod@redhat.com ------------- insultapp @ (uuid: 52df5ed54382x) ----------------------------------------------------------------------------------------- Domain: osbeginnerbook Created: Jan 21 10:01 PM Gears: 1 (defaults to small) Git URL: ssh://52df5ed54382x@insultapp-osbeginnerbook.rhcloud.com/~/git/insultapp.git/ SSH: 52df5ed54382x@insultapp-osbeginnerbook.rhcloud.com Deployment: auto (on git push) python-2.7 (Python 2.7) ----------------------- Gears: Located with postgresql-9.2, cron-1.4 postgresql-9.2 (PostgreSQL 9.2) ------------------------------- Gears: Located with python-2.7, cron-1.4 Connection URL: postgresql://$OPENSHIFT_POSTGRESQL_DB_HOST:$OPENSHIFT_POSTGRESQL_DB_PORT Database Name: insultapp Password: x Username: x cron-1.4 (Cron 1.4) ------------------- Gears: Located with python-2.7, postgresql-9.2 I don't think it's appropriate to close a bug as "currentrelease" (implying that we fixed something) when the solution is really a workaround. Why are we not handling LD_LIBRARY_PATH elements like PATH elements? Confirmed on Python 3.3 as well. This is a production level issue, lets try to get a proper fix and put a hotfix out. I've dealt with LD_LIBRARY_PATH issues like this in community cartridges: I know the shifters are running into issues with this now so it would be good to get a proper fix out. I'm no longer able to reproduce this on devenv, the app in Oleg's attachment works fine and I got 'version 1'. Also no compilation issues. Mike: There is a Trello card to multiple cartridges with isolated LD_LIBRARY_PATH (since we went throught this problem for Zend, Jenkins, Mysql...): It's fixed, verified on devenv_4357, please refer to the following results: 1. create a python-2.7 app with postgresql-9.2 cartridge added 2. add the files in the attachment to the app's local repo, and enable psycopg2 support in its setup.py file. 3. push the changes 4. access <app_url>/postgresql Results: at step 4: Met "version 1" on the webpage The actual fix will be a part of: chunchen you actually need to have an application that loads the driver otherwise it won't really test it. Here is some example code that throws the error: from random import choice import psycopg2 #get a connection to use in the DB calls. Only need a cursor because these connections are read only def get_cursor(): conn = psycopg2.connect(database=os.environ['OPENSHIFT_APP_NAME'], user=os.environ['OPENSHIFT_POSTGRESQL_DB_USERNAME'], password=os.environ['OPENSHIFT_POSTGRESQL_DB_PASSWORD'], host=os.environ['OPENSHIFT_POSTGRESQL_DB_HOST'], port=os.environ['OPENSHIFT_POSTGRESQL_DB_PORT'] ) cursor = conn.cursor() return conn #Clean up when done with the cursor and connection def close_cursor(cursor): conn = cursor.connection cursor.close() conn.close() def insult(): return "Thou " + generate_insult() + "!" def named_insult(name): return name + ", thou " + generate_insult() + "!" def generate_insult(): first_adjs = ["artless", "bawdy", "beslubbering", "bootless", "churlish"] second_adjs = ["base-court", "bat-fowling", "beef-witted", "beetle-headed", "boil-brained"] nouns = ["apple-john", "baggage", "barnacle", "bladder", "boar-pig"] return choice(first_adjs) + " " + choice(second_adjs) + " " + choice(nouns) #Expects to be passed a psycopg2 cursor #Using the solution found on this Stack Overflow page # def get_first_adj(cursor): cur.execute("select string from short_adjective offset random() * (select count(*) from short_adjective) limit 1;") print "HERE IS THE RESULT of count :: " + str(cur.fetchone()[0]) One other note for the workaround. If you are using python then the action_hook needs to be name pre_start_python Steven, Oleg: The Trello card I'm currently working will allow this without any workarounds or hacks for non-scalable but also for scalable apps. I tested both Oleg's and your code and they both works. Stay tuned! :-) Confirmed bug still exists for Python 2.7 and PostgreSQL 9.2, however workaround suggested in comment #5 works Have verified on devenv_4916 with Oleg's and Steven's scripts, both works well, below are the steps using Steven's scripts(please correct if my steps are wrong): 1. Create a python-2.7 with postgresql-9.2 2. In app local repo, edit setup.py: add "psycopg2" to "install_requires" 3. Create a table short_adjective with column "username" and values "openshift" in psql 4. Add below codes to wsgi.py: from random import choice import psycopg2 def application(environ, start_response): .... elif environ['PATH_INFO'] == '/psql': conn_str = "dbname=%s user=%s password=%s host=%s port=%s" % ( os.environ['OPENSHIFT_APP_NAME'], os.environ['OPENSHIFT_POSTGRESQL_DB_USERNAME'], os.environ['OPENSHIFT_POSTGRESQL_DB_PASSWORD'], os.environ['OPENSHIFT_POSTGRESQL_DB_HOST'], os.environ['OPENSHIFT_POSTGRESQL_DB_PORT']) conn = psycopg2.connect(conn_str) cur = conn.cursor() cur.execute("select username from short_adjective offset random()") response_body = str(cur.fetchone()) cur.close() conn.close() 5. Git push the changes; 6. Access, and can get the content I input in the table short_adjective successfully. Below are the LD_LIBRARY_PATH returns in gear(which I didn't add like comment #5): [myapp-d.dev.rhcloud.com 53ad361405636e0e38000025]\> get_gear_ld_library_path /opt/rh/postgresql92/root/usr/lib64:/opt/rh/python27/root/usr/lib64 [myapp-d.dev.rhcloud.com 53ad361405636e0e38000025]\> env | grep LD_LIBRARY_PATH OPENSHIFT_PYTHON_LD_LIBRARY_PATH_ELEMENT=/opt/rh/python27/root/usr/lib64 LD_LIBRARY_PATH=/opt/rh/postgresql92/root/usr/lib64:/opt/rh/python27/root/usr/lib64 OPENSHIFT_POSTGRESQL_LD_LIBRARY_PATH_ELEMENT=/opt/rh/postgresql92/root/usr/lib64
https://bugzilla.redhat.com/show_bug.cgi?id=986219
CC-MAIN-2017-47
refinedweb
1,384
51.75
- NAME - VERSION - MAIN ELASTICSEARCH TERMS - ELASTIC::MODEL TERMS - SEARCH TERMS - OTHER ELASTICSEARCH TERMS - AUTHOR NAME Elastic::Manual::Terminology - Explanation of terminology and concepts VERSION version 0.52 MAIN ELASTICSEARCH TERMS Index An "Index" is the equivalent of a "database" in a relational DB (not to be confused with an "index" in a relational DB). It has a "Mapping", which defines multiple Types. Internally, an Index is a logical namespace which points to one or more primary shards, each of which may have zero or more replica shards. You can change the number of replica shards on an existing index, but the number of primary shards is fixed at index creation time. Searches can be performed across multiple indices. Note: an index name must be a lower case string, without any spaces. See also "Alias", "Domain", Elastic::Model::Index and Elastic::Manual::Scaling. Alias An "Alias" is like a shortcut to one or more Indices. For instance, you could have Alias myapp which points to Index myapp_v1. Your code can talk just to the Alias. When you want to change the structure of your index, you could reindex all your docs to the new Index myapp_v2 and, when ready, switch the myapp Alias to point to myapp_v2 instead. An Alias may also point to multiple indices. For example you might have indices logs_jan_2012, logs_feb_2012, ... logs_dec_2012, and an alias logs_2012 which points to all 12 indices. This allows you to use a single alias name to search multiple indices. Note: you can't index new docs to an alias that points to multiple indices. An alias used by a "Domain" must point to a single index only, but an alias used by a "View" can point to multiple indices. Also see "Domain", Elastic::Model::Alias and Elastic::Manual::Scaling. Type A "Type" is like a "table" in a relational DB. For instance, you may have a user type, a comment type etc. An "Index" can have multiple types (just like a database can have multiple tables). In Elastic::Model, objects (Documents) of each type are handled by a single class, eg MyApp::User, MyApp::Comment. (See "Namespace"). Each Type has a "Mapping", which defines the list of Fields in that type. Searches can be performed across multiple types. Also see "Namespace", "Mapping", "Document" and "Field". Mapping Each "Type" has a "Mapping" which is like a "schema definition" in a relational DB. It defines various type-wide settings, plus the field-type (eg integer, object, string) for each "Field" (attribute) in the type, and specifics about how each field should be analyzed. New fields can be added to a mapping, but generally existing fields may not be changed. Instead, you have to create a new index with the new mapping and reindex your data. Elastic::Model generates the mapping for you using Moose's introspection. Attribute keywords are provided to give you control over the mapping process. Document A "Document" is like a "row" in a relational DB table. Elastic::Model converts your objects into a JSON object (essentially a hashref), which is the Document that is stored in Elasticsearch. We use the terms "Object" and "Document" interchangably. Each Document is stored in a single primary shard in an "Index", has a single "Type", an "ID" and zero or more Fields. The original JSON object is stored in the special _source field, which is returned by default when you retrieve a document by ID, or when you perform a search. Field A "Field" is like a "column" in a table in a relational DB. Each field has a field-type, eg integer, string, datetime etc. The attributes of your Moose classes are stored as fields. Multi-level hashes can be stored, but internally these get flattened. For instance: { husband => { firstname => 'Joe', surname => 'Bloggs' }, wife => { firstname => 'Alice', surname => 'Bloggs' } } ... is flattened to: { 'husband.firstname' => 'Joe', 'husband.surname' => 'Bloggs', 'wife.firstname' => 'Alice', 'wife.surname' => 'Bloggs', } You could search on the firstname field, which would search the firstname for both the husband and the wife, or by specifying the fieldname in full, you could search on just the husband.firstname field. ID The "ID" of a document identifies a document uniquely in an "Index". If no ID is provided, then it will be auto-generated. See also "UID" and "Routing". ELASTIC::MODEL TERMS Model A "Model" is the Boss Object, which ties an instance of your application to a particular Elasticsearch "Cluster". You can have multiple instances of your Model class which connect to different clusters. See Elastic::Model and Elastic::Model::Role::Model for more. Namespace A "Model" can contain multiple "Namespaces". A Namespace has one or more Domains and, for those Domains, defines which of your classes should be used for a "Document" of a particular "Type". For instance: in Domain myapp_current, which belongs to Namespace myapp, objects of class MyApp::User should be stored in Elasticsearch as documents of Type user. A namespace is also used for administering (creating, deleting, updating) Indices or Aliases in Elasticsearch. See Elastic::Model::Namespace and "Domain". Domain A "Domain" is like a database handle used for creating, updating or deleting individual objects or Documents. The $domain->name can be the name of an "Index" or an Index Alias (which points to a single index) in Elasticsearch. A domain can only belong to a single namespace. See Elastic::Model::Domain. View A "View" is used for querying documents/objects in Elasticsearch. A View can query single or multiple Domains (belonging to different Namespaces) and single or multiple Types. See Elastic::Model::View, "Query" and "Filter". UID A "UID" is the unique identifier of a "Document". It is handled by Elastic::Model::UID. The "Namespace" / "Type" / "ID" combination of a document must be unique. While Elasticsearch will check for "uniqueness" in a single "Index" it is the reponsbility of the user to ensure uniqueness across all of the Domains in a "Namespace". SEARCH TERMS Analysis "Analysis" is the process of converting Full Text to Terms. For instance the english analyzer will convert this phrase: The QUICK brown Fox has been noted to JUMP over lazy dogs. ... into these terms/tokens: quick, brown, fox, ha, been, note, jump, over, lazi, dog ... which is what is actually stored in the index. A full text query (not a term query) for "brown FOXES and a Lazy dog" will also be analyzed to the terms "brown, fox, lazi, dog", and will thus match the terms stored in the index. It is this process of analysis (both at index time and at search time) that allows Elasticsearch to perform full text queries. See also "Text" and "Term" and "Query". Term A term is an exact value that is indexed in Elasticsearch. The terms foo, Foo, FOO are NOT equivalent. Terms (ie exact values) can be searched for using "term" queries. See also "Text", "Analysis" and "Query". Text Text (or full text) is ordinary unstructured text, such as this paragraph. By default, text will", "Analysis" and "Query". Query A "Query" is used to search for Documents in Elasticsearch, using Views. It can be expressed either in the native Elasticsearch Query DSL or using the more Perlish ElasticSearch::SearchBuilder syntax. By default, a Query sorts the results by relevance ( _score). There are two broad groups of queries: "Full Text Query" and "Term Query". Term Query A "Term Query" searches for exactly the Terms provided. For instance, a search for "FOO" will not match the term "foo". This is useful for values that are not full text, eg enums, dates, numbers, canonicalized post codes, etc. Full Text Query A "Full Text Query" is useful for searching text like this paragraph. The search keywords are first Analyzed into Terms so that they correspond to the actual values that are stored in Elasticsearch. Then the query itself is built up out of multiple Term Queries. It is important to use the same analyzer on both (1) the values in the field(s) you are searching (index analyzer) and (2) the search keywords in the query (search analyzer), so that the both processes produce the same terms. Otherwise, they won't match. Also see "Filter" and "View". Filter A "Filter" is similar to a "Term Query" except that there is no "relevance scoring" phase. A Filter says: "Yes this document should be included", or "No this document should be excluded". For instance, you may want to run a "Full Text Query" on your BlogPost documents, searching for the keywords "perl moose", but only for BlogPosts that have been published this year. This could be achieved by using a Range filter within a query. Filters can be expressed either in the native Elasticsearch Query DSL or using the more Perlish ElasticSearch::SearchBuilder syntax. Also see "Query" and "View". OTHER ELASTICSEARCH TERMS Cluster A "Cluster" is a collection of Nodes which function together - they all share the same cluster.name. The cluster elects a single "master node" which controls the cluster. If the master node fails, another node is automatically elected. Node A "Node" is a running instance of Elasticsearch. Normally, you would only run one instance of Elasticsearch on one server, so a Node is roughly equivalent to a server. When a Node starts, it tries to join a "Cluster" which shares the same cluster name. If it fails to find an existing cluster, it will form a new one. Shard A "Shard" is a single instance of Lucene (what Elasticsearch uses internally to provide its search function). Shards are the building blocks of Indices - each index consists of at least one shard. A shard can be a "primary shard" or a "replica shard". A primary shard is responsible for storing a newly indexed doc first. Once it has been indexed by the primary shard, the new doc is indexed on all of the replica shards (if there are any) in parallel to ensure that there are multiple copies of each document in the cluster. If a primary shard fails, then a replica shard will be promoted to be a primary shard, and a new replica will be allocated on a different "Node", if there is one available. A replica shard will never run on the same node as its primary shard, otherwise if that node were to go down, it would take both the primary and replica shard with it. Routing, a routing field in the mapping or by using an "Alias" with a built-in routing. See Elastic::Manual::Scaling for more. AUTHOR Clinton Gormley <drtech@cpan.org> This software is copyright (c) 2015 by Clinton Gormley. This is free software; you can redistribute it and/or modify it under the same terms as the Perl 5 programming language system itself.
https://metacpan.org/pod/Elastic::Manual::Terminology
CC-MAIN-2018-17
refinedweb
1,782
65.22
Introduction: Automatic Cat Flap Monitor With Intrusion Detection and Dissuasion If your cat is micro-chipped you can get a special cat flap which reads the microchip and allows only your cat to come in. But it's not cheap. For a while we've been leaving our cat flap open and allowing Mog to come and go though the night as he pleases, as he likes to sleep in the greenhouse in the Summer. But we often wondered what he did while we were asleep. And a little while ago we had a suspicion that the new tom on the block might be coming in and stealing Mog's food. But we weren't sure. So before spending £100 on getting Mog micro-chipped and fitting a fancy cat flap, I decided to apply a little technology to the problem. I had pretty much all the bits I needed, so I set about building an automatic cat flap monitor. A 3D accelerometer glued to the cat flap detects the tilt of the flap when it opens. This is continuously monitored by a Raspberry Pi, which also has a Pi camera attached. The Pi switches on a light and triggers the camera to start taking photos when it detects the cat flap opening. All that is needed, then is each morning to review the photos taken the previous night, and to look for any evidence of the wrong cat. And as a result, the intruder has been successfully nabbed! But can we automatically distinguish the foreign tom from Mog? No animal microchip reader seems to be easily and cheaply available. Could we automatically analyse the photos to determine the colour of the cat? Probably, but that sounds like hard work! Is there an easier way? Yes there is - read on! And how can we deter the wrong cat? I have a way, and no, it involves neither high voltages or cucumbers! Step 1: What You Need This is what you will need: - A Raspberry Pi, case, power supply and SDCard with Raspbian installed. Any model of Pi will do including the Zero, except for the original Zero which lacks a camera port. - A Raspberry Pi camera and case or mount. You will probably find it helpful also to get a longer camera ribbon than the default one that comes with the camera. - A WiFi dongle, unless you are using a Pi 3, which has on-board WiFi. Alternatively you can use a powerline network adapter as I did, because I found the WiFi less than totally reliable, probably because my router is directly behind the central heating boiler from where I needed to locate the Pi. - A 3D accelerometer module. I used the Pimoroni one, but the MPU-6050 or MPU-9150 (which I've used on different Instructables) will work just as well. I believe the newer MPU-9255 should work but I haven't tried it. It might need an updated library. - A 12v LED lamp. One of the G4 SMD disk ones works very well, but anything that you can mount in a suitable position will do. - A 12V power adapter. Mine was a very old Apple charger. (Early iPods could be charged from 12V.) - An NPN power transistor, a 4.7K resistor, a small piece of stripboard, and a short length of pin strip. - Connecting wire or ribbon cable, jumper leads, soldering iron, solder, wire cutters. - A hot-melt glue gun for sticking the accelerometer to the cat flap, and blu-tack to hold wires and other bits in place. Step 2: Switching the Light The GPIO pins on the Raspberry Pi can only switch 3.3V at a small current, so the 12V LED light must be driven by a transistor which can be controlled by a GPIO pin. You can use almost any NPN power transistor, such as TIP31 (or TIP31A or TIP31C), BD135, BD237 or C1162 (2SC1162), but in order to use the stripboard layout unchanged, make sure the collector is the central lead. If you're not sure, an online search for the transistor type will find you a datasheet from which you can confirm which pin is which. Cut a piece of stripboard to size and solder the transistor, resistor and pin strips to it as shown. Using female to female jumper leads, connect the input pin to the Raspberry Pi GPIO pin 7 and the ground pin to the Raspberry Pi GPIO pin 6. I used 2 strands cut from a spare length of ribbon cable to connect the lamp. If you use a G4 disk lamp you can unsolder the pins from the back of the disk and solder the wires in its place. Solder the other ends of the wires to the stripboard. These G4 lamps are designed to run on AC and so it doesn't matter which way round you connect it. If you use a DC lamp connect the positive and negative as shown. Depending on what sort of 12V power supply you use the method of connection may vary. If it has a flying lead with a plug on the end you can cut off the plug and solder it to the stripboard. Alternatively, if it has a 2.1mm or 2.5mm power plug you can obtain a matching socket and connect this to the stripboard via a short flying lead. In either case it's very important to connect positive to positive and negative to negative. You can hold the stripboard in place with blu-tac, somewhere between the Raspberry Pi and the lamp. Blu-tac is also a good way to hold the wires neatly in place. The pair of pins in the centre of the board are for testing. If you short them together (with or without the Raspberry Pi connected) the lamp should light. Step 3: Attaching the Accelerometer If you use the Pimoroni accelerometer you may wish to remove the connector and solder a length of 4-way ribbon cable directly to it, long enough to reach the Raspberry Pi. (With care, you can lift off the black housing - it doesn't come off willingly - then unsolder the 26 gold plated inserts individually. If you want to you can push the inserts back into the housing in order to reuse the connector.) The ribbon cable should connect GPIO pins 1, 3, 5 and 9 to the corresponding pins on the accelerometer. In the case of the MPU-6050 or MPU-9150 you can solder the 4-way ribbon cable directly to it. These often come with a separate pin strip which you can use if you want to. You can use it instead on the stripboard in the previous step. On these accelerometers the connections are labelled. Connect them as follows: GPIO Accelerometer 1 Vcc 3 SDA 5 SCL 9 Gnd Where the wires are soldered to the accelerometer (whichever type you use) they will be under strain as the cat flap opens. A blob of hot-melt glue will prevent the wires from flexing and eventually breaking at the solder joint. The accelerometer should be positioned such that the positive z axis points downwards with the flap fully open in an inward direction, and horizontal with the flap closed. (It's quite easy to modify the program if that isn't possible.) Carefully position the accelerometer on the flap of the catflap as near as possible to the hinge, but making sure it doesn't foul the catflap frame when it opens inwards completely. There needs to be sufficient slack on the ribbon cable to allow it to open outwards completely. Now fix it to the flap with a hot melt glue gun. If you need to remove it later you can cut through the glue with a sharp craft knife. Warming it with a hair dryer or a heat gun on a low setting will make this easier. Secure the ribbon cable to the cat flap frame with blu-tac, leaving just enough slack to allow the flap to open fully in either direction. You can keep the ribbon cable in place at other points on the door and the wall with blu-tac. The easiest way to connect the ribbon cable to the Raspberry Pi GPIO connector is probably to cut two female to female jumper leads in half, and solder these to the 4 strands of the ribbon cable. Insulate the joins with PVC tape. Step 4: Setting It Up There are plenty of tutorials coving the basic set up and operation of the Raspberry Pi. Unless you have room for a keyboard, mouse and monitor close the the cat flap you will need to set it up to run "headless", i.e. operated remotely using PuTTy or VNC over your home network. In your home directory on the Raspberry Pi, create a directory called "catflap" and into it dowload catflap.py and either XLoBorg.py or MPU9150.py, depending on which accelerometer you are using. If you're using the MPU-9150 you need to edit catflap.py. Change these lines near the top of the file: from XLoBorg import * #from MPU9150 import * to: #from XLoBorg import * from MPU9150 import * To test that everything is working, at a Terminal or PuTTy session, type: cd catflap python catflap.py (Don't repeat the cd command if you've already done it in the same Terminal or PuTTy session.) If you now open the catflap the light should come on and the camera should start taking photos. These will be stored in a daily subdirectory of catflap with a name of form yymmdd. (Small children are fascinated by this and you may find yourself with a few pictures like the one shown here!) To make it run automatically on boot, edit the file /etc/rc.local using your favourite editor as root, or by typing the following at a Terminal or PuTTy session: sudo nano /etc/rc.local At the end of the file, just before the "exit 0", insert the following 2 commands: cd /home/pi/catflap python ./catflap.py >/home/pi/catflap/catflap.txt 2>&1 & If you're running Raspbian Jessie it may be necessary to precede these 2 lines by one containing "sleep 10" (without the quotes) as Jessie may execute this file too early in the boot sequence. Step 5: Detecting a Foreign Cat I've left you in suspense so far as to how you can automatically distinguish your cat from a neighbour's. In fact it's very simple. Yours is on home ground and will generally come straight through the cat flap with little hesitation but a foreign cat knows it's on potentially hostile territory and will come through much more warily. There are two indications of a foreign cat: firstly, it may open the cat flap for several seconds just sufficiently to sniff the air for anyone inside. Then it may come only half way through and spend a while looking and listening before coming right in. The accelerometer takes 10 measurements of the flap angle per second. In my case, more than 20 samples with the flap open by no more than around 12 degrees, or the whole event comprising more than 60 samples indicates a foreign cat. You will need to fine-tune those parameters, particularly if your cat is old or the foreign cat has become emboldened. The catflap.py program creates 2 log files in the daily directory: - The file catflap.txt contains a log of entries and exits. When you open or shut the door or a cat briefly nudges the briefly it will record a "transitory" event. - The file cattrace.csv records accelerometer readings and counts during an event, allowing you to determine the appropriate threshold values for detecting an intruder. The values recorded in cattrace.csv are: - Accelerometer x, y and z readings (only z is used). - Ins and Outs: counts of samples in the current event with the flap open at lease around 25 degrees inwards or outwards. - Intruder: normally 0 but 1 if an intruder has been detected. - Peeping: count of samples with the flap open between around 12 and 25 degrees inwards. - More: Count of additional samples at the end of a suspicious event to keep the camera running. Each event is preceded by a line giving the date and time. You can examine this file with a text editor or you can import it into Excel. In Excel, if you like, you can graph the z values in order to see the events better. There are some subtleties in the code to allow the camera to take photos whilst the main code continuously monitors the accelerometer, but you don't need to understand these in order to tune it. Find the comment "# Detect an intruder". The following line determines the intruder detection threshold: the peeping count reaching 20 (2 seconds) or the whole event so far (peeping plus ins) reaching 60. The latter is the most likely to need adjustment. If necessary you can also adjust the peeping and flap open angles, determined by comparisons on values of z. These are currently set to 0.2 (approx 12 degrees) for peeping and 0.43 (approx 25 degrees) for fully open. Step 6: Deterence! Having detected a foreign cat it's a simple matter to make the Raspberry Pi play a sound file. For this you will need a USB-powered mini speaker of the type sold for connection to a smartphone. You can power it from one of the Raspberry Pi USB ports. The video (made from the image sequence taken by the camera) shows how effective this can be. I found a sound file of a really blood-curdling angry cat yowl which I used here, but a little searching online will throw up others, or you might prefer a dog bark. Whatever you choose, make sure your own cat isn't around when you sample them! You will also need to install the mpg321 media player. At a Terminal or PuTTy session, type: sudo apt-get install mpg321 The catflap.py program already contains the code to invoke mpg321, ignoring the error if it isn't installed or if the media file isn't present. Install your media file in the catflap directory and rename it as catwarning.mp3 Now you just have to wait for your neighbour's cat to trigger it. Hopefully think twice before coming in again! . 2 Discussions after. We started out with a passive magnetic one - no electronics, just a magnet on the collar that was supposed to release a catch. But it didn't seem to be sensitive enough to work reliably, especially when the magnet stuck to the cat's bell. I got a cheap 125KHz RFID reader and some matching fobs but with a range of only a couple of inches it didn't look like it was going to work. If I'd wound a bigger coil it might have. But catching the wrong cat by behavioural analysis, then giving him a nice little surprise and watching him pop out again like a cork out of a champagne bottle was much more fun!
https://www.instructables.com/id/Automatic-Cat-Flap-Monitor-With-Intrusion-Detectio/
CC-MAIN-2018-39
refinedweb
2,540
71.55
hcreate, hdestroy, hsearch - manage hash search table #include <search.h> int hcreate(size_t nel); void hdestroy(void); ENTRY *hsearch (ENTRY item, ACTION action); The hcreate(), hdestroy() and hsearch() functions manage hash search tables. favourable circumstances. The hdestroy() function disposes of the search table, and may be followed by another call to hcreate(). After the call to hdestroy(), the data can no longer be considered accessible. The hsearch() function is a hash-table search routine. It returns. The hcreate() and hsearch() functions need not be reentrant. The hcreate() function returns 0 if it cannot allocate sufficient space for the table, and returns non-zero otherwise. The hdestroy() function returns no value. The hsearch() function returns a null pointer if either the action is FIND and the item could not be found or the action is ENTER and the table is full. The hcreate() and hsearch() functions may fail if: - [ENOMEM] - Insufficient storage space is available. The following example will read in strings followed by two numbers and store them in a hash table, discarding duplicates. It will then read in strings and find the matching entry in the hash table and print. bsearch(), lsearch(), malloc(), strcmp(), tsearch(), <search.h>. Derived from Issue 1 of the SVID.
http://pubs.opengroup.org/onlinepubs/7990989775/xsh/hdestroy.html
CC-MAIN-2015-22
refinedweb
205
65.52
Hello, I have one large site containing more than 200 users on a dedicated fiber connection, and 4 branch offices containing about 5 users on slower broadband connections. 1. The branch sites are 2-4+ hours away. Each branch site has a low-cost, low performance DC/FileServer box. 2. Each site has a copy of the main file share using DFSN/DFSR, with low cost links to the main site and high cost links to the other branch offices (full mesh). 3. If a branch site DC fails, it may be a while before we get it back up. DFSN/DFSR provides automatic failover to the main site, where they can find replicated copies of the main file share and their redirected user folders and home drives. We accept the risk that the replication copy may not be perfect (open file issues, etc.). But, tbh, because the branches are low volume, full replication works very quickly to copy files to the main site file server. 4. All of this works great! 5. In theory, however, if I lose both boxes at the main site for some reason while still having Internet, I do not want the folks at the main office to failover to the branch sites. The main site users would blow up the branch connections and the branch boxes just from the volume. 6. I feel like this is a simple architectural solution that is eluding me at the moment. Items: A. I would like to right-click the namespace server for the main site, Properties, Advanced, then select "Override referral ordering" with the option "Don't refer anyone in this site to anywhere else", but that option isn't there. B. Unfortunately, right-clicking the namespace, Properties, Referrals, Ordering method, "Exclude targets outside of the client's site" appears to stop all failover entirely. C. A site-based GPO that prevented referrals outside the main site could also work, but no luck there for me today so far. I started here and read a lot of sub-articles from over yonder, but failover looks more and more like an all-or-nothing approach. This could be non-critical since the main site has two servers that should never both be offline at the same time, but I feel a desire to design this concern out of existence.All responses appreciated in advance! Best, Panda 2 Replies I do something similar with similar goals. All branches replicate all files back to the main site. DFS Namespace allows failover from branch to main site. For the main site, I replicate those files to another DC, but isn't different than replicating to a second local server. I generally leave only 1 DFS link active to prevent conflicts. I break out the files for the locations into separate DFS Replication Groups, and they are in different parts of the DFS Namespace tree. So, my DFS Namespace looks something like the following. The first link is active and primary. I usually keep all other links disabled. \\ad.domain.com\dfs\Main\Users --> \\big_fileserver1\users$\main, \\big_fileserver2\users$\main \\ad.domain.com\dfs\Main\Departments --> \\big_fileserver1\Departments$\main, \\big_fileserver2\Departments$\main \\ad.domain.com\dfs\Branch1\Users --> \\branch1\users$\Branch1, \\big_fileserver1\users$\Branch1, \\big_fileserver2\users$\Branch1 \\ad.domain.com\dfs\Branch1\Departments \\branch1\Departments$\Branch1, \\big_fileserver1\Departments$\Branch1, \\big_fileserver2\Departments$\Branch1 \\ad.domain.com\dfs\Branch2\Users --> \\branch2\users$\Branch2, \\big_fileserver1\users$\Branch2, \\big_fileserver2\users$\Branch2 \\ad.domain.com\dfs\Branch2\Departments \\branch2\Departments$\Branch2, \\big_fileserver1\Departments$\Branch2, \\big_fileserver2\Departments$\Branch2 You can setup replication groups so branch files replicate to the servers in the main site, but not the other branch servers. I hope this helps. I see what you did there. Good thinking. At the moment, we chose to not worry it on the theory that if we lose both boxes at the main site, we are already pretty busy with other problems. This also helped us keep things super simple looking. It was a good answer and a thumbs up, however - Thank you!. :)
https://community.spiceworks.com/topic/2221206-limited-dfs-failover-branch-to-main-but-not-main-to-branch?source=recommended
CC-MAIN-2019-35
refinedweb
675
64
Hi, I am kind of new to Web Services and this is what i am using right now : JBOSS AS 4.0.4.GA, JBoss WS 1.2 and jdk 1.5.12. I am trying to get SOAP with attachments working. I saw one MTOP example that comes with JBOSS WS 1.2 and was trying to do the same. I am taking DataHandler as one of the inputs to my method, i am not providing anything in configuration file to WSTools while building the application JAR. so API looks like: public void transferFile(String msg, WrappedBean handle) { } Can somebody please tell me why is this not working and whether anything else needs to be done or some other alternative to get Attachments working with SOAP ? Thanks in advance Hi i forgot to specify bean i am using, Wrapped Bean looks like: public class WrappedBean { private String name = null; private DataHandler legacyData = null; // getters and setters for name and legacyData } Could you give us some further details? Do you get any exception? Btw also consider upgrading at least to JBoss 4.0.5 in order to run the latest release of JBossWS, since the 1.2.1 is really old and your issue might have been already solved. I am getting following exception where building the webservice itself : org.jboss.ws.WSException: Cannot determine namespace, Class had no package
https://developer.jboss.org/thread/102692
CC-MAIN-2018-17
refinedweb
230
73.88
Django 1.6 has been finally released, but this update is quite obtrusive, in fact… Issue n.1: tests not found! the dev team has changed significantly how unit tests are discovered and my old approach stopped working (no tests to run found). In my previous system I created a “tests” package for each app in my project, in these packages I created a test class for each tested class, named like “TestClassName” and I exposed these classes at “tests” package level by customizing its __init__.py file. But starting with Django 1.6 the default test runner doesn’t care about “tests” modules/packages, it looks instead for file matching the pattern “test*.py” and since this pattern is CASE SENSITIVE (aaaarghh!!!) my test CLASSES (so they start with an uppercase letter) are ignored! Fortunately is very simple to override the default runner in order to match another pattern :) This is my custom runner: from django.test.runner import DiscoverRunner class TestRunner(DiscoverRunner): def __init__(self, pattern=None, top_level=None, verbosity=1, interactive=True, failfast=False, **kwargs): super(TestRunner, self).__init__('Test*.py', top_level, verbosity, interactive, failfast, **kwargs) and in the settings module: TEST_RUNNER = 'myapp.TestRunner.TestRunner' Issue n.2: PyCharm Django Tests configuration is now broken! If you are using PyCharm as your python IDE, the “Django tests” run configuration is now broken (honestly I don’t understand why the guys of JetBrains have set up a such perverse way to run Django tests by writing their own python modules LOL)… so I defined a simple python run configuration in which I call “python manage.py test“… it’s not so pleasant, like the Django tests run configuration because is basically the same output of the shell script without the “green bar” and the red/yellow/green buttons that show the results of the run tests… but at the moment it does the job, and the important thing is that, differently from launching tests from the shell I can use breakpoints in the IDE to stop code execution and debug the situation! (like before) Uh… the good part is that now my tests are executed ~40% faster!!! (10 seconds vs 14 seconds in the old run configuration) Issue n.3: Where is gone GeoIP?! Another problem I faced is that the GeoIP wrapper around MaxMind api has been moved from django.contrib.gis.utils to django.contrib.gis.geoip (and this change seems not documented in the release notes!)
http://www.daveoncode.com/tag/django/
CC-MAIN-2017-17
refinedweb
411
61.77
This tutorial is the fourth part of our series on test-driving an Ember.js application. Here’s a quick recap of our last tutorial. We first started building out our Ember application using a route plus a template. We then transitioned our work to a component, which is where we’ll start from in this tutorial. We weren’t able to really leverage the power of components in the last tutorial, but we’ll start doing that right away in this tutorial. If you you would like to take a look at the source code from the previous tutorials, you can easily find the code for the Ember application and the Rails API. With the Ember application, you’ll want to start with the Part3End tag, and with Rails API, you’ll want to start with Part2End. We’ll be modifying both projects in this tutorial, but the tutorial is primarily focused on Ember. In this tutorial, we’ll start by adding features to our component. This includes the ability to sort the book list, and we’ll also add live filtering/searching of the books. From there, we’ll focus on front-end enhancements, test-driving our changes with each step. We’ll also finally get to see all of our previous tutorials in action. By the end of this tutorial, we will be able to test out our component live, with some basic styling, and also seed data to help us out. With the introduction out of the way, let’s continue where we left off. Adding Sorting Let’s add some features to our component. We’ll start with the ability to sort our books. Let’s write an integration test to check the ordering: test('it orders a list of books by title', function(assert){ var book1 = FactoryGuy.make('book', { title: 'Book 1' }); var book2 = FactoryGuy.make('book', { title: 'Book 2' }); this.set('books', [book2, book1]); this.set('sortKeys', ['title']); this.render(hbs{{book-list books=books sortKeys=sortKeys}}); assert.equal(this.$('.book').text(), "Book 1Book 2"); }); Here, we create two books and add them to the books collection in reverse order (Book 2, and then Book 1). We then specify that we want to order by title. We’re using a new property that we will create on the component called sortKeys, which will take an array because we might want to sort by more than one field. Then, we render the handlebars template like we did earlier. Finally, we just get the text (which are merely the titles) of the two books on the page. If your test server is running, you’ll instantly get a failure as the result is Book 2Book 1 (the order we inserted the books into the collection). Now, let’s fix our failing test, first in app/components/book-list.js: import Ember from 'ember'; export default Ember.Component.extend({ books: [], sortKeys: [], sortedBooks: Ember.computed.sort('books', 'sortKeys') }); There are two new properties here, sortKeys, which we can bind to, and sortedBooks, which will be used to get a list of sorted books. We’ll hop over to our template ( app/templates/components/book-list.hbs) to use this new property instead of books. {{#each sortedBooks as |book|}} <div class="book">{{book.title}}</div> {{/each}} We don’t need to write a new test to take care of sorting. We’ll just append another assert to our test as follows: test('it orders a list of books by title', function(assert){ assert.expect(2); ... assert.equal(this.$('.book').text(), "Book 1Book 2"); this.set('sortKeys', ['title:desc']); assert.equal(this.$('.book').text(), "Book 2Book 1"); }); Just append :desc to sort by descending. Adding Filtering If we’re sorting, we probably want to live filter the list of books as well. As always, we’ll start with a test: test('it filters a list of books by title', function(assert) { var book1 = FactoryGuy.make('book', { title: 'Book 1' }); var book2 = FactoryGuy.make('book', { title: 'Book 2' }); this.set('books', [book1, book2]); this.set('filter', '1'); this.render(hbs{{book-list books=books filter=filter}}); assert.equal(this.$('.book').text(), "Book 1"); }); In our test, we again create two books and assign them to the books property. Next, we add a new property called filter, which will be our trigger to filter our collection. We’re passing a 1 here to go after Book 1. Finally, we test the text of the selector, hoping to get Book 1 back. Now, for the implementation. Here we can leverage Ember.computed again, using its filter function. export default Ember.Component.extend({ ... filter: '', ... filteredBooks: Ember.computed.filter('sortedBooks', function(book) { var title = book.get('title').toLowerCase(); return title.indexOf(this.get('filter')) !== -1; }).property('sortedBooks', 'filter') }); Note the property function. This is a list of things that we need to watch for changes, which will update the filteredBooks property. Focusing on UI Up until now, we’ve simply focused on tests and making our tests pass. We haven’t done anything with our front-end. We spun up our server before, and got a “Welcome to Ember” message. Of course, that isn’t what we want. Let’s spend a couple of minutes adding some style and working on the front end. We’ll use Bootstrap for our styles in order to save time. There are multiple ways of dealing with Bootstrap in Ember, but we’ll take the easy route and use the CDN. In the app/index.html file, add the CDN links, the stylesheet in the head and the Javascript after the assets/vendor.js (because Bootstrap requires jQuery, which is included in our vendor.js file): <!DOCTYPE html> <html> ... {{content-for "head"}} ="assets/vendor.css"> <link rel="stylesheet" href="assets/bookcase.css"> {{content-for "head-footer"}} </head> <body> {{content-for "body"}} <script src="assets/</script> ... </html> To see what’s happened, launch the development server with command ember serve in bash, or whatever shell you use. Then, navigate your browser to. You’ll be greeted again with “Welcome to Ember,” but this time in a different, bolder font. Let’s change that into a homepage for our Bookcase site. Create a new template called index.hbs, and paste in the following Handlebars code: <div class="container"> <div class="jumbotron"> <h1>Welcome</h1> <p>This site is for you book lovers.</p> <p>{{#link-to "books" class="btn btn-primary btn-lg" role="button"}}View Books{{/link-to}}</p> </div> </div> Now, you may have tried clicking on the “View Books” button, only to find out that it doesn’t work. A quick look at the Chrome console shows us the problem: GET 404 (Not Found) That’s similar to the problem that we encountered with our tests before. We put in route code to load our books, but of course in our case we want to point at our API that we created in the last tutorial. To use our API, we’ll spin up the Rails server and point Ember-CLI at that path. If you’re using a Mac, you can also host the API using Pow. We’ll just use the Rails server for now. Open another terminal window, and change in the API directory. Then, run the command bin/rails s. This will spin up a server listening on port 3000. Now that we have that, stop the Ember-CLI server and relaunch it with the following command. ember serve --proxy= Refresh your browser, and now you should be able to click on the “View Books” button, and you’re greeted with an empty page. The page is empty because we don’t have any books in our database, nor do we have a way to add them. Let’s fix that. Adding Seed Data to the API To save time, we won’t cover adding books in this particular tutorial, but we want to work with our front-end. We can accomplish this using Rails’s seeds.rb file. With this file populated, we can run rake db:seed and insert some books, authors, and publishers. Open up db/seeds.rb in the API project and create some books. Here are a few examples that we added: crockford = Author.create(name: 'Douglas Crockford') oreilly = Publisher.create(name: "O'Reilly") goodparts = Book.create(title: 'JavaScript: The Good Parts', isbn: '9780596517748', cover: '', publisher: oreilly) goodparts.authors << crockford white = Author.create(name: 'Matthew White') pragprog = Publisher.create(name: 'Pragmatic Programmers') ember2 = Book.create(title: 'Deliver Audacious Web Apps with Ember 2', isbn: ' 9781680500783', cover: '', publisher: pragprog) ember2.authors << white ruby = Author.create(name: 'Sam Ruby'); thomas = Author.create(name: 'Dave Thomas') dhh = Author.create(name: 'David Heinemeier Hansson') rails4 = Book.create( title: 'Agile Web Development with Rails 4 (Facets of Ruby)', isbn: '9781937785567', cover: '', publisher: pragprog) rails4.authors << ruby rails4.authors << thomas rails4.authors << dhh With the seeds.rb file populated, run the command rake db:seed in the API directory. If all goes well, you should be able to spin up the API server again ( rails s), go back to your Ember application and you should see three titles on the /books page. Changing the Book Display Let’s start with displaying the cover image of the book instead of the title. Head over to app/templates/components/book-list.hbs and change the code to the following: {{#each filteredBooks as |book|}} <div class="book" data- <img src="{{book.cover}}" height="160" /> </div> {{/each}} That’s a little better, but now we have two failing tests. Remember, we were using the text method to get the values of the books and comparing against those. Well, they don’t exist anymore. Because of that, we added a data-title attribute to the book div that we’ll use for our tests. The two failing tests are located in tests/integration/components/book-list-test.js. We’ll correct these in reverse order from the one in which they appear in the file, because the last test is easier to fix. test('it filters a list of books by title', function(assert) { ... assert.equal(this.$('.book').data('title'), "Book 1"); }); All that’s needed is changing the last line to look at the data-title attribute and compare it to our text. Now, let’s tackle the other failing test. This is a bit difficult because the data method only returns the first result. Because of this, we’ll have to change our expected assertions to four instead of two, since we have to look at each value independently. test('it orders a list of books by title', function(assert){ assert.expect(4); ... assert.equal(this.$('.book:eq(0)').data('title'), "Book 1"); assert.equal(this.$('.book:eq(1)').data('title'), "Book 2"); this.set('sortKeys', ['title:desc']); assert.equal(this.$('.book:eq(0)').data('title'), "Book 2"); assert.equal(this.$('.book:eq(1)').data('title'), "Book 1"); }); Here we’re using the eq method, which lets us select elements by position. In the first set, we’re making sure it’s ordered ascending, and in the second set we’re asserting that the books are ordered descending. We’re back to green. Now, let’s add a little style to make our list look a little nicer. Open up app/styles/app.css and add the following couple of styles: .book { float: left; margin: 20px 10px; } .book img { -webkit-box-shadow: 7px 7px 7px #333; -moz-box-shadow: 7px 7px 7px #333; box-shadow: 7px 7px 7px #333; } We gave our list of books some depth with CSS’ box-shadow, and now they appear in a line instead of stacked on top of one another. Adding List Features For the final thing for this tutorial, we’ll give users the ability to sort and filter the books. We’ve already tested these features using an integration test, but we’ll work with our acceptance test to check the user experience. Open up tests/acceptance/book-list-test.js and add the following test: test('should filter a list of books', function(assert) { TestHelper.handleFindAll('book', {title: 'Book 1'}, {title: 'Book 2'}); visit('/books'); fillIn('#filter', '2'); andThen(function() { assert.equal(find('.book').length, 1); assert.equal(find('.book').data('title'), 'Book 2'); }); }); Here, we’re explicitly creating two books with their titles, even though ember-data-factory-guy would have created books with the same title. It’s good to be explicit in your tests so that future devs don’t need to hunt around for “magic values.” Like our other tests, we then visit the books page. Then, we use Ember’s test helper fillIn to fill in something (we’ll add an input) with an ID of filter. Finally, we assert that we only have one book and that its title is “Book 2.” Now that we wrote a failing test, let’s fix it. We used a Bootstrap Well just to add a little style to our page. This code goes before the {{#each}} that we currently have. <div class="well"> <form class="form-inline"> <div class="form-group"> {{input type="text" value=filter class="form-control" id="filter" placeholder="Search"}} </div> </form> </div> ... Note the line-breaks in the code snippets are just for display. Now, let’s finish up with sorting. Back to our acceptance test. We’ll first check to make sure our books are ordered ascending by default. Here’s the test: test('should sort a list of books ascending by default', function(assert) { TestHelper.handleFindAll('book', {title: 'Book 2'}, {title: 'Book 1'}); visit('/books'); andThen(function() { assert.equal(find('.book:eq(0)').data('title'), 'Book 1'); assert.equal(find('.book:eq(1)').data('title'), 'Book 2'); }); }); In our component, we’ll give it a default sortKeys: export default Ember.Component.extend({ books: [], sortKeys: ['title'], filter: '', ... }); Now, let’s add sorting interaction to the component. Here’s the next acceptance test: test('should sort a list of books descending when selected', function(assert) { TestHelper.handleFindAll('book', {title: 'Book 1'}, {title: 'Book 2'}); visit('/books'); click('#descending'); andThen(function() { assert.equal(find('.book:eq(0)').data('title'), 'Book 2'); assert.equal(find('.book:eq(1)').data('title'), 'Book 1'); }); }); While we’re at it, let’s add a test for sorting ascending as well, and we’ll fix both tests at once. test('should sort a list of books ascending when selected', function(assert) { TestHelper.handleFindAll('book', {title: 'Book 2'}, {title: 'Book 1'}); visit('/books'); click('#descending'); // Sort descending because of the default sort click('#ascending'); andThen(function() { assert.equal(find('.book:eq(0)').data('title'), 'Book 1'); assert.equal(find('.book:eq(1)').data('title'), 'Book 2'); }); }); With those in place, let’s move on to the UI for these tests. Here is the full code listing for app/templates/components/book-list.hbs: <div class="well"> <form class="form-inline"> <div class="form-group"> {{input <label>Sort By Title:</label> <div class="btn-group" data- <label id="ascending" class="btn btn-primary active" {{action 'sortBy' 'title:asc'}}> <input type="radio" name="sort" checked> Ascending </label> <label id="descending" class="btn btn-primary" {{action 'sortBy' 'title:desc'}}> <input type="radio" name="sort"> Descending </label> </div> </div> </form> </div> {{#each filteredBooks as |book|}} <div class="book" data- <img src="{{book.cover}}" height="160" /> </div> {{/each}} With that change, here is what our new book page looks like: Conclusion At this point, we finally have a component that can really stand on its own. We’re able to sort and filter our book collection and, thanks to seed data, we can test these features out using our browser, but we also have our tests. We encourage you to make your site your own by changing up the styles and making other changes you might think of. You can also come up with some more features for the book-list control. We’d love to hear about your changes in the comments. If you followed along with the tutorial you probably don’t need it, but you can grab the source code for this tutorial on GitHub. The code is tagged with Part4End, which makes it easy to see what we did between Part 3 and Part 4. The API is also tagged with Part4End to reflect the changes we made in this tutorial.
https://semaphoreci.com/community/tutorials/developing-a-test-driven-front-end-with-ember-js
CC-MAIN-2019-18
refinedweb
2,722
67.45
Red Hat Bugzilla – Bug 25989 hcp fails to compile c++ code with Last modified: 2007-04-18 12:31:09 EDT From Bugzilla Helper: User-Agent: Mozilla/4.76 [en] (X11; U; Linux 2.2.16-22smp i686) The following code compiles fine with g++ and gcc #include <complex> using namespace std; int main() { return 0; } However, when hcp (c++ compiler w/ mpi library wrapper) is used on the same code, the following error results: [deisz@landau tmp-c++]$ hcp main.cc In file included from /usr/include/g++-3/complex:8, from main.cc:2: /usr/include/g++-3/std/complext.h:314: declaration of `double hypot (double, double)' throws different exceptions /usr/include/bits/mathcalls.h:150: than previous declaration `double hypot (double, double) throw ()' [deisz@landau tmp-c++]$ Note: This error _does not_ appear when hcp from lam-tcp-6.3.2. (rpm from the lam web site) is used. Reproducible: Always Steps to Reproduce: 1. Attempt to compile with g++, gcc, and hcp. 2. Perform these tests on a second Redhat 7.0 machine. 3. I couldn't reproduce that problem with - lam-6.3.3b28-1.i386.rpm and lam-6.3.3b47-1.i386.rpm (both tested) - gcc-c++-2.96-69 - glibc-devel-2.2-12 could you check/update your packages ? Please re-open that bug, if you still have problems after upgrading your packages..
https://bugzilla.redhat.com/show_bug.cgi?id=25989
CC-MAIN-2017-34
refinedweb
233
59.9
odbc MS EXCEL November 23, 2011 at 7:38 PM hey my whole database is stored in MS Excel. so please tell me that can we connect to that database. if yes, how to do that. please help me out i am doing it in netbeans can please tell me the steps. ... View Questions/Answers test cases problem November 23, 2011 at 5:46 PM what to write in the testing phase of my project. My project is a JSP project that generate graphs from the student marks in the database using jfreechart library. i have used apache tomcat and netbeans IDE 6.7.1..please help me with the test cases that could be made out of it. ... View Questions/Answers Java/PHP Developer November 23, 2011 at 5:12 PM Hi, can u help me to embedd time on java frame and it should be independent of operating system time..if we change system time it should'nt be changed.. Thank you sir.. ... View Questions/Answers Entity Relationship Diagram 3 November 23, 2011 at 4:34 PM Task 3 Activities: Identify all entities and attributes from the given scenario. Draw entity relationship diagram of the given from scenario. Determine primary key and foreign keys from given scenario. Scenario: The University i... View Questions/Answers how can download mobile explorer emulator November 23, 2011 at 4:19 PM how can download mobile explorer emulator? ... View Questions/Answers Entity Relationship Diagram November 23, 2011 at 3:58 PM Draw only entity relationship diagrams for the following scenario. Include any attributes you think should be represented. . Each engineer works on a number of projects. For every engineer a record is kept of his number, name title and salary. . For every project a record is kept ... View Questions/Answers Entity Relationship November 23, 2011 at 3:50 PM Draw entity relationship diagram for the following scenario. A university has many departments whereas each department belongs to that particular uni.That uni has also many buildings whereas each building belongs to that particular uni . The uni has also many employees whereas each emplo... View Questions/Answers form validation November 23, 2011 at 3:47 PM <form name="form" method="post" action="process.php" onsubmit="return validate(); "> <table align="center" border="1px" bgcolor="orange" > <tr><td>username:</td><td><input type="text" name="username" /><... View Questions/Answers invoking exe files on sound November 23, 2011 at 3:39 PM how to invoke .exe files on input as sound in java? ... View Questions/Answers java November 23, 2011 at 3:24 PM Class A{ { Class B extends A{ m1(); class c extends B{ m2(); } B b1 = new c(); b1.m1(); b1.m2(); Will this code compile? if not what is the error? ... View Questions/Answers Java/PHP Developer November 23, 2011 at 3:07 PM Hi, I need a cloak embedded in java swing frame or panel..And it should not change when system time is changed ..please ... View Questions/Answers how to connect SQL Server 2005 using php November 23, 2011 at 2:02 PM i need to connect SQL Server 2005 using php. how can i connect . how to use mssql_connect function? ... View Questions/Answers login page with mysql using jsp November 23, 2011 at 12:15 PM pls i need a sample of login page to check username and password in mysql database. thanks ... View Questions/Answers php loging form connecitivity with mysql November 23, 2011 at 10:16 AM my loging form is not connect ... View Questions/Answers JAVA Compiliation November 23, 2011 at 3:21 AM How do I code and compile in the areas that say "IMPLEMENT ME"? import java.util.Scanner; import java.util.Stack; class EvalException extends Exception{ public EvalException(String msg) { super(msg); } interface Expr { ... View Questions/Answers what is the difference between annonationa xml anf xml file November 22, 2011 at 9:21 PM what is the difference between annonationa xml anf xml file? ... View Questions/Answers what is the difference between annonationa xml anf xml file November 22, 2011 at 9:18 PM what is the difference between annonationa xml anf xml file... View Questions/Answers method inside the method?? November 22, 2011 at 8:06 PM can't we declare a method inside a method in java?? for eg: public class One { public static void main(String[] args) { One obj=new One(); One.add(); private static void add() { System.out.println("hiii..."); } } } ... View Questions/Answers prog. using radio buttons for simple calculator November 22, 2011 at 6 prog. using radio buttons for simple calculator November 22, 2011 at 6 uiactionsheet in iphone November 22, 2011 at 5:32 PM Dynamically adding action sheet to UIViewController. ... View Questions/Answers Jmagick November 22, 2011 at 4:18 PM can any one help me out ...how to use jmagick with servlets and jsp and its installation process also............ its very urgent....... thanx ina adv... ... View Questions/Answers how to reduce width of jbutton ? November 22, 2011 at 3:10 PM how to reduce width of jbutton ? thanks in advancwe ... View Questions/Answers print numbers November 22, 2011 at 12:41 PM 1234 123 12 1234 ... View Questions/Answers How to insert dynamic textbox values into database using Java? November 22, 2011 at 11:52 AM Hi... View Questions/Answers Java/PHP Developer November 22, 2011 at 10:54 AM Hi, how to create radio buttons on one pannel and should change when pressed ok... can u help me htrough this sooner... THANK U... ... View Questions/Answers measuring Qos parameters November 22, 2011 at 3:16 AM Hi, is there a tool for measuring the quality of service (Qos) of an web services. Thanks. ... View Questions/Answers measuring Qos parameters November 22, 2011 at 3:15 AM Hi, is there a tool for measuring the quality of service (Qos) of an web services. Thanks. ... View Questions/Answers php mysql November 21, 2011 at 11:46 PM automatically insert a value in the month field at the last date of current month in mysql database. ... View Questions/Answers php mysql November 21, 2011 at 11:46 PM automatically insert a value in the month field at the last date of current month in mysql database. ... View Questions/Answers java program to convert decimal in words November 21, 2011 at 10:35 PM write a java program to convert a decimal no. in words.Ex: give input as 12 output must be twelve. ... View Questions/Answers which package imported by the java compiler by default? November 21, 2011 at 10:17 PM which package imported by java by default? ... View Questions/Answers what are indices? November 21, 2011 at 10:13 PM what are indices? ... View Questions/Answers class loaders November 21, 2011 at 9:11 PM Explain static and dynamic class loaders? ... View Questions/Answers ConcurrentModificationException November 21, 2011 at 9:10 PM Why do you get a concurrent modification exception when using an iterator? ... View Questions/Answers Is session depend on cookie ??? November 21, 2011 at 5:48 PM m... View Questions/Answers Pontoon November 21, 2011 at 5:32 PM I have this code.. To play a game of Pontoon (Blackjack) i want to be able to reach the number of 21 and then stop. This does not. This carries on. Of course if the user wants to drop out then they can press n for no. import java.util.Scanner; public class Pontoon { ... View Questions/Answers password validation with special character November 21, 2011 at 4:08 PM how to validate password with special character using java script? ... View Questions/Answers java November 21, 2011 at 3:58 PM Write a program that draws the following figures one above the other. * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * ... View Questions/Answers connect sql server 2005 using php November 21, 2011 at 3:01 PM how to connect sql server 2005 using php program. how mssql_connect will work ... View Questions/Answers Java/PHP Developer November 21, 2011 at 2:33 PM how to remove and add a new contentpane on same frame do we have any methods for that... ... View Questions/Answers setting php session variable by ajax November 21, 2011 at 2:16 PM Hello folks, i developing a php website where the content of the section load dynamically from database by AJAX. I need to set session variable on click on the content of that section. i tried to use AJAX to call another PHP script to set the session variable But it is not vi... View Questions/Answers Asp.net November 21, 2011 at 2:10 PM how to show an output of an Asp.net project work on a mobile phone? ... View Questions/Answers Object class in java November 21, 2011 at 1:16 PM want an example and with an explaination about equals() method in object class? Is equals() is similar to == ? ... View Questions/Answers flogin button November 21, 2011 at 12:31 PM how to pass redirctt url for flogin button...and to retrieve parameters that are passed in that url..to store in our database... ... View Questions/Answers Merging Two Arrays Of Different Lengths November 21, 2011 at 9:50 AM I have two arrays of different lengths and wants to have merged values into third. The only condition is, I want unique values in it(third array). Thanks In Advance. ... View Questions/Answers Loops November 21, 2011 at 12:25:19:17 AM Write code that ask user to insert an integer (n) and prints out the factorial (n!) of this number. n! = n (n-1)(n-2)(n-3)...1 , n > 0 ... View Questions/Answers Loops November 20, 2011 at 11:58 PM by using drjava q1 q2.Write code that ask user to insert an integ... View Questions/Answers SQL in dot net November 20, 2011 at 10:53 PM write a code in dot net which connects to a database, retrieves the data and allows to input a valid phone number. ... View Questions/Answers sorting November 19, 2011 at 7:58 PM how to do sorting without using bubble sort,selection sort ... View Questions/Answers Save a pdf with spring as below code November 19, 2011 at 4:33 PM ... View Questions/Answers Java/PHP Developer November 19, 2011 at 12:35 PM Hi, can u please help me with this, I have a text file with 3 sentences separated by delimiters and i want to get each sentence in different JFrames when press ok button on first frame it should close and second frame should open likewise. ... Java/PHP Developer November 19, 2011 at 11:57 AM how can we get words seperated by delimeters in text file can be imported in jframe like one word for one line. ... View Questions/Answers I am not able to display the selected value of my combobox November 19, 2011 at 11:31 AM <?php echo "<select name=\"hello\">\n"; echo "<option value=\"NULL\">Select Value</option>\n"; $strQuery = "select unitcode,unitname from units order by unitcode"; $rsrcResult = mysql_query($strQuery); $i=1; $select='<select s... View Questions/Answers Sequence number to generate daily starting with 1 November 19, 2011 at 11:15 AM Sir, I am creating a bill report Application..I want to generate a sequence number for bill that is starting from 1.and if date changes the sequence number again starts with 1. help me sir, prudvui raju ... View Questions/Answers array November 19, 2011 at 10:57 AM how to delete an element from 1-d arrray ... View Questions/Answers forums creation using spring with hibernate? November 19, 2011 at 10:11 AM how to write mandatory fields with validations in forms using spring with hibernate? give me detailed example? ... View Questions/Answers file class November 19, 2011 at 7:05 AM Hi Friend, I have a file class it lets me extract all the data from a csv file but I need to align the data properely, seperating into the proper rows and columns, as I said my code only allows me to extract all data but I need to use it. My Code: import java.util.Scanner; import ... View Questions/Answers Java Date Class November 19, 2011 at 6:58 AM Hi Friend, I need to have a code to get the days between specific dates. Such if I enter 19 September 2011 to 21 September 2011, the days would be saturday, sunday and monday, the code I gave simply get one day, but i need to able to enter few dates and the output should be the the days, please l... View Questions/Answers Cascade Issue November 19, 2011 at 3:28 AM I have 3 tables: user, stuffperuser (pk: FKuser & FKstuff), stuff. When I don't use cascading, I get an error: "Cannot add or update a child row: a foreign key constraint fails" The mapping files are correct. I need some sort of cascading. It works when I add cascading in the... View Questions/Answers test case November 19, 2011 at 12:57 AM Hi Can you explain me how to write test case in java. regards kennedy ... View Questions/Answers Retrieve a list of words from a website and show a word count plus a specified number of most frequently occurring words November 19, 2011 at 12:55 AM I have to: 1.Retrieve the document text from the web (provided by utility class) 2.Filter the desired "words" form the document, and one by one, store each word as a key into a Map<String,Integer> object where the value is the number of occurrences of the word 3. Read the (word, num_occurrence... View Questions/Answers connection pooling with jbos4.0 November 19, 2011 at 12:55 AM How to create connection pooling in jboss 4.0? please explain me step by steps from beginning. ... View Questions/Answers report making in asp November 18, 2011 at 5:22 PM Hi sir, Please give some example report making code for jsp and mysql. ... View Questions/Answers retrieve related data from database using jsp and mysql November 18, 2011 at 5:20 PM Hi sir, please give some example of jsp code for retrieving mysql database values in multiple dropdown list. if we change a value in a dropdown its related value must be shown in the adjacent text field. Regards banajit ... View Questions/Answers schema extraction from mysql November 18, 2011 at 4:34 PM?... View Questions/Answers HTML table layout November 18, 2011 at 3:17 PM i have table layout in that i have menu in td(column) ,when i click menu item ,the page will be open in that table right side td(column) ,plz give me code and give me useful layout examples,because my requirement is layout using table, ... View Questions/Answers Java/PHP Developer November 18, 2011 at 2:59 PM Hi, I have a textfile(notepad1.txt) with 1 question and another textfile(notepad2.txt) with answers(4 options like multiple choice),question is imported from first text file to jframe and 4 options with check boxs to the same frame panel, when i select the option and press ok button that answer s... View Questions/Answers ATG November 18, 2011 at 2:54 PM IS art technology group is using in ur project development? ... View Questions/Answers context menu overlapped in IE8 November 18, 2011 at 2:30 PM I developed a contex menu in XHTML while opening it is overlapped in border of IE8 browser. even i have tried change the zaxis in css. I am using like below ... View Questions/Answers Problem With Combo Box Editable Property November 18, 2011 at 12:22 PM Hi I am new To Flex i had set Combo Box Editable Property as true. But I didn't get the property filtering in the combo box like when you enter text "S" in the combo box then the names Started with "S" will Automatically Display as Combo Box Items. So will you please give me some idea about thi... View Questions/Answers open pdf file in same jsp page and the pdf file should retrieved from database November 18, 2011 at 12:15 PM Hai all, I need code to open a pdf file in same jsp page(browser) while click on hyperlink And the file was located in database table. Can any one help me Regards, Divya ... View Questions/Answers Java swing November 18, 2011 at 11:03 AM Design an appliaction for with details such as name,age,DOB,address,qualification and finaly when we click the view details button all types details should be displayed in another View in TextView's..I need the sample code.. ... View Questions/Answers Java/PHP Developer November 18, 2011 at 10:44 AM Java if else condition November 18, 2011 at 10:28 AM its there any similar condition for (X<=5 || y<=10) please post the answer as soon as possible.... TQ ... View Questions/Answers how to call servlet from html page at anchor tag ? November 18, 2011 at 10:27 AM I... View Questions/Answers JSP textbox autopopulation on basis of SQL table values November 18, 2011 at 10:07 AM Hi, I need to achieve the following on J2EE platform Could you please help? The following table is created in MySQL DB: Problem type Status Responsible LEGAL CONTROL NEW ABC LEGAL Dept PENDING PQR There are 2 list box on JSP , one is to select... View Questions/Answers Jkmegamenu drop downs moving left when window is resized in Chrome November 18, 2011 at 7:43 AM I h... View Questions/Answers <identifier> expected error November 18, 2011 at 7:17 AM expected error print(" import java.util.*; public class Person{ Queue<Person> busQ = new LinkedList<Person>(); busQ.addLast(homer); busQ.addLast(marge); busQ.addLast(maggie); busQ.addLast(lisa); busQ.addLast(bart... View Questions/Answers how to find the nth prime number in java November 17, 2011 at 10:25 PM strong texthow to find the nth prime number in java ... View Questions/Answers Unable to use JMXMP with Knopflerfish? November 17, 2011 at 8:38 PM I have a bundle which runs properly with Eclipse, then I generate the jar file and try to use it with Knopflerfish, then I get the following exception java.net.MalformedURLException: Unsupported protocol: jmxmp at javax.management.remote.JMXConnectorServerFactor... View Questions/Answers Java/PHP Developer November 17, 2011 at 6:46 PM Convert the excel sheet data into oracle table through java or jsp November 17, 2011 at 6:26 PM Hi Friends, Let me help this issue i am phasing Convert the excel sheet data into oracle table through java or jsp. ... View Questions/Answers view data from jTextArea to jtable November 17, 2011 at 6:11 PM good; ... View Questions/Answers EJB3.0,web-service,websphere using eclipse November 17, 2011 at 6:10 PM I have to make an ejb3.0 application a web-service using websphere6.1 and eclipse.Can I do it configuring websphere server with eclipse,and develope the application in eclipse itself,then deploy on the server,then convert it into web-service?Any Idea/help will be of great use.I am running out of ... View Questions/Answers Shopping_Beauty November 17, 2011 at 5:06 PM **Deleted by Admin** - BH Cosmetics, BHCosmetics is the best place on the web for 120 eyeshadow palette, 88 eyeshadow palette, eye shadow cosmetics and professional make up palettes. ... View Questions/Answers Java/PHP Developer November 17, 2011 at 4:39 PM Hi, can u help me with, question from a text file and answers from another text file with check box..... ... View Questions/Answers i have one textfield and 2 buttons named as find and clear.when i entered some text in text filed it should return some rows.when i clicked on clear button the returned rows should not be displayed November 17, 2011 at 4:11 PM i have one textfield and 2 buttons named as find and clear.when i entered some text in text filed it should return some rows.when i clicked on clear button the returned rows should not be displayed .i need code for this thanks in advance ... View Questions/Answers Driver November 17, 2011 at 3:54 PM can u send type4 jdbc driver class name and url for microsoft sql server 2008....? ... View Questions/Answers ERP November 17, 2011 at 3:29 PM what is ERP of project? ... View Questions/Answers autocomplete November 17, 2011 at 3:18 PM I th... View Questions/Answers binary tree November 17, 2011 at 2:46 PM how to count no. of nodes in a binary tree for mlm if it complet tree or incomplet tree in php using mysql db? ... View Questions/Answers browser back button November 17, 2011 at 1:09 PM hi...i created one page in JSF.that page had three form division.in first form one add button is there.if i click that button move to second form,then i click browser back button ,it moves on another page.so how can i control.please any one know the ans plz let me know. ... View Questions/Answers Getting the last inserted id using jsp November 17, 2011 at 12:47 PM Pls how can i retrieve the last inserted id after submitting a form to mysql using jsp ... View Questions/Answers Java/PHP Developer November 17, 2011 at 12:23 PM please help me to bring cell values of jtable to a text file.................... ... View Questions/Answers format November 17, 2011 at 10:33 AM Abcdcba Abc cba Ab ba A a Ab ba Abc cba Abcdcba ... View Questions/Answers
https://www.roseindia.net/answers/questions/103
CC-MAIN-2017-39
refinedweb
3,614
63.39
@LoggedIn at the method levelMonkey Den Feb 21, 2007 9:19 AM @LoggedIn in the docs is at the TYPE level. Has anyone gotten it to work at the method level? It doesnt seem to be intercepting the method call. I'd like to allow the "list function" of a screen but not the edit function if the user is not logged in. @Target(METHOD) @Retention(RUNTIME) @Interceptors(LoggedInInterceptor.class) public @interface LoggedIn {} @Stateful @Name("safe") @Scope(SESSION) public class SafeAction implements Safe { @Logger private Log log; @LoggedIn public String pingMe(){ log.debug("Pinging me"); return "success"; } public String pingMeToo(){ log.debug("Pinging me too"); return "home"; } @Destroy @Remove public void destroy(){ } } public class LoggedInInterceptor { @Logger private Log log; @AroundInvoke public Object checkLoggedIn(InvocationContext invocation) throws Exception { boolean isLoggedIn = Contexts.getSessionContext().get("user")!=null; try { if (isLoggedIn) { return invocation.proceed(); } else { throw new SecurityException(); } } catch (SecurityException se) { log.debug("Login required"); return "login"; } } } This content has been marked as final. Show 4 replies 1. Re: @LoggedIn at the method levelMariusz Smykula Feb 21, 2007 9:53 AM (in response to Monkey Den) You should use: @Restrict("#{identity.loggedIn}") This work on TYPE and METHOD level. 2. Re: @LoggedIn at the method levelMonkey Den Feb 21, 2007 11:24 AM (in response to Monkey Den) Could you qualify "You should use..."? Are you suggesting that it's the only/best way to do it or is it just another possibility? 3. Re: @LoggedIn at the method levelGavin King Feb 21, 2007 11:34 AM (in response to Monkey Den) That is the correct way. The old @LoggedIn pattern is gone from the examples (in CVS, anyway). 4. Re: @LoggedIn at the method levelMonkey Den Feb 21, 2007 12:13 PM (in response to Monkey Den) Ah, cool, thanks guys. You're working too hard. I can't keep up with the examples.
https://developer.jboss.org/thread/134542
CC-MAIN-2018-39
refinedweb
311
57.87
Red Hat Bugzilla – Bug 312701 Review Request: PySolFC - A collection of solitare card games Last modified: 2007-11-30 17:12:17 EST Spec URL: SRPM URL: Description: PySolFC is a collection of more than 1000 solitaire card games. It is a fork of PySol solitaire. Its features include modern look and feel (uses Tile widget set), multiple cardsets and tableau backgrounds, sound, unlimited undo, player statistics, a hint system, demo games, a solitaire wizard, support for user written plug-ins, an integrated HTML help browser, and lots of documentation. I get an error when I run it here: $ pysol python: ./Modules/_tkinter.c:941: AsObj: Assertion `size < size * sizeof(Tcl_UniChar)' failed. /usr/bin/pysol: line 2: 3659 Aborted /usr/share/PySolFC/pysol.py $* I get this too, I thought it was rawhide-specific... On the support forums other users have this problem, however the maintainer uses the same version of python and tkinter as we do and yet his works... Maybe one of our patches is causing the error? It seems it's a know bug (see bz#281751). Hopefully it will be solved soon. Given that the blocker is fixed, installed this on a clean system but now it won't run: File "/usr/share/PySolFC/pysol.py", line 29, in <module> from pysollib.main import main File "/usr/lib/python2.5/site-packages/pysollib/main.py", line 43, in <module> from util import DataLoader File "/usr/lib/python2.5/site-packages/pysollib/util.py", line 65, in <module> from mfxutil import Image File "/usr/lib/python2.5/site-packages/pysollib/mfxutil.py", line 60, in <module> import ImageTk ImportError: No module named ImageTk I think a dependency is missing but it's not immediately clear to me what it is. OK, the missing dependency is python-imaging-tk. I'm about to head home from work; I'll finish up this review as soon as I make it home. Fixed - New SRPM: Too bad when I got home my Internet connection had crapped out. It's not much better now but I got through long enough to have a longer look at this. Looks like you need to s/imageing/imaging/ in your spec. You could probably drop some of the manual dependencies (at least python-imaging and tkinter) if you wanted, but it's not a big deal. Unfortunately the bug that was blocking this has been closed but the fix hasn't been pushed yet, and it hasn't been fixed for F8 either. I expect that the F7 fix will be pushed before this package, but I don't know about F8. Not a blocker, but perhaps you could consider having this package provide "pysol" since that's the name of the executable it provides and it would make it a bit easier on people looking for a pysol package. I can see a few reasons why you might not want to do this, though, so I'll leave it up to you. rpmlint says: PySolFC.noarch: E: non-executable-script /usr/lib/python2.5/site-packages/pysollib/games/siebenbisas.py 0644 which I don't see as a problem; it's just the usual "anything python starts with a shebang even if it's not an executable" disease which python programmers seem to acquire. I never ran through my checklist, so: * source files match upstream: 768dd5be8ec1f0d8f62792e712a177bdae8e01993a12f2c84fe1c9c56f17daee PySolFC-1.1.tar.bz2 (downloaded manually because sourceforge is sucking as usual) * (development, x86_64). * package installs properly * rpmlint has acceptable complaints. * final provides and requires are sane: PySolFC = 1.1-2.fc8 = /bin/sh /usr/bin/env /usr/bin/python python(abi) = 2.5 python-imaging python-imaging-tk tcl tile tix tk tkinter * %check is not present; no test suite upstream. Manually tested with fixed. * desktop file present and installed properly. * locale files handled properly. APPROVED; just fix the "imageing" bit before you check in. BTW, one thing I notice after looking closely at the file list is the presence of "COPYRIGHT" files in each of the cardset directories. There are many ways to deal with these: Leave them where they are and mark them as %doc (thus making the %files list hideous). Rename them all to files named after the cardset and put them into docdir. Leave them alone. I prefer the third option, simply because everything else is useless complexity for no gain. I agree, I'll leave them for now and if someones requests/complains about it then I'll mark them %doc in the spec (BTW, is there a way to mark files as %doc without moving them to the root of the source directory first?). New Package CVS Request ======================= Package Name: PySolFC Short Description: A collection of solitaire card games Owners: firewing Branches: FC-6 F-7 F-8 InitialCC: firewing Cvsextras Commits: yes If you do %doc path/file RPM will copy it from the source directory. But %doc /path/file will just set the documentation flag on an installed file. CVS done. PySolFC-1.1-3.fc7 has been pushed to the Fedora 7 stable repository. If problems still persist, please make note of it in this bug report. PySolFC-1 PySolFC' Sorry for the noise, I forgot to uncheck the close this bug when update is pushed option in Koji.
https://bugzilla.redhat.com/show_bug.cgi?id=312701
CC-MAIN-2016-44
refinedweb
883
72.97
XName.Get Method Assembly: System.Xml.Linq (in System.Xml.Linq.dll) This method provides overloads that allow you to create an XName from a expanded XML name. You can create an XName from a string in the form {namespace}localname, or from a namespace and a local name, specified separately. A much more common and easier way to create an XName is to use the implicit conversion from string. To create a name that is in a namespace, the common approach is to use the addition operator overload that allows you to combine an XNamespace object and a string. For more information and examples, see How to: Create a Document with Namespaces (C#) (LINQ to XML)1. For more information on using namespaces in Visual Basic, see Namespaces in Visual Basic (LINQ to XML)1. Because XName objects are atomized, if there is an existing XName with exactly the same name, the assigned variable will refer to the existing XName. If there is no existing XName, a new one will be created and initialized.
https://msdn.microsoft.com/en-us/library/system.xml.linq.xname.get.aspx
CC-MAIN-2017-22
refinedweb
175
63.09