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
Arbitrary exception class. More... #include <sysc/kernel/sc_process.h> Arbitrary exception class. This class serves as a way of throwing an execption for an aribtrary type without knowing what that type is. A true virtual method in the base class is used to actually throw the execption. A pointer to the base class is used internally removing the necessity of knowing what the type of EXCEPT is for code internal to the library. Note the clone() true virtual method. This is used to allow instances of the sc_throw_it<EXCEPT> class to be easily garbage collected. Since an exception may be propogated to more than one process knowing when to garbage collect is non-trivial. So when a call is made to sc_process_handle::throw_it() an instance of sc_throw_it<EXCEPT> is allocated on the stack. For each process throwing the exception a copy is made via clone(). That allows those objects to be deleted by the individual processes when they are no longer needed (in this implementation of SystemC that deletion will occur each time a new exception is thrown ( see sc_thread_process::suspend_me() ). Definition at line 301 of file sc_process.h. Definition at line 305 of file sc_process.h. Definition at line 306 of file sc_process.h. Implements sc_core::sc_throw_it_helper. Definition at line 307 of file sc_process.h. Implements sc_core::sc_throw_it_helper. Definition at line 308 of file sc_process.h. Definition at line 310 of file sc_process.h.
http://www.cecs.uci.edu/~doemer/risc/v021/html_oopsc/a00207.html
CC-MAIN-2018-05
refinedweb
235
58.38
2.2.3.186.3 Type (FolderSync) The Type element is a required child element of the Update element and the Add element in FolderSync command responses that specifies the type of the folder that was updated (renamed or moved) or added on the server. All elements referenced in this section are defined in the FolderHierarchy namespace. Each Update element and each Add element included in a FolderSync response MUST contain one Type element. The folder type values are listed in the following table.. The value 19 for the Type element is not supported when the protocol version 2.5, 12.0, or 12.1 is used.
https://msdn.microsoft.com/en-us/library/gg650877(v=exchg.80).aspx
CC-MAIN-2017-51
refinedweb
107
56.96
The latest version of Microsoft’s mobile platform gives Windows phone developers an entirely new playing field. The look is different. The phones are different. Even the name of the OS is slightly different – Windows Phone 7. The development experience, however, will be comfortably familiar to .NET developers in general and Silverlight coders in particular. As with any device development effort, to make your app really sing you’ll want to tap into the mobile-specific features, such as: - Location Services - Push Notification - Accelerometer However, even before getting into device functionality, you can apply your Silverlight skills to get a basic app up and running quickly. For the following walkthrough, you’ll need to have these components installed, all of which are included in the Windows Phone Developer Tools package (except for the Framework): .NET Framework 4 - Visual Studio 2010 Express (this walkthrough uses C#) - Silverlight 4 Tools for Visual Studio - Windows Phone Emulator - XNA Game Studio 4.0 (not needed for this walkthrough) - Microsoft Expression Blend for Windows Phone You can find this package and a ton of other useful information on Microsoft’s developer site. Step One: Create the Basic App The goal of this walkthrough is to get a basic Windows Phone 7 application up and running. From there you can dive into more advanced functionality. This app will let you select an image thumbnail from a list to see a larger view of it. Once your Developer Tools Package is installed and ready to go, launch Visual Studio 2010 Express for Windows Phone and start a New Project. Select the “Silverlight for Windows Phone” template and choose “Windows Phone Application”. If you’re already a Silverlight programmer, then right out of the gate your solution should feel familiar. As you can see in Figure 2, you have a XAML file already mocked up like a Windows Phone 7 app. As with any of Visual Studio’s templates, you could technically run this right now, but just to test interactivity, add a button first. From the Toolbox, grab a Button and drag it to the middle of the canvas. In the Properties pane, change the button’s Content to “Click Me”. You should end up with something like this: Double-click the button on the canvas. This generates a method stub for the Click event and takes you directly to it in the code-behind file for the canvas (the file is named MainPage.xaml.cs if you want to locate it in the Solution Explorer – it’s collapsed with MainPage.xaml). Add the following code: MessageBox.Show("Clicked!"); Before you run the app, you need to do one more thing. Unfortunately, as great as these new tools are, they’re evidently not quite smart enough to recognize if you have a device plugged in. So you need to manually set your target to “Windows Phone 7 Emulator”. Now you can go ahead and run the app (F5). If everything is wired up correctly, the emulator should launch with the app running. Click the button you added to make sure a message pops up. Stop the application and go back to the code. Delete the button from the XAML canvas and delete the Click event from the code-behind. Step Two: Create the Image Picker On the XAML canvas, click on the words “MY APPLICATION”. Change the text to “DZONE DEMO APPLICATION”. Select the words “page name” and change that text to “image picker”. From the Toolbox, drag an Image control onto the canvas. This will be the target image, so change the name of the control to imgTarget. Make it approximately 400 wide by 300 tall. You can set the dimensions exactly using the Width and Height properties. Make sure it’s in the top center of the content grid of the canvas. Change the Stretch property to “UniformToFill”. Normally you would set the Source property for the Image control as well, but not in this case. Under imgTarget, add three smaller Image controls and name them imgThumb1, imgThumb2, and imgThumb3. Make them each about 100 by 80. You can use the guide lines to align the controls. Click on imgThumb1 and select Source. Doing this serves triple-duty. First, you’re copying images from a source directory to the profile folder. Second, you’re creating a Resource library can be used throughout the app. Third, you’re assigning the images to specific Image controls. So for this first image, click Add and navigate to your Sample Pictures folder (or any other location that you want to grab images from) and select three images. You’ll see that all three get added both to the Solution Explorer and to the Images pane of the “Choose Image” dialog. On top of that, the Path now references your project resources and currently points to the first image: Go ahead and click OK to accept the first image. Now when you select the Source for the second image, you can select it from the project resources. Do this for imgThumb2 and imgThumb3. Once all the images are selected, the canvas should look like this: Click on each of the new images in the Solution Explorer. The Build Action for each one should be set to “Resource”. Change the Copy to Output property to “Copy if newer”. Since the Image control doesn’t have the Click event handler implemented, you need to approach the problem a bit differently. Instead of Click, there is the MouseLeftButtonDown event that is triggered on initial object touch. Don’t get scared away by the term Mouse in the name – it will work fine both in the emulator and on an actual Windows Phone 7 device. However, remember that this is a simple example. For performance reasons, Microsoft recommends using manipulation instead of Mouse events. Initially, open the XAML file for the working page and make sure that you reference the proper event handler in the markup: <Image MouseLeftButtonDown="Image_MouseLeftButtonDown"></Image>In the code-behind you can link it to an action:; Your finished code should look something like this: using System; using System.Collections.Generic; using System.Linq; using System.Net; using System.Windows; using System.Windows.Controls; using System.Windows.Documents; using System.Windows.Input; using System.Windows.Media; using System.Windows.Media.Animation; using System.Windows.Shapes; using Microsoft.Phone.Controls; namespace WP7SilverlightDemo { public partial class MainPage : PhoneApplicationPage { // Constructor public MainPage() { InitializeComponent(); }; } private void btnThumb2_Click(object sender, RoutedEventArgs e) { Uri uri = new Uri("/WP7SilverlightDemo;component/Images/Jellyfish.jpg", UriKind.Relative); ImageSource newSource = new System.Windows.Media.Imaging.BitmapImage(uri); imgTarget.Source = newSource; } private void btnThumb3_Click(object sender, RoutedEventArgs e) { Uri uri = new Uri("/WP7SilverlightDemo;component/Images/Lighthouse.jpg", UriKind.Relative); ImageSource newSource = new System.Windows.Media.Imaging.BitmapImage(uri); imgTarget.Source = newSource; } } } Run the app and try it out. You should end up with something like Figure 8, with three responsive thumbnails: Next Steps Obviously the app in its current state leaves a lot to be desired. If you want to continue in this vein, here are some possibilities to explore in your next iteration: Remove the btnThumb objects and use the Image control’s MouseLeftButtonUp event, instead Collapse the three Click events into a single event handler that uses the thumbnail’s Image source Add Orientation recognition and create a landscape version of the layout Also be sure to read Colin Melia’s excellent Refcard for Windows Phone 7, which takes you through more device-specific functionality. {{ parent.title || parent.header.title}} {{ parent.tldr }} {{ parent.linkDescription }}{{ parent.urlSource.name }}
https://dzone.com/articles/build-your-first-silverlight
CC-MAIN-2017-17
refinedweb
1,258
56.86
Agenda See also: IRC log <trackbot> Date: 01 March 2011 <dug> scribe: Katy Bob: Goal for CR vote 15th March Resolution: Minutes approved <dug> bots are asleep today <asoldano> yes Bob: Any objection to accepting proposal in comment no 1 of proposal. Doug: Describes proposal Gil: Feel uneasy about this because assigning semantic meaning to the empty string ... How about only making the Get the special case Doug: What if someone wants to use the empty string as id value Gil: That's associating special value to "" ... we could have special string that means "unidentified" and special case that ... within the W3C namespace Doug: I don't think this is special semantics as it's indicated no identifier <BobF> act tom Bob: Empty string might mean no value Tom: What if there's an overloaded identifier that happens to be ""? Gil: The point is a symbol to identify no useful Id - whether it's a "" or special URI Doug: Initial problem was that the client doesn't know whether it needs an identifier or not. Gil: So when types with identifier defined those must be used, I am thinking of types with no identifier ... specified ... Problem is we don't know all the dialects there may be some types where we don't have an identifier. We should have a way to put these things without an identifier if people choose not to - but it's their problem Doug: But that kills interop Gil: disagree Tom: In what scenario would someone not have an id for their metadata section? Doug: If you know enough about the metadata to 'put' it, you must put the appropriate identifier. If it's optional then the clients always need to ask for everything ... either mandate the use of identifier or there's no point in it. <trutt> If you require an id, but allow it to be "", it will all work Katy: Id should not be optional or clients would have to assume it's not there <BobF> that means that the set of values for the id attribute is empty Bob: Empty identifier means set of values is empty/not present (in terms of XSLT test) <trutt> "" is a value, it will test for presence <Yves> optimization or not, absent and null value must be described <Dave> Dave Snelling is lurking on tthe IRC only. <trutt> "" is not a null value, it is a valid string "empty string" , not null <trutt> if you test for presence of the value with "", it will be true in xpath. To test for "" you have to actually do a sting compare operation with "" as the compared value Gil: We define enumerated set of dialects we know about. What we are discussing is, amongst those dialects, can you leave off the identifier? I agree with Doug that we can't allow folk to leave the Id off for the cases where the dialects/ids are defined. <BobF> Java will return an empty string if there is no value defined Doug: To ease confusion factor, I would like to require the identifier to be set (to "" or syntax string) else folk will think that absence = wildcard. Tom: Schema point, technically speaking a default would work but it would cause more problems to have a default than to use "" - the latter makes it easier for xpath Gil: I think we have agreed the following 1) Put needs the type; 2) in some cases value of the type is default which="" ... we need to say whether it is legal to put empty string for a dialect that mex provides an identifier to Doug: I agree, I think we have come full circle back to the proposal <dug> <a foo='1'/> @foo != @foo2 <dug> oops, <a foo''/> <dug> according to xml spy anyway <gpilz> - make @Identifier a required attribute of mex:MetadataSection - if a metadata type does not have any useful data to use as the @Identifier value then it MUST use "" for the value - keep @Identifier optional on the mex:GetMetadata operation - mex:GetMetadata w/o @Identifier (not "") means match ALL @Identifiers <gpilz> oops <gpilz> - make @Identifier a required attribute of mex:MetadataSection <gpilz> - you MAY use "" as the value of @Identifier except for those Dialects defined by WS-MEX <gpilz> - keep @Identifier optional on the mex:GetMetadata operation <gpilz> - mex:GetMetadata w/o @Identifier (not "") means match ALL @Identifiers Doug: I will work on this text before the next meeting when we can review Bob: Do we agree directionally so Bob can work on final text <scribe> ACTION: Doug to write up text based on comment one with some changes to 2nd bullet [recorded in] <trackbot> Created ACTION-177 - Write up text based on comment one with some changes to 2nd bullet [on Doug Davis - due 2011-03-08]. Ram: Currently collecting feedback, will have information in the next few days ... Wait until next call prior to confirming final answer Bob: Defer to the next call <dug> Puffin Ram: No further testing required? Bob: We will be producing new specs so we should crank through all the tests again Ram: Previous mex issue need aditional testing? Doug: Difficult to answer because the issue is clarifying the semantics ... so to some may be no change Ram: Recommend that we don't do unecessary testing as it has big resource issues <Yves> we definitely have to test it, but that's what CR is all about Bob: I would prefer to be conservative in our testing, even if just syntax change Yves: Any changes to element needs to be re-tested if after CR Bob: If we change the spec, we should retest. Now we have gone through the process once, it should be easier ... consider this when accepting the proposals ... we could defer 11776 so we can decide whether the test impact too big <dug> Bob: need to apply for the MIME type. <scribe> ... done in link above <trutt> given example xml doc <trutt> <?xml version="1.0" encoding="UTF-8"?> <trutt> <doc> <trutt> <element atr1=""> "" </element> <trutt> </doc> <trutt> The following xpath returns the element: <trutt> //element[@atr1=""] <trutt> the following xpath does not return the element (no match) //element[@atr1=" "] <trutt> Thus the "" is not comparable with " " Bob: Items at risk are no longer at risk as we have adequate implementations for WS-Eventing and WS-Enum <trutt> I just lost my connection , is the meeting over? <Ram> not yet <Ram> We are talking about next meeting. <BobF> talking about next meeting Bob: Clash with cloud management meeting on 8th so we will have next meeting on the 15th and meeting on 22nd <Ram> WS-Enumeration test coverage analysis to be completed by Microsoft. <li> is Darth Vadar speaking as well? <Ram> Test coverage analysis actions: <Ram> WS-Enumeration test coverage analysis to be completed by Microsoft. <Ram> WS-Eventing test coverage analysis to be analysis by Avaya. <Ram> WS-Transfer/WS-Fragment test coverage analysis to be analysis by IBM. <Ram> WS-MEX test coverage analysis to be analysis by Oracle. Gil: Why aren't faults defined in the WSDL in the W3C specs? Tom: If SOAP faults they can happen anywhere so don't need to be defined in the WSDL <dug> answer: we're lazy <dug> answer: 'cause <dug> answer: go away, use REST <BobF> just log them <dug> would we need a union to express multiple faults could be returned? Gil: will look into this and decide whether issue or not next meeting This is scribe.perl Revision: 1.135 of Date: 2009/03/02 03:52:20 Check for newer version at Guessing input format: RRSAgent_Text_Format (score 1.00) Succeeded: s/sleep/asleep/ Found Scribe: Katy Inferring ScribeNick: Katy Default Present: Bob_Freund, Doug_Davis, Gilbert_Pilz, Wu_Chou, [Microsoft], +44.196.281.aaaa, asoldano, Yves, Tom_Rutt Present: Bob_Freund Doug_Davis Gilbert_Pilz Wu_Chou [Microsoft] +44.196.281.aaaa asoldano Yves Tom_Rutt Agenda: WARNING: No meeting chair found! You should specify the meeting chair like this: <dbooth> Chair: dbooth Found Date: 01 Mar 2011 Guessing minutes URL: People with action items: doug[End of scribe.perl diagnostic output]
http://www.w3.org/2011/03/01-ws-ra-minutes.html
CC-MAIN-2016-07
refinedweb
1,348
61.29
State Management What is State Management? Technically, every Vue component instance already "manages" its own reactive state. Take a simple counter component as an example: <script setup> import { ref } from 'vue' // state const count = ref(0) // actions function increment() { count.value++ } </script> <!-- view --> <template>{{ count }}</template> It is a self-contained unit starts to break down when we have multiple components that share a common state: - Multiple views may depend on the same piece of state. - Actions from different views may need to mutate the same piece of state. For case one, a possible workaround is by "lifting" the shared state up to a common ancestor component, and then pass it down as props. However, this quickly gets tedious in component trees with deep hierarchies, leading to another problem known as Prop Drilling. For case two, we often find ourselves resorting to solutions such as reaching for direct parent / child instances via template refs, or trying to mutate and synchronize multiple copies of the state via emitted events. Both of these patterns are brittle and quickly lead to unmaintainable code. A simpler and more straightforward solution is to extract the shared state out of the components, and manage it in a global singleton. With this, our component tree becomes a big "view", and any component can access the state or trigger actions, no matter where they are in the tree! Simple State Management with Reactivity API If you have a piece of state that should be shared by multiple instances, you can use reactive() to create a reactive object, and then import it from multiple components: // store.js import { reactive } from 'vue' export const store = reactive({ count: 0 }) <!-- ComponentA.vue --> <script setup> import { store } from './store.js' </script> <template>From A: {{ store.count }}</template> <!-- ComponentB.vue --> <script setup> import { store } from './store.js' </script> <template>From B: {{ store.count }}</template> Now whenever the store object is mutated, both <ComponentA> and <ComponentB> will update their views automatically - we have a single source of truth now. However, this also means any component importing store can mutate it however they want: <template> <button @ From B: {{ store.count }} </button> </template> While this works in simple cases, global state that can be arbitrarily mutated by any component is not going to be very maintainable in the long run. To ensure the state-mutating logic is centralized like the state itself, it is recommended to define methods on the store with names that express the intention of the actions: // store.js import { reactive } from 'vue' export const store = reactive({ count: 0, increment() { this.count++ } }) <template> <button @ From B: {{ store.count }} </button> </template> TIP Note the click handler uses store.increment() with the parenthesis - this is necessary to call the method with the proper this context since it's not a component method. Although here we are using a single reactive object as a store, you can also share reactive state created using other Reactivity APIs such as ref() or computed(), or even return global state from a Composable: import { ref } from 'vue' // global state, created in module scope const globalCount = ref(1) export function useCount() { // local state, created per-component const localCount = ref(1) return { globalCount, localCount } } The fact that Vue's reactivity system is decoupled from the component model makes it extremely flexible. SSR Considerations If you are building an application that leverages Server-Side Rendering (SSR), the above pattern can lead to issues due to the store being a singleton shared across multiple requests. This is discussed in more details in the SSR guide. Pinia While our hand-rolled state management solution will suffice in simple scenarios, there are many more things to consider in large-scale production applications: - Stronger conventions for team collaboration - Integrating with the Vue DevTools, including timeline, in-component inspection, and time-travel debugging - Hot Module Replacement - Server-Side Rendering support Pinia is a state management library that implements all of the above. It is maintained by the Vue core team, and works with both Vue 2 and Vue 3. Existing users may be familiar with Vuex, the previous official state management library for Vue. With Pinia serving the same role in the ecosystem, Vuex is now in maintenance mode. It still works, but will no longer receive new features. It is recommended to use Pinia for new applications. Pinia started out as an exploration of what the next iteration of Vuex could look like, incorporating many ideas from core team discussions for Vuex 5. Eventually, we realized that Pinia already implements most of what we wanted in Vuex 5, and decided to make it the new recommendation instead. Compared to Vuex, Pinia provides a simpler API with less ceremony, offers Composition-API-style APIs, and most importantly, has solid type inference support when used with TypeScript.
https://vuejs.org/guide/scaling-up/state-management.html
CC-MAIN-2022-21
refinedweb
797
50.46
new to opencv python and clarification on certain things I am a total newbie in opencv+python I will like to clarify some things in regards to my project what is a suitable GUI that I can work with using opencv+python? is TkInter sufficient for compiling the codes that I have from opencv+python? I have been encountering these errors from various documented opencv codes based on these websites for this website i seem to be facing this error when i try to compile it on TkInter Traceback (most recent call last): File "C:\Users\Jian Quan\Desktop\simulation\cameratest.py", line 8, in <module> gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY) error: ......\src\opencv\modules\imgproc\src\color.cpp:3402: error: (-215) scn == 3 || scn == 4 while for another example that i tried, this is the error I encountered #!/usr/bin/python import cv2 img = cv2.imread("Lenna.png") hc = cv2.CascadeClassifier("haarcascade_frontalface_alt2.xml") faces = hc.detectMultiScale(img) for face in faces: cv2.rectangle(img, (face[0], face[1]), (face[0] + face[2], face[0] + face[3]), (255, 0, 0), 3) cv2.imshow("Lenna's face", img) if cv2.waitKey(5000) == 27: cv2.destroyWindow("Lenna's face") cv2.imwrite("LennaFace.png", img) this is the error: Traceback (most recent call last): File "C:\Users\Jian Quan\Desktop\simulation\test.py", line 11, in <module> cv2.imshow("Lenna's face", img) error: ......\src\opencv\modules\highgui\src\window.cpp:261: error: (-215) size.width>0 && size.height>0 can anyone out there help me clarify the issues that I m facing at the moment? thanks so much the 1st error say, that your image does not have 3 or 4 channels(required), but we'd need to see some code to see, what's happening. the 2nd error, it probably should be: What does it mean 3 or 4 channels? I'm still unclear what does it refer to b g r -- that's 3 color channels. you passed in an image that had less. so how can i overcome it? shouldn't any picture have all 3 different colors of b g r? unless they are grayscale(1chan) or complex(2chan) again, can't help without seeing code import numpy as np import) faces = face_cascade.detectMultiScale(gray, 1.3, 5) for (x,y,w,h) in faces: img =show('img',img) cv2.waitKey(0) cv2.destroyAllWindows() this is the code for it, pls help me have a look, thanks :)
https://answers.opencv.org/question/23501/new-to-opencv-python-and-clarification-on-certain-things/
CC-MAIN-2020-29
refinedweb
410
67.86
for most users. By default it only affects on-demand chunks, because changing initial chunks would affect the script tags the HTML file should include to run the project. webpack will automatically split chunks based on these conditions: node_modulesfolder When trying to fulfill the last two conditions, bigger chunks are preferred.: '~', automaticNameMaxLength: 30,.automaticNameMaxLength number = 109 Allows setting a maximum character count for chunk names that are generated by the SplitChunksPlugin. splitChunks.chunks function (chunk) option is intended to be used with HTTP/2 and long term caching. It increases (module, chunks, cacheGroupKey) => string string Also available for each cacheGroup: splitChunks.cacheGroups.{cacheGroup}.name. The name of the split chunk. Providing true will automatically generate a name based on chunks and cache group key. Providing a string or a function allows you to use a custom name. Specifying either a string or a function that always returns the same string will merge all common modules and vendors into a single chunk. This might lead to bigger initial downloads and slow down page loads. If you choose to specify a function, you may find the chunk.name and chunk.hash properties (where chunk is an element of the chunks array) particularly useful in choosing a name for your chunk. If the splitChunks.name matches an entry point name, the entry point will be removed. It is recommended to set splitChunks.nameto falsefor production builds so that it doesn't change names unnecessarily. main.js import _ from 'lodash'; console.log(_.join(['Hello', 'webpack'], ' ')); webpack.config.js module.exports = { //... optimization: { splitChunks: { cacheGroups: { commons: { test: /[\\/]node_modules[\\/]/, // cacheGroupKey here is `commons` as the key of the cacheGroup name(module, chunks, cacheGroupKey) { const moduleFileName = module.identifier().split('/').reduceRight(item => item); const allChunksNames = chunks.map((item) => item.name).join('~'); return `${cacheGroupKey}-${allChunksNames}-${moduleFileName}`; }, chunks: 'all' } } } } }; Running webpack with following splitChunks configuration would also output a chunk of the group common with next name: commons-main-lodash.js.e7519d2bb8777058fa27.js (hash given as an example of real world output)..{cacheGroup} (module, chunk) => boolean'; } } } } } }; splitChunks.cacheGroups.{cacheGroup}.filename string Allows to override the filename when and only when it's an initial chunk. All placeholders available in output.filename are also available here. This option can also be set globally in splitChunks.filename, but this isn't recommended and will likely lead to an error if splitChunks.chunksis not set to 'initial'. Avoid setting it globally. webpack.config.js module.exports = { //... optimization: { splitChunks: { cacheGroups: { vendors: { filename: '[name].bundle.js' } } } } }; splitChunks.cacheGroups.{cacheGroup}.enforce boolean = false Tells webpack to ignore splitChunks.minSize, splitChunks.minChunks, splitChunks.maxAsyncRequests and splitChunks.maxInitialRequests options and always create chunks for this cache group. webpack.config.js module.exports = { //... optimization: { splitChunks: { cacheGroups: { vendors: { enforce: true } } } } }; // index.js import('./a'); // dynamic import // a.js import 'react'; //... Result: A separate chunk would be created containing react. At the import call this chunk is loaded in parallel to the original chunk containing ./a. Why: node_modules reactis bigger than 30kb What's the reasoning behind this? react probably won't change as often as your application code. By moving it into a separate chunk this chunk can be cached separately from your app code (assuming you are using chunkhash, records, Cache-Control or other long term cache approach). // entry.js // dynamic imports import('./a'); import('./b'); // a.js import './helpers'; // helpers is 40kb in size //... // b.js import './helpers'; import './more-helpers'; // more-helpers is also 40kb in size //... Result: A separate chunk would be created containing ./helpers and all dependencies of it. At the import calls this chunk is loaded in parallel to the original chunks. Why: helpersis bigger than 30kb Putting the content of helpers into each chunk will result into its code being downloaded twice. By using a separate chunk this will only happen once. We pay the cost of an additional request, which could be considered a tradeoff. That's why there is a minimum size of 30kb..
https://webpack.js.org/plugins/split-chunks-plugin/?utm_campaign=Vue.js%20News&utm_medium=email&utm_source=Revue%20newsletter
CC-MAIN-2019-43
refinedweb
654
60.61
Some ideas for doing mashups of IRC and WiKi (esp Wiki For Collaboration Ware) I'm not doing anything with this at the moment because our office connectivity is flaky enough that I suspect a bot would keep getting disconnected though maybe I need to test that theory because I think some bots have auto-reconnect features... IrcBot ideas associates a Wiki Space with a channel (I guess that should be changeable by sending it a command) rev2: use Inter Wiki Map config file and allow cross-wiki names like MeatballWiki:InterMap (for non-default spaces) recognizes Wiki Word-s in the human postings checks each against a current list of nodes in the wiki namespace (so you'd need some config file listing the nodes per space, and a way to update it) Worse Is Better: don't even worry about it, just generate URI as if it existed for each match outputs the associated URI A flip-related idea: bot that watches Recent Changes and posts changes to IRC. maybe makes sense to use RSS for this? See Blue Oxen thread custom IRC client - tweak Chat Zilla or WxIrc? Have to get the entire team using the same one. have a WiKi space associated with a session. If you double-click (ctrl-click?) on a Wiki Word it launches a browser window for that page. pretty rendering of Smart Ascii (Chat Zilla uses same bold/italic tags as in email) ? custom IRC server with custom client ?? with vanilla client ??
http://webseitz.fluxent.com/wiki/WikiAndIrc
crawl-002
refinedweb
251
66.37
Introduction In this article, we’ll specifically take a look at Frida.re to inject JavaScript into native applications to explore them in order to gain a deeper understanding of their internals. First, we should mention that frida.re is supported on all major platforms, namely Windows, Mac, Linux, iOS as well as Android and provides a number of benefits when exploring application internals. Frida is a dynamic code instrumentation toolkit, which injects JavaScript into native applications on various platforms. By injecting JavaScript into the process namespace and interacting with it, it gives us a complete access to the process’s memory, which enables us to do various things, like hook API function. Frida can be used to enhance a program with additional functionality without actually changing and recompiling the code; we can just use Frida, and inject the missing functionality into the process’s namespace and use as though it was implemented by the application itself. We should emphasize that Frida is written in C and injects Google’s V8 JavaScript engine into the target process, which we can use to communicate with the application and use it for various things. In order to add additional functionality, the JavaScript running inside the process’s namespace and our program are using a communication channel for exchanging messages. Basically, Frida is a dynamic code instrumentation toolkit, which injects JavaScript into the native process, which can be scripted to control the process in question. With Frida, we can hijack any API function call to modify its behavior to make it do something it was not intended from API point of view. Basically, in Frida, a Google V8 engine code is injected into the process, while Python API is used to talk to the JS code inside the process. Getting Frida up and running At first, we must obtain Frida in order to be able to play with it. We can do so by using Python virtual environment, which can be done by instantiating a new virtual environment by using virtualenv command, activating the virtual environment by sourcing it and installing Frida with pip install. # virtualenv venv # source venv/bin/activate # pip install frida Once the Frida is installed, the following commands are available. - frida - frida-discover - frida-ls-devices - frida-ps - frida-repl - frida-trace The most useful command is frida-trace, which enables function tracing. The -I and -X parameters can be used to include and exclude a module, while the -i and -x are used to include and exclude a function. Frida can trace the following: - Exported Functions: exported functions usually used by shared libraries can be traced without problems with Frida. We only have to specify the function we would like to trace by passing the -i parameter to frida-trace. - Symbol Functions: at a time of this writing, Frida doesn’t yet support hooking functions based on a symbol, but it supports hooking functions base on their address, which we can use to hook an arbitrary function. First, we have to determine where the function is by getting its relative address and hook it with -a option. A Simple Example Let’s first write a simple program, which uses an exported function (via a shared library) as well as a symbol function. First, we have to create a library foo, which consists of a header file foo.c as well as actual implementation code foo.c. The following is a foo.h header file containing the prototype definitions for functions sum, sub and isfibonnaci. #ifndef FOO_H #define FOO_H extern int sum(int x, int y); extern int sub(int x, int y); extern int isfibonnaci(int x); #endif The following is a foo.c code file containing the actual implementation of functions sum, sub and isfibonnaci. #include “foo.h” #include <math.h> int isfibonnaci(int x) { double x1 = 5 * pow(x,2) + 4; double x2 = 5 * pow(x,2) – 4; long x1sqrt = (long)sqrt(x1); long x2sqrt = (long)sqrt(x2); return (x1sqrt*x1sqrt == x1) || (x2sqrt*x2sqrt == x2); } int sum(int x, int y) { return x + y; } int sub(int x, int y) { return x – y; } The following is a code file main.c containing the actual program that uses the functions sum and isfibonnaci implemented in a library foo. Note that the while loop continues until x is lower than 1000, after which the while loop will terminate execution and the program will complete. The while loop itself contains a sleep function to cause the program to sleep for one second in each iteration, which gives us enough time to attach to a process with Frida. Note that frida-trace tool can only attach to a running process, so we can’t run our program and then attach to it with frida-trace, because the program will already terminate its execution and there will be nothing to which to attach it. #include <stdio.h> #include <stdlib.h> #include “foo.h” int main(int argc, char **argv) { printf(“The function sum() is at %p.\n”, sum); printf(“The function sub() is at %p.\n”, sub); printf(“The function isfibonnaci() is at %p.\n”, isfibonnaci); int x = 0; int t = 0; while(x < 1000) { int r = isfibonnaci(x); if(r==1) { printf(“Fibonnaci number found: %d; the next fibnum is supposed to be: %d.\n”, x, sum(x,t)); t = x; } x += 1; sleep(1); } return 0; } First, we have to compile or assemble the source files, but not link them to get an object file foo.o. We can compile to object file by passing the -c parameter to gcc compiler. Next, we have to create a shared library foo.so from an object file foo.o, by using the -shared parameter. At the end we have to link the main program with the shared library by using the -l parameter passing it the name of the library: note that by using the -lfoo parameter, gcc will actually be looking for libfoo.so library and not the lib.so library (gcc assumes all libraries start with the ‘lib’ prefix and end with ‘.so’ suffix). We also need the -L parameter to tell gcc where to find libfoo.so library, and since the library is in the current directory, we can use the pwd command to specify it. # gcc -c -fpic -Wall -Werror foo.c # gcc -lm -shared -o libfoo.so foo.o # gcc -L$(pwd) -lfoo -o main main.c Next, we can run the program, which will result in an error as presented below, which happens because the loader cannot find the shared library we’ve created, because we haven’t copied it to a standard location. To specify the path where the loader should look, we have to export the LD_LIBRARY_PATH variable as presented below. Afterward, we can simply run the compiled from with “./main”, which will successfully run the program to display the fibonnaci numbers from range 1-1000. # export LD_LIBRARY_PATH=”$(pwd):$LD_LIBRARY_PATH” # ./main The function sum() is at 0x400640. The function sub() is at 0x400660. The function isfibonnaci() is at 0x400650. Fibonnaci number found: 0; the next fibnum is supposed to be: 0. Fibonnaci number found: 1; the next fibnum is supposed to be: 1. Fibonnaci number found: 2; the next fibnum is supposed to be: 3. Fibonnaci number found: 3; the next fibnum is supposed to be: 5. Fibonnaci number found: 5; the next fibnum is supposed to be: 8. Fibonnaci number found: 8; the next fibnum is supposed to be: 13. Fibonnaci number found: 13; the next fibnum is supposed to be: 21. Fibonnaci number found: 21; the next fibnum is supposed to be: 34. Fibonnaci number found: 34; the next fibnum is supposed to be: 55. Fibonnaci number found: 55; the next fibnum is supposed to be: 89. Fibonnaci number found: 89; the next fibnum is supposed to be: 144. Fibonnaci number found: 144; the next fibnum is supposed to be: 233. Fibonnaci number found: 233; the next fibnum is supposed to be: 377. Fibonnaci number found: 377; the next fibnum is supposed to be: 610. Fibonnaci number found: 610; the next fibnum is supposed to be: 987. Fibonnaci number found: 987; the next fibnum is supposed to be: 1597. While the program is running, we can use the frida-trace tool to hook the isfibonnaci function, which will print a new line every time the function is called. On the picture below, we can see that a function is called approximately every second, as it should have been. Did you notice that a script isfibonnaci.js was automatically created in the __handlers__/libfoo.so/ directory? The isfibonnaci.js contains the following code, which contains the onEnter function called before calling the isfibonnaci function and onLeave function called after we’ve already called the isfibonnaci function. Notice that the onEnter function contains the log() function call, which displays the current function name on stdout. Since we know the function accepts only one integer parameter, we can simply log the first parameter argv[0] as well. After reruning the script, it will also display the parameter passed to the function as presented below. Here we’ve seen how easy it is to actually log the function as well as parameters being executed by the program application. This is all because of the power of Frida. The Dropbox example Let’s take a look of what we can do with the Dropbox application. Let’s first download a headless version of Dropbox via the following command. Note that this was done on a cloud Linux operating system running 64-bit Linux version. The first command downloads and Dropbox and extracts it into a home folder, while the second command runs a Dropbox daemon. # cd ~ && wget -O – “” | tar xzf – # ~/.dropbox-dist/dropboxd After running a daemon, it will display a message about the computer not being linked to any Dropbox account and provide an URL, which we have to visit in order to create an account to link the computer to that Dropbox account. In the interface, we only need to specify name, surname, an email address and a password (note that the email cannot be @mailcatch.com since it is blocked by the Dropbox service due to suspicious activity; we’ll just have to use the real email address registered with Google, Yahoo or any other provider. After creating the account and logging into the account, the daemon back in the console will display a message about the computer now being linked to a Dropbox account. Afterwards, a new folder ~/Dropbox/ will be created, which will be synchronized with the cloud. Then we can start following all recv function calls by using the “frida-trace -i ‘recv*’ dropbox” command as presented on the picture below. Eventually, recv* function calls will be exchanged between a server and a client, resulting in new lines being printed at the bottom of console output. Also note that a number of handlers have been loaded for functions: recvfrom, recv, recvmmsg, recvmsg and recvfrom. While the program is running, we can edit any of the handlers to change the behavior of Frida. Let’s review the recvmsg.js handler, which again contains the onEnter and onLeave functions. Ethical Hacking Training – Resources (InfoSec) At this point, it should be fairly easy to add the necessary code to modify the messages being sent over the wire in order to try to do some malicious actions like changing the username of the currently logged in user in order to try to access the data of another user. First, we should login to the application by using existing username in order to obtain a valid session enabling authenticated access to the cloud-based application, after which we should change the username. By doing that, we’ll be authenticating without existing username’s session, while accessing the data of another user. I haven’t tried this, since I’m not exactly sure whether I can do that legally or not, so the rest is up to the reader. Conclusion We’ve seen how easy it is to use Frida to inspect the state of the program at runtime, but not only that, we can also intercept function calls, change arguments or alter the whole program execution. The really awesome part of Frida is its scripting possibilities enabling us to write a JavaScript file, which will automatically hook a function inside a program to alter its behavior or return an altered value from an existing function. It’s certainly beneficial to install Frida and experiment with it, as it may enable discovering a whole range of vulnerabilities that haven’t previously been discovered. I suggest injecting into a wide range of applications in order to enumerate the functions being called by the application, after which you can focus on a few interesting function calls and display their arguments as well as return values. After that, you can try to modify the parameters to see what happens and whether the return value changes in some way. References [1] Inject JavaScript to explore native apps on Windows, Mac, Linux, iOS and Android,. [2]CVE-2013-1862 l gotmy second pay~check of $6395,72 working` only few h on my Iaptop` past 5 days. My divorced’ friend with 3 kids at home, made over $10k her 1st month.It’s great earning’ this much ~~money” when other people have to work for so much Iess.Go 2 profiIe’ and then site-link to see how I work on this…..khgjk7657
https://resources.infosecinstitute.com/analyzing-the-internals-of-cloud-applications/
CC-MAIN-2019-13
refinedweb
2,252
61.26
Windows Form Windows Forms (or simply forms) are the windows you see in a Windows Application. You can create multiple forms in a single application. Each form inherits the properties and methods of the System.Windows.Forms.Form class. The namespace System.Windows.Forms contains components you will need for creating forms and controls. The following are the parts of a typical windows form. At the top, you will find the Caption Bar. The Caption Bar is composed of the icon, the caption, and the control box. The control box contains buttons such as minimizing, maximizing, closing, or a help button. The Client Area is where we add the controls. The border or frame, which includes the caption bar,encloses the client area and allows you to resize the form. The following are some of the useful properties of the Form base class. Figure 1 Figure 2 shows some useful methods of the Form class. Figure 2 Figure 3 shows the available events for the form. Figure 3 The Form class is a child of the System.Windows.Forms.Control base class so the methods and properties from the Control class are also available in the Form class. Modifying the Control Box We use the ControlBox property to hide or show the Control Box. This is useful when you are planning to disable minimizing or maximizing of control or you want to only close the form through the code. The image below shows you how the form will look when you set ControlBox property to false. If you want to disable only the minimize or the maximize button, then you can use the MinimizeBox and MaximizeBox and set them to false. The form above has its minimize and maximize box hidden. Unfortunately, you cannot hide only the close button. Changing Form’s Border Style We can change the border style of the form. For example, let’s say you don’t want the user to be able to resize the form The default border of the form allow a user to do that. We can set the FormBorderStyle property to different values of the System.Windows.Forms.FormBorderStyle Enumeration. The following are screenshots of forms using different FormBorderStyle. None FixedSingle Fixed3D FixedDialog Sizable FixedToolWindow SizableToolWindow Form Icons We use the Icon property to change the icon displayed at the upper left side of the form. Click the browse button next the Icon property in the Properties Window and find the .ico file which is the file extension for an icon image. The ShowIcon property allows you to hide or show the icon in the caption bar. Accept and Cancel Buttons You can add a button control to the form and set them as either an Accept or a Cancel button. You do that using the AcceptButton and CancelButton properties. If a button is an accept button, whenever the user hits Enter while the form is active, that button’s Clickevent will be executed. The Cancel button is activated whenever the Escape key is pressed. Just go to the Properties Window, find the desired property and click the drop down button. You will be presented with the names of all the button control in the form. Choose the desired button. For example, suppose you are creating a login form. You can set the button used for logging in as the Accept button. This way, the user can simply press Enter when he is finished typing the password. There are many more to discover on windows forms and they will be discussed in later lessons.
https://compitionpoint.com/windows-form/
CC-MAIN-2021-21
refinedweb
593
65.62
I've asked this yesterday without a reply yet, and i realized i may have phrased that question incorrectly. So, I was trying to use the example code in this tutorial here: but Flex (4.6.0 with Flash Builder) will not find and import the following files when i debug in the iOS iPhone simulator, nor will the autocomplete see them. However when i look in the file explorer and navigate to the airglobal.swc i can see the packages and classes in there. The following classes that are not recognized iare listed below: import flash.events.RemoteNotificationEvent import flash.notifications.NotificationStyle import flash.notifications.RemoteNotifier import flash.notifications.RemoteNotifierSubscribeOptions I triedd to clean the project with no avail. I debug the project and receive the following error: Error #1014: Class flash.notifications::RemoteNotifierSubscribeOptions could not be found. I can only guess that Air 3.8 does not support these classes? are there new classes i should be using? I'm completely lost here. Hello, I'm facing the same problem! Can't find the answer anywhere! The tutorial works fine on Flash Professional CC 2014, but not on Flash Builder 4.7.
https://forums.adobe.com/thread/1330794
CC-MAIN-2016-18
refinedweb
194
53.68
20 April 2011 23:59 [Source: ICIS news] LONDON (ICIS)--European polycarbonate (PC) second quarter contracts settled at an increase of €0.20-0.30/kg ($0.29-0.43/kg) from the first quarter, because of tight supply, buyers and sellers said on Wednesday. Second quarter PC contracts settled at €3.20-3.25/kg for general purpose moulding grade, and €3.13-3.18/kg for general purpose extrusion grade. Some players saw rises of up to €0.40/kg, but were starting from a lower base in the first quarter, and remained within the above published range. Low availability is due to difficulties in sourcing feedstock bis-phenol A (BPA), players said. The market has been further tightened by an absence of imports from Asia following the earthquake in ?xml:namespace> Views on demand are divided depending on end-use. Sources linked to the downstream construction and automotive sectors view consumption as high. Automotive demand is being bolstered by exports of finished goods to Asia, linked to GDP growth and upwards social mobility in Construction consumption is increasing because of warmer weather in Nevertheless, sources linked to other downstream sectors, most notably electrical lighting and optical media see demand as flat at a low level. Low optical media demand is in-line with traditional trading patterns which typically see weak demand during the first quarter. It is unclear what is causing low buying interest in the electrical lighting sector. ($1 = €0.70)
http://www.icis.com/Articles/2011/04/20/9453986/europe-second-quarter-polycarbonate-contracts-up-6-10-on-supply.html
CC-MAIN-2014-42
refinedweb
245
55.54
i'm sure you'd have appreciated a few VWCOP members helping you out.... at least now you'll not have to look at these parts for a few decades If I had help I would probably have started the engine by now. My son is only 10 and even though he is quite intrested I am a bit wary of letting him crawl under the car to help. Hopefully I won't have to do anything about the transmission again, considering that the tranny and everything associated with it has been replaced with NOS parts. Lets see. It’s been almost three weeks I didn't get a chance to work on my beetle. The weather is finally more like spring but it still drops below zero at nights and mornings are quite chilly. I need to go over everything once again, check the nuts bolts, clamps and clips before I fire up the engine. I am also going to replace the rear brakes while I am at it. I have sourced all new brake shoes so those, when replaced, should be good for a while. Can't wait to take the car for a test drive.<?xml:namespace prefix = o<o:p></o:p> nyce project....btw where do u live in Mississauga? my location is at lake shore/silver birch intersection near to Clarkson Go station. I will be in Canada by the end of june IA....will def come to see ur ride Good to hear from you. Thats not too far from me...You'll have to exit the 401 on exit 333 Winston Churchill. I am in Meadowvale ( Derry / Montevideo.) I go to the Bug out in Kitchener Waterloo almost every year (unless it is clashing with another show) :'(April 03 and we get 3 cm of snow to be followed by about 50 cm of rain and freezing rain...there goes my plan to get the beetle back on road:( one part of me wasnt to laugh, the other part wants to cry. keep a stiff upper lip, it'll all be done soon and it'll be worth it. BTW on behalf of the ever-ungreatful VWCOP (just kidding) i'd like to say thanks for all your efforts till now (parts etc). snow last night, freezing rain, then thunderstorms, high winds and today some record breaking rain. .. We sure have a variety here re. the parts, you're welcome. Anything I can do...just ask. It was milder yesterday and while the temps were still hovering around zero there was no wind so I decided to have a go at it. I cleaned the brake hardware and replaced the rear brake shoes, adjusted and with a neighbours help bled the system. The brakes should be fine now. The parking brake is adjusted and is on the 4th click. (I like it that way) The axle nuts have been tightened to the correct torque of 270 ft/lbs new German lock pins installed and ready to go. I have ordered another part that should be there but is not seen in most cars. I am not going to say what it is till I can show you a picture and test your knowledge.All the electrical clips are firm and in place, the fuel line is secure with clamps each end.We are all systems go for now. I just need to clean the air cleaner, fill with some clean motor oil, pour some fresh gas in the tank, put a charged battery and fire the engine. I have been taking pictures and will share them soon. Its taken me a few months to do this but I had the luxury of time having started the project in late fall as the car hibernates in the winter anyway. Stay tuned for the grand finale..coming soon on the same channel. Good luck with the grand finale...B/w the same Exide battery is going to be put back on, which has already lasted three years in always changing climate of Canada? I agree with @Storm, we all owe you one BIG thanks for all, what you have done so far (and also for what you would be doing in future) to keep our VWs on roads. It simply wasn't possible without your generous help! I'll probably get a new battery for the Billo as the other battery has died and the Exide is being run full time in my Nissan. As Billo is going to be on road quite frequently (I hope) she deserves a new battery. The newer maintenance free batteries are great to use and while the Exide performs well its no fun trying to remove the rear seat and top up the electrolyte (spilling some in the process in the surrounding area..) No problem..its the least i can do from my position of advantage. BTW I just found some fuel filters that are made in Israel. How many of the members would find them 'Kosher' for use in their cars? (The other option is filters made in India as Bosch does not make them anymore.) How often do we come across 6V Batteries there in Canada at a swap meet? Or may be the new ones were available any more? I have never seen one (or maybe I didn't pay attention) but they are available new. I am not sure if I could speak up for all but both the options could be non-acceptable on the basis of the same reason. But the question is do we have choice? The answer, I think, is NO! Finding new is equally good. Was just curious why @mohsinikram chose to go with restoring a dead 6V battery if the new ones were available for his Split. But then I guess the battery he got hold onto might be the Original Battery which would have come with his Split's year. When I visited @romano this once, I saw all four synchronizers available with him. One half of me wanted to pick up and the other half wanted to pass on. I dont know if I did the right thing by passing them of this once. Just wanted to know how likely it is for a transmission for the bugs we drive to get molested through their lives here in Pakistan? I think petty probable since we dont even spend Rs. 150/- on pety things such as the Shift Rod Nylon Bushings not to mention the Coupler Bushings. But would it be advisable to go for transmission rebuild when one goes for an engine rebuild? And if yes, who is best at rebulding transmissions (beside you - as we've seen on this thread )? Khalid @ westridge RWP? Ihsan @ Lahore? The parts i select to send are the ones high in demand and some to a point where the cars start to stop for want of the same. The syncro rings are one such item. Even without abuse they have a life and are meant to be replacable. You may still be able to shift with worn syncro rings but you'll hear a thud or a crunch Ihsan has done the tranny rebuilds but Khalid is more current with the task. Poor guy has been trying to keep the bugs on road with old syncro rings salvaged from older trannys. Ultimately its your call if you want to buy or not. I usually keep a part even if I don't need it right away but that means blocking some cash that you could use elsewhere...Ah the joy of finding a part when you need one.. Yep you are right, I did hear a thud & crunch too (crunch being more frequent) at times while I shifted Patina between gears. So it clearly means she needs a new set of sync. rings, I guess. There were at least nine sets that I did count myself, available when I left Isloo day before yesterday. I think I can still manage a set from @Romano. Will see what can be done.
https://www.pakwheels.com/forums/t/transmission-installation-in-a-vw-beetle/164868?page=3
CC-MAIN-2017-04
refinedweb
1,350
80.82
CodePlexProject Hosting for Open Source Software Hi ! Hi finally got BE 2.0 installed with MS SQL on a ASP.NET 4.0. Are there any changes regarding adding custom widgets? I tried to add Silverlight Tag Cloud (). I can see the widget in my dropdown list but when I click on "add" nothing happens. Any hints? Thx & regards Philipp I think I finally solved the issue. I had to import some namespaces otherwise the widget can't be added although the namespace is not needed in code. Widgets I had to modify: Last.FM and 3D Silverlight Tag Cloud widget.ascx.cs: using App_Code.Controls; using BlogEngine.Core; using BlogEngine.Core.Providers; edit.ascx.cs using App_Code.Controls; using BlogEngine.Core; I modified my widget.ascx.cs file with using App_Code.Controls; but all I got was the silverlight loading screen with the blue circle loading screen. It says it's loaded 100% but nothing further shows. Any idea on how to load it? I downloaded it and it did not have an edit.ascx.cs file. Any ideas. I can't read the guys website because it's not in english. Anyone know what language it's in so it can be translated? You can let Google auto-detect the language to translate from. Try this link: Hi jakkjakk, I posted the widget on my blog. Let me know if you have any problems on BE 2.0. This widget has no edit file because it works without any configuration. Thanks guys. Are you sure you want to delete this post? You will not be able to recover it later. Are you sure you want to delete this thread? You will not be able to recover it later.
http://blogengine.codeplex.com/discussions/241351
CC-MAIN-2017-26
refinedweb
290
79.77
This message contains a list of some regressions from 2.6.30, for which there are no fixes in the mainline I know of. If any of them have been fixed already, please let me know. If you know of any other unresolved regressions from 2.6.30,-08-10 89 27 24 2009-08-02 76 36 28 2009-07-27 70 51 43 2009-07-07 35 25 21 2009-06-29 22 22 15 Unresolved regressions ---------------------- Bug-Entry : Subject : Oops when USB Serial disconnected while in use Submitter : Bruno Prémont <bonbons@...> Date : 2009-08-08 17:47 (2 days old) References : Bug-Entry : Subject : Libertas: Association request to the driver failed Submitter : Daniel Mack <daniel@...> Date : 2009-08-07 19:11 (3 days old) First-Bad-Commit:;a=commit;h=57921c312e8cef72ba35a4cfe870b376da0b1b87 References : Handled-By : Roel Kluin <roel.kluin@...> Bug-Entry : Subject : WARNING: at net/mac80211/mlme.c:2292 with ath5k Submitter : Fabio Comolli <fabio.comolli@...> Date : 2009-08-06 20:15 (4 days old) References : Bug-Entry : Subject : Troubles with AoE and uninitialized object Submitter : Bruno Prémont <bonbons@...> Date : 2009-08-04 10:12 (6 days old) References : Bug-Entry : Subject : x86 Geode issue Submitter : Martin-Éric Racine <q-funk@...> Date : 2009-08-03 12:58 (7 days old) References : Bug-Entry : Subject : iwlagn and sky2 stopped working, ACPI-related Submitter : Ricardo Jorge da Fonseca Marques Ferreira <storm@...> Date : 2009-08-07 22:33 (3 days old) References : Bug-Entry : Subject : 2.6.31-rcX breaks Apple MightyMouse (Bluetooth version) Submitter : Adrian Ulrich <kernel@...> Date : 2009-08-08 22:08 (2 days old) First-Bad-Commit:;a=commit;h=fa047e4f6fa63a6e9d0ae4d7749538830d14a343 Bug-Entry : Subject : e1000e reports invalid NVM Checksum on 82566DM-2 (bisected) Submitter : <jsbronder@...> Date : 2009-08-04 18:06 (6 days old) Bug-Entry : Subject : Huawei E169 GPRS connection causes Ooops Submitter : Clemens Eisserer <linuxhippy@...> Date : 2009-08-04 09:02 (6 days old) Bug-Entry : Subject : Oops from tar, 2.6.31-rc5, 32 bit on quad core phenom. Submitter : Gene Heskett <gene.heskett@...> Date : 2009-08-01 13:04 (9 days old) References : Bug-Entry : Subject : 2.6.31-rc4 - slab entry tak_delay_info leaking ??? Submitter : Paul Rolland <rol@...> Date : 2009-07-29 08:20 (12 days old) References : Bug-Entry : Subject : Radeon framebuffer (w/o KMS) corruption at boot. Submitter : Duncan <1i5t5.duncan@...> Date : 2009-07-29 16:44 (12 days old) Bug-Entry : Subject : iwlwifi (4965) regression since 2.6.30 Submitter : Lukas Hejtmanek <xhejtman@...> Date : 2009-07-26 7:57 (15 days old) References : Bug-Entry : Subject : LEDs switched off permanently by power saving with rt61pci driver Submitter : Chris Clayton <chris2553@...> Date : 2009-07-13 8:27 (28 days old) References : Bug-Entry : Subject : Input : regression - touchpad not detected Submitter : Dave Young <hidave.darkstar@...> Date : 2009-07-17 07:13 (24 days old) References : Bug-Entry : Subject : suspend script fails, related to stdout? Submitter : Tomas M. <tmezzadra@...> Date : 2009-07-17 21:24 (24 days old) References : Bug-Entry : Subject : Kernel Oops when trying to suspend with ubifs mounted on block2mtd mtd device Submitter : Tobias Diedrich <ranma@...> Date : 2009-07-15 14:20 (26 days old) First-Bad-Commit:;a=commit;h=15bce40cb3133bcc07d548013df97e4653d363c1 References : Bug-Entry : Subject : system freeze when switching to console Submitter : Reinette Chatre <reinette.chatre@...> Date : 2009-07-23 17:57 (18 days old) Bug-Entry : Subject : oprofile: possible circular locking dependency detected Submitter : Jerome Marchand <jmarchan@...> Date : 2009-07-22 13:35 (19 days old) Bug-Entry : Subject : X server crashes with 2.6.31-rc2 when options are changed Submitter : Michael S. Tsirkin <m.s.tsirkin@...> Date : 2009-07-07 15:19 (34 days old) Bug-Entry : Subject : 2.6.31-rc2: irq 16: nobody cared Submitter : Niel Lambrechts <niel.lambrechts@...> Date : 2009-07-06 18:32 (35 days old) References : Bug-Entry : Subject : The AIC-7892P controller does not work any more Submitter : Andrej Podzimek <andrej@...> Date : 2009-07-05 19:23 (36 days old) Bug-Entry : Subject : [drm/i915] Possible regression due to commit "Change GEM throttling to be 20ms (...)" Submitter : <kazikcz@...> Date : 2009-07-05 10:49 (36 days old) First-Bad-Commit:;a=commit;h=b962442e46a9340bdbc6711982c59ff0cc2b5afb Bug-Entry : Subject : NULL pointer dereference at (null) (level2_spare_pgt) Submitter : poornima nayak <mpnayak@...> Date : 2009-06-17 17:56 (54 days old) References : Regressions with patches ------------------------ Bug-Entry : Subject : ath5k broken after suspend-to-ram Submitter : Johannes Stezenbach <js@...> Date : 2009-08-07 21:51 (3 days old) References : Handled-By : Nick Kossifidis <mickflemm@...> Patch : Bug-Entry : Subject : x86 MCE malfunction on Thinkpad T42p Submitter : Johannes Stezenbach <js@...> Date : 2009-08-07 17:09 (3 days old) References : Handled-By : Bartlomiej Zolnierkiewicz <bzolnier@...> Patch : Bug-Entry : Subject : MD raid regression Submitter : Mike Snitzer <snitzer@...> Date : 2009-08-05 15:06 (5 days old) First-Bad-Commit:;a=commit;h=449aad3e25358812c43afc60918c5ad3819488e7 References : Handled-By : NeilBrown <neilb@...> Patch : For details, please visit the bug entries and follow the links given in references. As you can see, there is a Bugzilla entry for each of the listed regressions. There also is a Bugzilla entry used for tracking the regressions from 2.6.30, unresolved as well as resolved, at: Please let me know if there are any Bugzilla entries that should be added to the list in there. Thanks, Rafael Rafael J. Wysocki <rjw@...> changed: What |Removed |Added ---------------------------------------------------------------------------- Status|RESOLVED |CLOSED -- Configure bugmail: ------- You are receiving this mail because: ------- You are watching the assignee of the bug. Rafael J. Wysocki <rjw@...> changed: What |Removed |Added ---------------------------------------------------------------------------- Status|NEW |RESOLVED Resolution| |CODE_FIX --- Comment #1 from Rafael J. Wysocki <rjw@...> 2009-08-09 23:15:04 --- Fixed by commit dff33cfcefa31c30b72c57f44586754ea9e8f3e2 . -- Configure bugmail: ------- You are receiving this mail because: ------- You are watching the assignee of the bug. Rafael J. Wysocki <rjw@...> changed: What |Removed |Added ---------------------------------------------------------------------------- Status|RESOLVED |CLOSED Resolution|PATCH_ALREADY_AVAILABLE |CODE_FIX --- Comment #6 from Rafael J. Wysocki <rjw@...> 2009-08-09 23:02:25 --- Fixed by commit 0924d942256ac470c5f7b4ebaf7fe0415fc6fa59 . -- Configure bugmail: ------- You are receiving this mail because: ------- You are watching the assignee of the bug. Igor <karabaja4@...> changed: What |Removed |Added ---------------------------------------------------------------------------- CC| |karabaja4@... --- Comment #6 from Igor <karabaja4@...> 2009-08-09 21:54:16 ---). -- Configure bugmail: ------- You are receiving this mail because: ------- You are watching the assignee of the bug. Drivers sometimes don't call drm_vblank_init() (e.g. radeon [1], vboxvideo [2], mga driver on out of memory condition, etc.), therefore flip_list is left uninitialized. I did not test the patch yet. [1] [2] This should have been a reply to "[PATCH] Add modesetting pageflip ioctl and corresponding drm event", but I couldn't find a Message-ID I could feed to git-send-email, so that it would appear as reply, sorry for that. --- drivers/gpu/drm/drm_fops.c | 7 ++++--- 1 files changed, 4 insertions(+), 3 deletions(-) diff --git a/drivers/gpu/drm/drm_fops.c b/drivers/gpu/drm/drm_fops.c index dcd9c66..a40d36b 100644 --- a/drivers/gpu/drm/drm_fops.c +++ b/drivers/gpu/drm/drm_fops.c @@ -459,9 +459,10 @@ int drm_release(struct inode *inode, struct file *filp) mutex_lock(&dev->struct_mutex); /* Remove pending flips */ - list_for_each_entry_safe(f, ft, &dev->flip_list, link) - if (f->pending_event.file_priv == file_priv) - drm_finish_pending_flip(dev, f, 0); + if (dev->num_crtcs == 0) + list_for_each_entry_safe(f, ft, &dev->flip_list, link) + if (f->pending_event.file_priv == file_priv) + drm_finish_pending_flip(dev, f, 0); /* Remove unconsumed events */ list_for_each_entry_safe(e, et, &file_priv->event_list, link) -- 1.6.2.5 fix the following 'make includecheck' warning: include/drm/drm_memory.h: linux/vmalloc.h is included more than once. Signed-off-by: Jaswinder Singh Rajput <jaswinderrajput@...> --- include/drm/drm_memory.h | 2 -- 1 files changed, 0 insertions(+), 2 deletions(-) diff --git a/include/drm/drm_memory.h b/include/drm/drm_memory.h index 63e425b..15af9b3 100644 --- a/include/drm/drm_memory.h +++ b/include/drm/drm_memory.h @@ -44,8 +44,6 @@ #if __OS_HAS_AGP -#include <linux/vmalloc.h> - #ifdef HAVE_PAGE_AGP #include <asm/agp.h> #else -- 1.6.0.6 bit SDVO_OUTPUT_SVID0 is tested twice Signed-off-by: Roel Kluin <roel.kluin@...> --- diff --git a/drivers/gpu/drm/i915/intel_sdvo.c b/drivers/gpu/drm/i915/intel_sdvo.c index 5371d93..95ca0ac 100644 --- a/drivers/gpu/drm/i915/intel_sdvo.c +++ b/drivers/gpu/drm/i915/intel_sdvo.c @@ -1458,7 +1458,7 @@ intel_sdvo_multifunc_encoder(struct intel_output *intel_output) (SDVO_OUTPUT_RGB0 | SDVO_OUTPUT_RGB1)) caps++; if (sdvo_priv->caps.output_flags & - (SDVO_OUTPUT_SVID0 | SDVO_OUTPUT_SVID0)) + (SDVO_OUTPUT_SVID0 | SDVO_OUTPUT_SVID1)) caps++; if (sdvo_priv->caps.output_flags & (SDVO_OUTPUT_CVBS0 | SDVO_OUTPUT_CVBS1)) Rafael Antonio Porras Samaniego <SpOeK@...> changed: What |Removed |Added ---------------------------------------------------------------------------- Status|NEW |RESOLVED Resolution| |FIXED --- Comment #8 from Rafael Antonio Porras Samaniego <SpOeK@...> 2009-08-09 03:05:35 PST --- I've been using the KMS branch [1] for a while and the panic is gone. [1] -- Configure bugmail: ------- You are receiving this mail because: ------- You are the assignee for the bug. Hi Linus, Please pull the 'drm-fixes' branch from ssh://master.kernel.org/pub/scm/linux/kernel/git/airlied/drm-2.6.git drm-fixes One real bug fix, and two quite stupid errors that people think are bugs, because we report them. Dave. drivers/gpu/drm/drm_irq.c | 2 +- drivers/gpu/drm/drm_modes.c | 2 ++ drivers/gpu/drm/i915/i915_irq.c | 4 ++-- 3 files changed, 5 insertions(+), 3 deletions(-) commit 6cb504c29b1338925c83e4430e42a51eaa43781e Author: Frans Pop <elendil@...> Date: Sun Aug 9 12:25:29 2009 +1000 drm/i915: silence vblank warnings these errors are pretty pointless Reviewed-by: Jesse Barnes <jbarnes@...> Signed-off-by: Dave Airlie <airlied@...> commit 8d3457ec3198a569dd14dc9e3ae8b6163bcaa0b5 Author: Paul Rolland <rol@...> Date: Sun Aug 9 12:24:01 2009 +1000 drm: silence pointless vblank warning. Some applications/hardware combinations are triggering the message "failed to acquire vblank counter" to be issued up to 20 times a second, which makes it both useless and dangerous, as this may hide other important messages. This changes makes it only appear when people are debugging. Signed-off-by: Paul Rolland <rol@...> Reviewed-by: Jesse Barnes <jbarnes@...> Lost-twice-by: Dave Airlie <airlied@...> Signed-off-by: Dave Airlie <airlied@...> commit 38d5487db7f289be1d56ac7df704ee49ed3213b9 Author: Keith Packard <keithp@...> Date: Mon Jul 20 14:49:17 2009 -0700 drm: When adding probed modes, preserve duplicate mode types The code which takes probed modes and adds them to a connector eliminates duplicate modes by comparing them using drm_mode_equal. That function doesn't consider the type bits, which means that any modes which differ only in the type field will be lost. One of the bits in the mode->type field is the DRM_MODE_TYPE_PREFERRED bit. If the mode with that bit is lost, then higher level code will not know which mode to select, causing a random mode to be used instead. This patch simply merges the two mode type bits together; that seems reasonable to me, but perhaps only a subset of the bits should be used? None of these can be user defined as they all come from looking at just the hardware. Signed-off-by: Keith Packard <keithp@...> Signed-off-by: Dave Airlie <airlied@...> 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/dri/mailman/dri-devel/?viewmonth=200908&viewday=9
CC-MAIN-2017-04
refinedweb
1,835
50.73
The Mind Electric’s ElectricXML is yet another tree-based API for processing XML documents with Java. It has a reputation for being particularly easy to use. It’s also small. The JAR archive for ElectricXML 4.0 is around 10% of the size of the JAR archive for dom4j 1.3. Finally, the Mind Electric has also. Example 5.9. An ElectricXML based client for the Fibonacci XML-RPC server deja vu. The creation of the XML-RPC request document is very similar to how it’s done in dom4j. Navigating the response document to locate the double element is very similar to how this its reputation for ease of use has been achieved like it’s free to ignore anything else it doesn’t need; but the parser is not free to make that decision for the client application. Worse yet, the ElectricXML namespace model focuses on namespace prefixes instead of namespace URIs. This certainly matches how most developers expect namespaces to work, but it is not in fact how they do work. I agree that the XML’s namespace syntax is needlessly complicated and confusing. Nonetheless, an XML API cannot fix the problem by pretending XML is less complicated than it really is. ElectricXML may feel easier at first than more XML-compatible APIs like SAX, DOM, and JDOM; but it’s bound to cause more pain in the long run. I also have one major non-technical concern about ElectricXML. Whereas all the other APIs discussed here are released as various forms of open source, ElectricXML is not. The license limits what you’re allowed to do with the software including preventing you from competing with it, so necessary forks are prohibited. ElectricXML is still free-beer, and source code is provided.
http://www.cafeconleche.org/books/xmljava/chapters/ch05s08.html
CC-MAIN-2019-09
refinedweb
296
64.2
acl_create_entry() Create an entry in an access control list Synopsis: #include <sys/acl.h> int acl_create_entry( acl_t *acl_p, acl_entry_t *entry_p ); Since: BlackBerry 10.0.0 Arguments: - acl_p - The address of a pointer to the ACL that you want to add an entry to. If acl_create_entry() needs to reallocate the entry, it updates this argument. - entry_p - A pointer to a location where the function can store a pointer to the new entry. Library: libc Use the -l c option to qcc to link against this library. This library is usually included automatically. Description: The acl_create_entry() function creates a new entry in an access control list. The new entry is initialized as follows: - The tag type is set to ACL_UNDEFINED_TAG. - The qualifier is set to ACL_UNDEFINED_ID. - No permissions are enabled. Errors: - EINVAL - The acl_p argument doesn't point to a valid ACL. - ENOMEM - There wasn't enough memory to allocate the new entry. Classification: This function is based on the withdrawn POSIX draft P1003.1e. Last modified: 2014-11-17 Got questions about leaving a comment? Get answers from our Disqus FAQ.comments powered by Disqus
https://developer.blackberry.com/native/reference/core/com.qnx.doc.neutrino.lib_ref/topic/a/acl_create_entry.html
CC-MAIN-2019-22
refinedweb
184
61.12
WhiteCat ESP32 N1 I do not do reviews usually, but I sometimes do exceptions. In this case, it’s worth doing it, due to 4 main reasons: - It’s a software & hardware open source project - It’s local (local to me, that’s it) - It’s led by two good friends - It’s related to LoRa and The Things Network - It’s awesome! OK, they were actually 5 reasons, but the last one just slipped in. The WhiteCat ESP32 N1 Board The WhiteCat ESP32 N1 Board is a green board in a long-ish form factor, longer than the LoPy or the Chinese ESP32-based LoRa boards. This is probably due to the fact that it is not as packed as those and it also sports some features the others lack. The Whitecat project is sponsored by CSS Iberica and the Citilab, a Living Lab in Cornellà, near Barcelona. Good old friends (already) No, I’m not talking about Miguel Ferrera and Jaume Olivé, the tech heads behind the WhiteCat project. I’m talking about ESP32 and RFM95. These two you might have seen them in several LoRa boards and they team up pretty well. Actually, there’s little more you need to have a working LoRa/LoRaWAN compatible board with enough power to fulfill your darkest desires. No USB. Didn’t you say it was a dev board? No, I didn’t. But it certainly looks like a dev board. Actually, I was talking to Jaume the other day and they are still unsure about the form factor and I can see why. It lacks some things to be a standalone dev board (like a USB connection) but at the same time, it is not a production board (too large, no SMD option). On the other hand, it does have reset and flash buttons, like a real dev board, and at the same time, uFL connectors like you would expect in a production board… Don’t forget the antennas, wait… You already know what happens when you trigger a message at full power and there is no load (antenna) attached, right? All those mW bounce back to your precious electronics and start behaving like Attila the Hun, burning everything on the way. “The grass did not grow where Attila had passed”. Well, if you didn’t know, now you do. The N1 has uFL connectors for external antennas but it also has onboard ceramic ones. Both for the WiFi and the LoRa module. It’s a curious setup as I have always thought it is not a good idea to have two antennas attached to the same trace. But I’m not an RF engineer. Then there is this thing about the uFL connectors. They use very little PCB space and they are very useful when using case mounted antennas. But those connectors are tiny! And they are not meant to be used over and over for more than a few tens of times. So be careful. Schizophrenic board So it’s kind of a schizophrenic board. I have to tell you I do like the board. It feels good. I do not like over-populated boards where you can’t click a button without touching a number of passives at the same time. I think going one-side only is a good choice. I also like the onboard antennas, forgetting about the antenna is a major issue when doing workshops. I’m not sure about the uFL connectors. I would probably go without the WiFi one. But I really miss an onboard USB with a USB-UART chip. Even thou I strongly recommend to get the devkit (see below) it shouldn’t be necessary to have another board (the popular FTDI boards, although most of them do not use FTDI chips anymore) to use the WhiteCat N1. It might be OK for makers and other species but it is not when doing workshops or at school. But again: get the devkit :) A very interesting development kit If the N1 board is a solid but standard LoRa board, the guys at WhiteCat decided to design a carrier board for it with convenient headers to connect anything you want, as well as some specific ones for I2C, analog inputs or CAN bus. Here I will focus on some of the features of the carrier board, you can read more in the Whitecat N1 DEVKIT user manual (only available in Spanish at the moment). Flash it! Yes. Here you have it. A CP2104 [datasheet, PDF] USB to UART bridge by Silicon Labs. This is all you need to connect your N1 to your computer to load the firmware or the scripts from the browser IDE and get debug messages. It teams with a miniUSB** jack**. I guess they will be around for some more time yet. One thing about miniUSB jacks is that they are big enough so you get the right orientation on the first try. Much better than microUSB. So much juice for a devkit You might have noticed in the picture the big battery holder on the carrier board. It is meant to house a 18650 LiPo battery. This is a popular battery pack that is big enough to store up to 3000mAh some of them (be careful with the ones claiming 5000mAh or 9000mAh!!!). The USB connector is used to charge the LiPo and to power the board. The responsible for the charging process is a TP4056 [datasheet, PDF] Li-Ion battery charger. There is one issue here that the guys at WhiteCat should improve: If you don’t have a battery in the holder and want to power the board from the USB connector you need to connect a jumper cable from one of the 5V pins near the OSH logo and the BAT pin in the header. The cable must not be present if there is a battery in the holder. Bypassing the ESP32 drawbacks The ADC in the ESP32 is a pity. It suffers from non-linearity and a random noise due to the power source. They are currently working on patching it on software using curve maps and noise filters but, if they succeed, it will result in a low depth ADC at best. That is by Miguel added an ADS1015 [datasheet, PDF], a 12-bit, 4-channel external ADC with a programmable gain amplifier included. This is a great addon for any ESP32 carrier. Yes, it CAN The carrier also ads an SN65HVD231D [datasheet, PDF] CAN bus transceiver and the required jumper to enable a 120Ohm termination resistor. Sensors & storage One little fiddling issue I stumbled upon when using the carrier was that the sensor was not being powered. The reason was that there was a missing jumper between the red and green pins in the header 3V3 pin. I don’t know why but apparently you have to explicitly connect the power rail in the carrier either to 3V3 or (the other possible option) to BAT. Being an IoT board you will probably want to send the data from your sensors right away. WiFi, LoRa, CANbus,… you have many options. But no communication is not error free. That is why it is very convenient to have a microSD socket in the carrier. The key is in the software Since both the ESP32 and the RFM95 are “good old friends” we can pretty much load any firmware we would like on the WhiteCat N1. But don’t do it. Believe me: you want to play with the original firmware that the guys from WhiteCat have developed for their boards. A browser-based IDE The first thing you have to know is that the IDE only works with Chrome and you will need to have an agent installed to interface between the Chrome app and the board. That means (the second thing you have to know) that you have to have a compatible board connected to use the IDE. Installing the agent is easy, just follow the instructions in the agent repository wiki. Once installed, run it and select the “Open The Witecat(sic) IDE”. It will open a web page so Chrome must be your predefined browser. If it’s not you can also open the site manually:. From here on there is a lot to explore. Let me just point you a couple of things. Meet Lua From the online IDE you can code your “sketch” using Lua. Lua is a scripting language targetted to embedded applications. It can be a bit confusing at first since its naturally asynchronous and thread based. The language is powered with a lot of custom commands and libraries to use common interfaces (I2C, UART, CAN, SPI,…), sensors (BME280, DHT22,…) and actuators (relays, displays,…). It also provides an API for WiFi, MQTT, LoRaWan or the option to configure an SSH server or a VPN client. You can read all the documentation about the WhiteCat Lua RTOS and the available modules in the Lua-RTOS-ESP32 wiki. Wow! IoT with Blocky If Lua is targetted to somewhat experimented developers, the other language option provided by the IDE is targetted to kids. What about programming an IoT device using a blocks language. Here you have it. The interface is based on Google’s Blockly, enhanced, again, with different modules to manage WiFi, LoRa or MQTT connections, use sensors or different protocols. You can even see the corresponding Lua code by clicking the “eye” icon. unfortunately is a read-only view, you cannot change the code in Lua and go back to Blockly. The sketch below, for instance, connects to the The Things Network LoRaWan network and sends temperature, humidity and pressure from a BME280 sensor every 120 seconds. There is a Lua API to pack and unpack the messages in a binary format suitable for LoRaWan messages. The “pack hex string” block in the picture above is translated into something like: pack.pack(_getsensor0_temperature(), _getsensor0_humidity(), _getsensor0_pressure()) To unpack this blob in the TTN console you can use this decoder routine: function toNumber(bytes) { var bits = (bytes[3] << 24) | (bytes[2] << 16) | (bytes[1] << 8) | (bytes[0]); var sign = ((bits >> 31) === 0) ? 1.0 : -1.0; var e = ((bits >> 23) & 0xff); var m = (e === 0) ? (bits & 0x7fffff) << 1 : (bits & 0x7fffff) | 0x800000; var f = sign * m * Math.pow(2, e - 150); return f; } function toInteger(bytes, len) { var out = 0; for (var i=len-1; i>=0; i--) { out = (out << 8) + bytes[i]; } return out; } function toString(bytes) { var s = ""; var i = 0; while (0 !== bytes[i]) { s = s + String.fromCharCode(bytes[i]); i++; } return s; } function toBool(bytes) { return (1 === bytes[0]); } function unpack(bytes) { // array to hold values var data = []; // first byte holds the number of elements var size = bytes[0]; // get data types var types = []; var count = 1; do { var type = bytes[count]; types.push(type >> 4); types.push(type & 0x0F); count++; } while (types.length < size); types = types.slice(0, size); // decode data for (var i=0; i<size; i++) { var type = types[i]; if (0 === type) { data.push(toNumber(bytes.slice(count,count+4))); count += 4; } else if (1 === type) { data.push(toInteger(bytes.slice(count,count+4), 4)); count += 4; } else if (5 === type) { data.push(toInteger(bytes.slice(count,count+2), 2)); count += 2; } else if (6 === type) { data.push(toInteger(bytes.slice(count,count+1), 1)); count += 1; } else if (3 === type) { data.push(toBool(bytes.slice(count,count+1))); count += 1; } else if (4 === type) { var s = toString(bytes.slice(count)); data.push(s); count += (s.length + 1); } } return data; } // ---------------------------------------------------- function Decoder(bytes, port) { var decoded = {}; // BME280 @ WhiteCat if (port == 10) { var data = unpack(bytes); decoded.temperature = data[0].toFixed(2); decoded.humidity = data[1].toFixed(0); decoded.pressure = data[2].toFixed(2); } return decoded; } Yeah, it’s libre, so why not… … load the Lua RTOS implementation by WhiteCat on other boards? Sure you can. There is just one gitch. Since Lua is an interpreted language you will need to implement the proper “handlers” for your board and peripherals. This is more or less like having the right GPIO definitions (like the ones defined in the boards.txt file in the Arduino ecosystem) and the right libraries to use the sensors, protocols, displays,… you will want to use. So your firmware image will have to have all the required components and then, from the browser IDE you will script your code in Lua using those components. And adding new features to the Blocky-based environment is surely even more involved. Good news is that the RTOS already supports a lot of common sensors and IoT-oriented protocols. And if you are not lucky, there is plenty of code to learn from in the Lua-RTOS-ESP32 repository. Keep an eye on these guys If you should definitely check their current development with the Lua RTOS for ESP32 or the Whitecat ESP32 N1. You won’t want to miss their upcoming projects. Just take a look at this: an ESP32-based LoRaWan gateway using the iC880A concentrator board by IMST. Don’t you think it’s got potential? I do. Actually, I’m already working on something on the line… "WhiteCat ESP32 N1" was first posted on 15 October 2018 by Xose Pérez on tinkerman.cat under Analysis and tagged ads1015, blockly, bluetooth, canbus, chrome, citilab, cp2104, cssiberica, esp32, jaume olive, lipo, lora, lorawan, lua, lua-rtos-esp32, microsd, miguel ferrera, n1, rfm95, rtos, sn65hvd231d, the tings network, tp4056, ttn, whitecat, wifi.
https://tinkerman.cat/post/whitecat-esp32-n1
CC-MAIN-2019-22
refinedweb
2,249
71.55
The QWizard class provides a framework for wizards. More... #include <QWizard> This class was introduced in Qt 4.3. The QWizard class provides a framework for wizards. A wizard (also called an assistant on Mac OS X)Wizard wizard; wizard.addPage(createIntroPage()); wizard.addPage(createRegistrationPage()); wizard.addPage(createConclusionPage()); wizard.setWindowTitle("Trivial Wizard"); #ifdef Q_OS_SYMBIAN wizard.showMaximized(); #else wizard.show(); #endif return app.exec(); }(), SIGNAL(customButtonClicked(int)), this, SLOT(printButtonClicked())); Wizards consist of a sequence of QWizardPages. At any time, only one page is shown. A page has the following attributes:.())); } Here, we call QWizardPage::field() to access the contents of the className field (which was defined in the ClassInfoPage) and use it to initialize the Ouput:); } See also QW: Notifier signal:(), page(), and pageAdded(). Goes back to the previous page. This is equivalent to pressing the Back button. See also next(), accept(), reject(), and restart(). Returns the button corresponding to role which. See also setButton() and setButtonText(). Returns the text on button which. If a text has ben set using setButtonText(), this text is returned. By default, the text on buttons depends on the wizardStyle. For example, on Mac OS X, the Next button is called Continue. See also button(), setButton(), setButtonText(), QWizardPage::buttonText(), and QWizardPage::setButtonText().(). Reimplemented from QDialog::done(). Reimplemented from QObject::event()., SIGNAL(helpRequested()), this, SLOT(showHelp())); ... }."); } QMessageBox::information(this, tr("License Wizard Help"), message); } See also customButtonClicked().(). Advances to the next page. This is equivalent to pressing the Next or Commit button. See also nextId(), back(), accept(), reject(), and restart().(). Returns the page with the given id, or 0 if there is no such page. See also addPage() and setPage(). This signal is emitted whenever a page is added to the wizard. The page's id is passed as parameter. This function was introduced in Qt 4.7. See also addPage(), setPage(), and startId(). Returns the list of page IDs. This function was introduced in Qt 4.5. This signal is emitted whenever a page is removed from the wizard. The page's id is passed as parameter. This function was introduced in Qt 4.7. See also removePage() and startId(). Reimplemented from QWidget::paintEvent().. Note: Removing a page may influence the value of the startId property. This function was introduced in Qt 4.5. See also addPage(), setPage(), pageRemoved(), and startId(). Reimplemented from QWidget::resizeEvent(). Restarts the wizard at the start page. This function is called automatically when the wizard is shown.(). Sets the text on button which to be text. By default, the text on buttons depends on the wizardStyle. For example, on Mac OS X,. Note: Adding a page may influence the value of the startId property in case it was not set explicitly. See also addPage(), page(), and pageAdded(). 0 shows no side widget. When the widget is not 0 0). By default, no side widget is present. This function was introduced in Qt 4.7. See also sideWidget(). Reimplemented from QWidget::setVisible(). Returns the widget on the left side of the wizard or 0. By default, no side widget is present. This function was introduced in Qt 4.7. See also setSideWidget(). Reimplemented from QWidget::sizeHint(). Returns true if the given option is enabled; otherwise, returns false. See also options, setOption(), and setWizardStyle().(). Returns the list of IDs of visited pages, in the order in which the pages were visited. Pressing Back marks the current page as "unvisited" again. See also hasVisitedPage(). Reimplemented from QWidget::winEvent().
https://doc-snapshots.qt.io/4.8/qwizard.html
CC-MAIN-2019-26
refinedweb
575
63.56
#include <math.h> double rint(double x); float rintf(float x); long double rintl(long double x); These functions shall return the integral value (represented as a double) nearest x in the direction of the current rounding mode. The current rounding mode is implementation-defined. If the current rounding mode rounds toward negative infinity, then rint() shall be equivalent to floor() . If the current rounding mode rounds toward positive infinity, then rint() shall be equivalent to ceil() . These functions differ from the nearbyint(), nearbyintf(), and nearbyintl() functions only in that they may raise the inexact floating-point exception if the result differs in value from the integer (represented as a double precision number) nearest x in the direction of the current rounding mode. If x is NaN, a NaN shall be returned. If x is ±0 or ±Inf, x shall be returned. If the correct value would cause overflow, a range error shall occur and rint(), rintf(), and r. abs() , ceil() , feclearexcept() , fetestexcept() , floor() , isnan() , nearbyint() , the Base Definitions volume of IEEE Std 1003.1-2001, Section 4.18, Treatment of Error Conditions for Mathematical Functions, <math.h>
http://www.makelinux.net/man/3posix/R/rintl
CC-MAIN-2015-40
refinedweb
188
55.03
TestNG tests not executed when @Test annotation is used for class such behaviour is not compatible with what TestNG users can expect. See TestNG documentation: "The effect of a class level @Test annotation is to make all the public methods of this class to become test methods even if they are not annotated. You can still repeat the @Test annotation on a method if you want to add certain attributes." for example tests from this class will not be executed import org.testng.annotations.Test; import static org.testng.Assert.assertTrue; @Test public class MyClassTestNGTest { public void testMyClass() } run "gradle test" on the attached project to see it happening (or rather not happening) Hi Tomek, I wasn't aware of this, I'll add this to our test class detection. Thanks for reporting this.
https://issues.gradle.org/browse/GRADLE-713.html
CC-MAIN-2021-31
refinedweb
134
53.21
This is the mail archive of the cygwin mailing list for the Cygwin project. On Wed, Apr 6, 2016 at 3:15 PM, Ismail Donmez <ismail@i10z.com> wrote: > Hi, > > On Wed, Apr 6, 2016 at 1:42 PM, Marco Atzeri <marco.atzeri@gmail.com> wrote: >> On 06/04/2016 11:32, Ismail Donmez wrote: >>> >>> >> >> >> ncurse can handle 256 color. >> I doubt that mutt is different from other programs. >> >> >> which TERM variable are you using ? >> >> $> $ tput colors >> 8 >> >> $> $ tput colors >> 256 > > My TERM is also xterm-256color but however that won't matter because > looking at mutt-1.6.0/color.c > > I see: > > #ifdef USE_SLANG_CURSES > static char *get_color_name (char *dest, size_t destlen, int val) > { > static const char * const missing[3] = {"brown", "lightgray", "default"}; > int i; > [...] > #endif > > and similar functions. So looks like "some" color functionality > depends on slang. So, can we enable slang dependency now? Thanks, Ismail -- Problem reports: FAQ: Documentation: Unsubscribe info:
https://cygwin.com/ml/cygwin/2016-04/msg00189.html
CC-MAIN-2019-39
refinedweb
154
68.47
Code snippets are templates that make it easier to enter repeating code patterns. VSCode's snippets are just one big part of my coding experience. They make it super easy to get away with some boilerplate code. There are code snippet extensions for every language. You can find VSCode snippets for your language Table of Content - Why create custom code snippets - How to create custom code snippets - Snippet Syntax - Tabstops - Placeholders - Variables Why I created custom snippets Using React for a long while, I've been using an extension for my snippets. It was great until I started using NextJS. NextJS doesn't require import React from "react" at the top of every react file so it was felt a bit annoying to remove that line every time I used the snippet to start a file. React 17 was released and we didn't need import React from "react" anymore so the extension became a bit obsolete to me 😑. I needed more snippets too. I needed snippets for typescriptreact and custom hooks 😏. How to create custom snippets It's easier than I thought. Almost too easy 🤗. I recommend checking out the full guide in the VSCode docs. To create or edit your own snippets, - Go to File > Preferences > User Snippets ( Code > Preferences > User Snippets on macOS) - Select the language for which the snippet should appear (in my case it's typescriptreact) or the New Global Snippets file option if they should appear for all languages. Snippets files are written in JSON, support C-style comments and can define an unlimited number of snippets. Below is an example of a for loop snippet for JavaScript: // in file 'Code/User/snippets/javascript.json' { "For Loop": { "prefix": ["for", "for-const"], "body": ["for (const ${2:element} of ${1:array}) {", "\t$0", "}"], "description": "A for loop." } } In the example above: - "For Loop" is the snippet name. It is displayed via IntelliSense if no descriptionis provided. prefixdefines one or more trigger words that display the snippet in IntelliSense. Substring matching is performed on prefixes, so in this case, "fc" could match "for-const". bodyis one or more lines of content, which will be joined as multiple lines upon insertion. Newlines and embedded tabs will be formatted according to the context in which the snippet is inserted. descriptionis an optional description of the snippet displayed by IntelliSense.. From the example above we can produce the result in this gif As you can see in the gif, the cursor starts from array, then onto element, and then finally inside the curly brackets Placeholders Placeholders are tapstops with values, like ${1:array} from the above example. The number in ${1:array} is the tapstop and the string after the colon is the default value. Variables Variables are written as $variable_name or ${variable_name:default}. When a variable isn't set, its default or the empty string is inserted. Variables played a significant role in my snippets. I'd like you read more on variables yourself. I only used one variable ( TM_FILENAME_BASE) in my snippets, however, I find the rest to be useful, just not in my use case. This is an example from my custom snippets { "Base Component Template": { "prefix": "rtc", "body": [ "const ${1:$TM_FILENAME_BASE} = () => {", "return <>", "\t$0", "</>", "}", "\nexport default ${1:$TM_FILENAME_BASE}" ], "description": "Base React component with no props, imports or types" } } From the body, ${1:$TM_FILENAME_BASE} is the placeholder, the 1 is the tapstop and it indicates the start and the $TM_FILENAME_BASE is the variable for the filename. Another example with typescript interface { "Component With Props": { "prefix": "rtcp", "body": [ "interface I${1:$TM_FILENAME_BASE}Props {", "\t$2", "}", "\nconst ${1:$TM_FILENAME_BASE}:React.FC<I${1:$TM_FILENAME_BASE}Props> = ({$3}) => {", "return <>", "\t$0", "</>", "}", "\nexport default ${1:$TM_FILENAME_BASE}" ], "description": "React component with props and interface definition templates" } } And with this, I have See more examples in my git repo Conclusion I'll like to clarify that, the snippet you're looking for probably exists in an extension but it's a great experience to create your own custom snippet 😊 I've shared my snippet file on Github so be free to check out and customise it if you want or see the vscode guide to create yours from scratch
https://brains.hashnode.dev/improve-your-developer-experience-with-vscode-snippets
CC-MAIN-2022-27
refinedweb
695
51.99
Input digital world and almost everyone would have used one for playing video games in their adolescence age. A joystick might seem to be a sophisticated device, but it actually is just a combination of two Potentiometers and a push button. Hence it is also very easy to interface with any MCU provided we know how to use the ADC feature of that MCU. We have already learnt how to use ADC with PIC , hence it is would be just a work around for interfacing the Joystick. For people who are new to pickit is recommended to learn the above ADC project as well as the LED Blinking Sequence Project to make it easier to understand the project. Material Required - PicKit 3 for programming - Joy Stick module - PIC16F877A IC - 40 - Pin IC holder - Perf board - 20 MHz Crystal OSC - Bergstik pins - 220ohm Resistor - 5-LEDs of any colour - 1 Soldering kit - IC 7805 - 12V Adapter - Connecting wires - Breadboard Understanding the Joystick Module: Joysticks are available in different shapes and sizes. A typical Joystick module is shown in the figure below. A Joystick is nothing more than a couple of potentiometers and push button mounted over a smart mechanical arrangement. The potentiometer is used to keep track of the X and Y movement of the joystick and the button is used to sense if the joystick is pressed. Both the Potentiometers output an analog voltage which depends on the position of the joystick. And we can get the direction of movement by interpreting these voltage changes using some microcontroller. Previously we interfaced Joystick with AVR, Joystick with Arduino and Raspberry Pi. Before interfacing any sensor or module with a microcontroller it is important to know how it functions. Here our joystick has 5 output pins out of which two is for power and three is for data. The module should be powered with +5V. The data pins are named as VRX, VRY and SW. The term “VRX” stands for Variable voltage on X-axis and the term “VRY” stands for Variable voltage in Y-axis and “SW” stands for switch. So when we move the joystick to left or right the voltage value on VRX will vary and when we vary it up or down VRY will vary. Similarly when we move it diagonally we both VRX and VRY will vary. When we press the switch the SW pin will be connected to ground. The below figure will help you to understand the Output values much better Circuit Diagram: Now that we know how the Joy stick works, we can arrive at a conclusion that we will need two ADC pins and one digital input pin to read all the three data pins of the Joystick module. The complete circuit diagram is shown in the picture below As you can see in circuit diagram, instead of the joystick we have used two potentiometer RV1 and RV3 as analog voltage inputs and a logic input for the switch. You could follow the labels written in violet colour to match the pins names and make your connections accordingly. Note that the Analog pins are connected to channels A0 and A1 and the digital switch is connected to RB0. We will also have 5 LED lights connected as output, so that we can glow one based on the direction the joystick is moved. So these output pins are connected to PORT C from RC0 to RC4. Once we have panned our circuit diagram we can proceed with the programming, then simulate the program on this circuit then build the circuit on a breadboard and then upload the program to the hardware. To give you an idea my hardware after making the above connections is shown below Programming for Interfacing the Joystick: The program to interface joystick with PIC is simple and straight forward. We already know that which pins the Joystick is connected to and what their function is, so we simply have to read the analog voltage from the pins and control the output LED’s accordingly. The complete program to do this is given at the end of this document, but for explaining things I am breaking the code in to small meaningful snippets below. As always the program is started by setting the configuration bits, we are not going to discuss much about setting configurations bits because we have already learnt it in the LED Blinking project and it is the same for this project also. Once the configurations bits are set we have to define the ADC functions for using the ADC module in our PIC. These function were also learnt in the how to use ADC with PIC tutorial. After that, we have to declare which pins are inputs and which are output pins. Here the LED is connected to PORTC so they are output pins and the Switch pin of Joystick is a digital input pin. So we use the following lines to declare the same: //*****I/O Configuration****// TRISC=0X00; //PORT C is used as output ports PORTC=0X00; //MAke all pins low TRISB0=1; //RB0 is used as input //***End of I/O configuration**/// The ADC pins need not be defined as input pins because they when using the ADC function it will be assigned as input pin. Once the pins are defined, we can call the ADC_initialize function which we defined earlier. This function will set the required ADC registers and prepare the ADC module. ADC_Initialize(); //Configure the ADC module Now, we step into our infinite while loop. Inside this loop we have to monitor the values of VRX, VRY and SW and based on the values we have to control the led’s output. We can begin the monitoring process by reading the analog voltage of VRX and VRY by using the below lines int joy_X = (ADC_Read(0)); //Read the X-Axis of joystick int joy_Y = (ADC_Read(1)); //Read the Y-Axis of Joystick This line will save the value of VRX and VRY in the variable joy_X and joy_Y respectively. The function ADC_Read(0) means we are reading the ADC value from channel 0 which is pin A0. We have connected VRX and VRY to pin A0 and A1 and so we read from 0 and 1. If you can recollect from our ADC tutorial we know that we read the Analog Voltage the PIC being a digital device will read it from 0 to 1023. This value depends on the position of the joystick module. You can use the label diagram above to know what value you can expect for every position of the joystick. Here I have used the limit value of 200 as lower limit and a value of 800 as upper limit. You can use anything you want. So let’s use these values and start glowing the LED s accordingly. To do this we have to compare the value of joy_X with the pre-defined values using an IF loop and make the LED pins high or low as shown below. The comment lines will help you to understand better if (joy_X < 200) //Joy moved up {RC0=0; RC1=1;} //Glow upper LED else if (joy_X > 800) //Joy moved down {RC0=1; RC1=0;} //Glow Lower LED else //If not moved {RC0=0; RC1=0;} //Turn off both led We can similarly do the same for the value of Y-axis as well. We just have to replace the variable joy_X with joy_Y and also control the next two LED pins as shown below. Note that when the joystick is not moved we turn off both the LED lights. if (joy_Y < 200) //Joy moved Left {RC2=0; RC3=1;} //Glow left LED else if (joy_Y > 800) //Joy moved Right {RC2=1; RC3=0;} //Glow Right LED else //If not moved {RC2=0; RC3=0;} //Turn off both LED Now we have one more final thing to do, we have to check the switch if is pressed. The switch pin is connected to RB0 so we can again use if loop and check if it is on. If it is pressed we will turn of the LED to indicate that the switch has been pressed. if (RB0==1) //If Joy is pressed RC4=1; //Glow middle LED else RC4=0; //OFF middle LED Simulation View: The complete project can be simulated using the Proteus software. Once you have written the program compile the code and link the hex code of the simulation to the circuit. Then you should notice the LED lights glowing according to the position of the potentiometers. The simulation is shown below: Hardware and Working: After verifying the code using the Simulation, we can build the circuit on a bread board. If you have been following the PIC tutorials you would have noticed that we use the same perf board which has the PIC and 7805 circuit soldered to it. If you are also interested in making one so that you use it with all your PIC projects then solder the circuit on a perf board. Or you can also build the complete circuit on a breadboard also. Once the hardware is done it would be something like this below. Now upload the code to the PIC microcontroller using the PICkit3. You can refer the LED Blink project for guidance. You should notice the yellow light go high as soon as the program is uploaded. Now use the joystick and vary the knob, for each direction of the joystick you will notice the respective LED going high. When the switch in the middle is pressed, it will turn off the LED in the middle. This working is just an example, you can build a lot of interesting projects on top it. The complete working of the project can also be found at the video given at the end of this page. Hope you understood the project and enjoyed building it, if you have any problem in doing so feel free to post it on the comment section below or write it on the forums for getting help. /* * File: PIC_Joystick.c * Author: Aswinth * This program can read the values from a joy stick and control the LED based on the values * Created on 3 May, 2018, 4:05 PM for */ // CONFIG #pragma config FOSC = HS // Oscillator Selection bits (HS oscillator) #pragma config WDTE = OFF // Watchdog Timer Enable bit (WDT disabled) #pragma config PWRTE = ON //> #define _XTAL_FREQ 20000000 void ADC_Initialize() { ADCON0 = 0b01000001; //ADC ON and Fosc/16 is selected ADCON1 = 0b11000000; // Internal reference voltage is selected } unsigned int ADC_Read(unsigned char channel) { ADCON0 &= 0x11000101; //Clearing the Channel Selection Bits ADCON0 |= channel<<3; //Setting the required Bits __delay_ms(2); //Acquisition time to charge hold capacitor GO_nDONE = 1; //Initializes A/D Conversion while(GO_nDONE); //Wait for A/D Conversion to complete return ((ADRESH<<8)+ADRESL); //Returns Result } void main() { //*****I/O Configuration****// TRISC=0X00; //PORT C is used as output ports PORTC=0X00; //MAke all pins low TRISB0=1; //RB0 is used as input //***End of I/O configuration**/// ADC_Initialize(); //Configure the ADC module while(1) { int joy_X = (ADC_Read(0)); //Read the X-Axis of joystick int joy_Y = (ADC_Read(1)); //Read the Y-Axis of Joystick if (joy_X < 200) //Joy moved up {RC0=0; RC1=1;} //Glow upper LED else if (joy_X > 800) //Joy moved down {RC0=1; RC1=0;} //Glow Lower LED else //If not moved {RC0=0; RC1=0;} //Turn off both led if (joy_Y < 200) //Joy moved Left {RC2=0; RC3=1;} //Glow left LED else if (joy_Y > 800) //Joy moved Right {RC2=1; RC3=0;} //Glow Right LED else //If not moved {RC2=0; RC3=0;} //Turn off both LED if (RB0==1) //If Joy is pressed RC4=1; //Glow middle LED else RC4=0; //OFF middle LED } } May 14, 2018 I want to know about hybrid inverter with solar charging battery May 14, 2018 Will this work for controlling a RC Tank? Or should one use a controller allready made for RC's? Then just right the code using a Adruino?
https://circuitdigest.com/microcontroller-projects/interfacing-joystick-with-pic16f877a-mcrocontroller
CC-MAIN-2019-43
refinedweb
2,006
62.21
Hello! As a precursor to writing a Ruby profiler I wanted to do a survey of how existing Ruby & Python profilers work. This also helps answer a question a lot of folks have been asking me, which is “How do you write a profiler?” In this post, we’re just going to focus on CPU profilers (and not, say, memory/heap profilers). I’ll explain some basic general approaches to writing a profiler, give some code examples, and take a bunch of examples of popular Ruby & Python profilers and tell you how they work under the hood. There are probably some mistakes in this post (as research for this post I read parts of the code for 14 different profiling libraries and most of those I hadn’t looked at before today), please let me know what they are! 2 kinds of profilers There are 2 basic kinds of CPU profilers – sampling profilers and tracing profilers. Tracing profilers record every function call your program makes and then print out a report at the end. Sampling profilers take a more statistical approach – they record your program’s stack every few milliseconds and then report the results. The main reason to use a sampling profiler instead of a tracing profiler is that sampling profilers are lower overhead. If you just take 20 or 200 samples a second, that’s not very time consuming. And they’re pretty effective – if you’re having a serious performance problem (like 80% of your time is being spent in 1 slow function), 200 samples a second will often be enough to figure out which function to blame! The profilers Here’s a summary of the profilers we’ll be discussing in this post. (from this gist). I’ll explain the jargon in this table ( setitimer, rb_add_event_hook, ptrace) a bit later on. The interesting thing here is that all profilers are implemented using a pretty small set of fundamental capabilities. Python profilers “gdb hacks” isn’t a Python profiler exactly – it links to website talking about how to implement a hacky profiler as a shell script wrapper around gdb. It’s relevant to Python because newer versions of gdb will actually unwind the Python stack for you. Kind of a poor man’s pyflame. Ruby profilers Almost all of these profilers live inside your process Before we start getting into the details of these profilers there’s one really important thing – all of these profilers except pyflame run inside your Python/Ruby process. If you’re inside a Python/Ruby program you generally have pretty easy access to its stack. For example here’s a simple Python program that prints the stack of every running thread: import sys import traceback def bar(): foo() def foo(): for _, frame in sys._current_frames().items(): for line in traceback.extract_stack(frame): print line bar() Here’s the output. You can see that it has the function names from the stack, line numbers, filenames – everything you might want to know if you’re profiling. ('test2.py', 12, '<module>', 'bar()') ('test2.py', 5, 'bar', 'foo()') ('test2.py', 9, 'foo', 'for line in traceback.extract_stack(frame):') In Ruby, it’s even easier: you can just puts caller to get the stack. Most of these profilers are C extensions for performance reasons so they’re a little different but C extensions to Ruby/Python programs also have really easy access to the call stack. How tracing profilers work I did a survey of all the Ruby & Python tracing profilers in the tables above: rblineprof, ruby-prof, line_profiler, and cProfile. They all work basically the same way. All of them record all function calls and are written as C extensions to reduce overhead. How do they work? Well, both Ruby and Python let you specify a callback that gets run when various interpreter events (like “calling a function” or “executing a line of code”) happen. When the callback gets called, it records the stack for later analysis. I think it’s useful to look exactly where in the code these callbacks get set up so I’ll link to the relevant line of code on github for all of these. In Python, you can set up that callback with PyEval_SetTrace or PyEval_SetProfile. It’s documented in this Profiling and Tracing section of the Python documentation. The docs say “ PyEval_SetTrace is similar to PyEval_SetProfile, except the tracing function does receive line-number events.” The code: line_profilersets up its callback using PyEval_SetTrace: see line_profiler.pyx line 157 cProfilesets up its callback using PyEval_SetProfile: see _lsprof.c line 693 (cProfile is implemented using lsprof) In Ruby, you can set up a callback with rb_add_event_hook. I couldn’t find any documentation for this but here’s how it gets called rb_add_event_hook(prof_event_hook, RUBY_EVENT_CALL | RUBY_EVENT_RETURN | RUBY_EVENT_C_CALL | RUBY_EVENT_C_RETURN | RUBY_EVENT_LINE, self); The type signature of prof_event_hook is static void prof_event_hook(rb_event_flag_t event, VALUE data, VALUE self, ID mid, VALUE klass) This seems pretty similar to Python’s PyEval_SetTrace, but more flexible – you can pick which events you want to be notified about (like “just function calls”). The code: ruby-profcalls rb_add_event_hookhere: ruby-prof.c line 329 rblineprofcalls rb_add_event_hookhere: rblineprof.c line 649 Disadvantages of tracing profilers The main disadvantage of tracing profilers implemented in this way is that they introduce a fixed amount for every function call / line of code executed. This can cause you to make incorrect decisions! For example, if you have 2 implementations of something – one with a lot of function calls and one without, which take the same amount of time, the one with a lot of function calls will appear to be slower when profiled. To test this a tiny bit, I made a small file called test.py with the following contents and compared the running time of python -mcProfile test.py and python test.py. python test.py ran in about 0.6s and python -mcProfile test.py ran in about 1s. So for this particular pathological example cProfile introduced an extra ~60% overhead. def recur(n): if n == 0: return recur(n-1) for i in range(5000): recur(700) The documentation for cProfile says: the interpreted nature of Python tends to add so much overhead to execution, that deterministic profiling tends to only add small processing overhead in typical applications This seems like a pretty reasonable assertion – the example program earlier (which does 3.5 million function calls and nothing else) obviously isn’t a typical Python program, and almost any other program would have less overhead. I didn’t test ruby-prof (a Ruby tracing profiler)’s overhead, but its README says: Most programs will run approximately twice as slow while highly recursive programs (like the fibonacci series test) will run three times slower. How sampling profilers mostly work: setitimer Time to talk about the second kind of profiler: sampling profilers! Most Ruby & Python sampling profilers are implemented using the setitimer system call. What’s that? Well – let’s say you want to get a snapshot of a program’s stack 50 times a second. A way to do that is: - Ask the Linux kernel to send you a signal every 20 milliseconds (using the setitimersystem call) - Register a signal handler to record the stack every time you get a signal. - When you’re done profiling, ask Linux to stop sending you signals and print the output! If you want to see a practical example of setitimer being used to implement a sampling profiler, I think stacksampler.py is the best example – it’s a useful, working, profiler, and it’s only about 100 lines of Python. So cool! A reason stacksampler.py is only 100 lines in Python is – when you register a Python function as a signal handler, the function gets passed in the current stack of your Python program. So the signal handler stacksampler.py registers is really simple: def _sample(self, signum, frame): stack = [] while frame is not None: stack.append(self._format_frame(frame)) frame = frame.f_back stack = ';'.join(reversed(stack)) self._stack_counts[stack] += 1 It just gets the stack out of the frame and increases the number of times that particular stack has been seen by one. Very simple! Very cool! Let’s go through all the rest of our profilers that use setitimer and find where in their code they call setitimer: stackprof(Ruby): in stackprof.c line 118 perftools.rb(Ruby): in this patch which seems to be applied when the gem is compiled (?) stacksampler(Python): stacksampler.py line 51 statprof(Python): statprof.py line 239 vmprof(Python): vmprof_unix.c line 294 One important thing about setitimer is that you need to decide how to count time. Do you want 20ms of real “wall clock” time? 20ms of user CPU time? 20 ms of user + system CPU time? If you look closely at the call sites above you’ll notice that these profilers actually make different choices about how to setitimer – sometimes it’s configurable, and sometimes it’s not. The setitimer man page is short and worth reading to understand all the options. @mgedmin on twitter pointed out one interesting downside of using setitimer. this issue and this issue have a bit more detail. One INTERESTING downside of setitimer-based profilers is that the timers cause signals! Signals sometimes interrupt system calls! System calls sometimes take a few milliseconds! If you sample too frequently, you can make your program keep retrying the same syscall forever! Sampling profilers that don’t use setitimer There are a few sampling profilers that doesn’t use setitimer: pyinstrumentuses PyEval_SetProfile(so it’s sort of a tracing profiler in a way), but it doesn’t always collect stack samples when its tracing callback is called. Here’s the code that chooses when to sample a stack trace See this blog post for more on that decision. (basically: setitimeronly lets you profile the main thread in Python) pyflameprofiles Python code from outside of the process using the ptracesystem call. It basically just does a loop where it grabs samples, sleeps, and repeats. Here’s the call to sleep. python-flamegraphtakes a similar approach where it starts a new thread in your Python process and basically grabs stack traces, sleeps, and repats. Here’s the call to sleep. All 3 of these profilers sample using wall clock timing. pyflame blog posts I spent almost all my time in this post on profilers other than pyflame but pyflame is actually the one I’m the most interested in because it profiles your Python program from a separate process, and that’s how I want my Ruby profiler to work too. There’s a lot more to how it does that. I won’t get into it here but Evan Klitzke has written a lot of really good blog posts about it: - Pyflame: Uber Engineering’s Ptracing Profiler for Python introducing pyflame - Pyflame Dual Interpreter Mode about how it supports both Python 2 and Python 3 at the same time - An Unexpected Python ABI Change on adding Python 3.6 support - Dumping Multi-Threaded Python Stacks - Pyflame packages - an interesting issue with ptrace + syscalls in Python - Using ptrace for fun and profit, ptrace (continued) and there’s more at. All really interesting stuff that I’m going to read more carefully – maybe ptrace is a better approach than process_vm_readv for implementing a Ruby profiler! process_vm_readv is lower overhead because it doesn’t stop the process, but it also can give you an inconsistent snapshot because it doesn’t stop the process :). In my experiments getting inconstistent snapshots wasn’t too big of a problem but I think I’ll do some experimentation here. That’s all for now! There are a lot of important subtleties I didn’t get into in this post – for example I basically said vmprof and stacksampler are the same (they’re not – vmprof supports line profiling and profiling of Python functions written in C, which I believe introduces more complexity into the profiler). But some of the fundamentals are the same and so I think this survey is a good starting point.
https://jvns.ca/blog/2017/12/17/how-do-ruby---python-profilers-work-/?utm_source=rubyweekly&utm_medium=email
CC-MAIN-2021-49
refinedweb
2,014
61.87
Blast? There’s a few reasons for that. First, we have to wait for the app to load when we refresh the page–and with Blazor WebAssembly, we’re waiting for the .NET runtime to load. On top of that, we’re calling off to a REST API, getting the image source, and sending that to our view. That’s not incredibly efficient. In this post, we’re going to correct both issues. We’ll first move the Image component to its own page, then we’re going to use a persistence layer to store and work with our images. This includes hosting our images on Azure Storage and accessing its details using the Azure Cosmos DB serverless offering. This will only help us as we’ll create components to search on and filter our data. This post contains the following content. - Move our Image component to its own page - Integrate Cosmos DB with our application - Update our tests - Wrap up Move our Image component to its own page To move our Image component away from the default Index view, rename your Index.razor and Index.razor.cs files to Image.razor and Image.razor.cs. In the Image.razor file, change the route from @page "/" to @page "/image". That keeps it as a routable component, meaning it’ll render whenever we browse to /image. Then, in Image.razor.cs, make sure to rename the partial class to Image. Here’s how Image.razor.cs looks now: using Client.Services; using Microsoft.AspNetCore.Components; using System; using System.Threading.Tasks; namespace Client.Pages { partial class Image : ComponentBase { Data.Image _image; [Inject] public IApiClientService ApiClientService { get; set; } private static string FormatDate(DateTime date) => date.ToLongDateString(); protected override async Task OnInitializedAsync() { _image = await ApiClientService.GetImageOfDay(); } } } Create a new Home component With that in place, let’s create a new Home component. Right now, it’ll welcome users to the site and point them to our images component. (If you need a refresher on how the NavigationManager works, check out my previous post on the topic.) @page "/" @inject NavigationManager Navigator <div class="flex justify-center"> <div class="max-w-md rounded overflow-hidden shadow-lg m-12"> <h1 class="text-4xl m-6">Welcome to Blast Off with Blazor</h1> <img class="w-full" src="images/armstrong.jpg" /> <p class="m-4"> This is a project to sample various Blazor features and functionality. We'll have more soon, but right now we are fetching random images. </p> <button class="text-center m-4 bg-red-500 hover:bg-red-700 text-white font-bold py-2 px-4 rounded" @ 🚀 Image of the Day </button> </div> </div> @code { void ToImagePage() => Navigator.NavigateTo("/image"); } Here’s how the Home component looks now. Integrate Cosmos DB with our application With our first fix out of the way, it’s now time to speed up our image loading time. I’m going to do this in two ways: - Store the images statically in Azure Storage - Store image metadata, including the Azure Storage URLs in Cosmos DB In the past, Cosmos has been incredibly expensive and wouldn’t have been worth the cost for this project. With a new serverless offering (now in preview), it’s a lot more manageable and can easily be run under my monthly Azure credits. While Cosmos excels with intensive, globally-distributed workloads, I’m after a fully-managed NoSQL offering that’ll allow me flexibility if my schema needs change. In this post, I won’t show you how to create a Cosmos instance, upload our images to Azure Storage, then create a link between the two. This is all documented in a recent post. After I have the data set up, I need to understand how to access it from my application. That’s what we’ll cover. Now, I could use the Azure Cosmos DB C# client to work with Cosmos. There’s a lot of complexities here, and I don’t need any of that business. I need it for basic CRUD operations. I’m a fan of David Pine’s Azure Cosmos DB Repository .NET SDK, and will be using it here. This allows me to maintain the abstraction layer between the API and the client application, and is super easy to work with. Update the API After adding the NuGet package to my Api and Data projects, I can start to configure it. There’s a few different ways to wire up your Cosmos details—check out the readme for details—I’ll use the Startup. Here’s the Configure method for my Azure Function in the Api project: public override void Configure(IFunctionsHostBuilder builder) { builder.Services.AddCosmosRepository( options => { options.CosmosConnectionString = "my-connection-string"; options.ContainerId = "image"; options.DatabaseId = "APODImages"; }); }; Next, I’ll need to make some changes to the model. Take a look and I’ll describe after: using Microsoft.Azure.CosmosRepository; using Newtonsoft.Json; using System; namespace Data { public class Image : Item { [JsonProperty("title")] public string Title { get; set; } [JsonProperty("copyright")] public string Copyright { get; set; } [JsonProperty("date")] public DateTime Date { get; set; } [JsonProperty("explanation")] public string Explanation { get; set; } [JsonProperty("url")] public string Url { get; set; } } } You’ll see that the model now inherits from Item, which is required by the project. It contains an Id, a Type (for filtering implicitly on your behalf), and a partition key property. I’m also using JsonProperty attributes to match up with the Cosmos fields. Down the line, I might split models between my app and my API but this should work for now. Now, in ImageGet.cs, I can call off to Cosmos quite easily. Here I’m calling off to my Cosmos instance. I can query by a random date.; namespace Api { public class ImageGet { readonly IRepository<Image> _imageRepository; public ImageGet(IRepository<Image> imageRepository) => _imageRepository = imageRepository; [FunctionName("ImageGet")] public async Task<IActionResult> Run( [HttpTrigger(AuthorizationLevel.Anonymous, "get", Route = "image")] HttpRequest req, ILogger log) { var imageResponse = _imageRepository.GetAsync (img => img.Date == GetRandomDate()); return new OkObjectResult(imageResponse.Result); } private static DateTime GetRandomDate() { var random = new Random(); var startDate = new DateTime(1995, 06, 16); var range = (DateTime.Today - startDate).Days; return startDate.AddDays(random.Next(range)); } } } Update the client app In our ApiClientService, I’ll need to slightly modify my GetImageOfDay method. The call returns an IEnumerable<Image>, so I’ll just grab the result. public async Task<Image> GetImageOfDay() { try { var client = _clientFactory.CreateClient("imageofday"); var image = await client.GetFromJsonAsync<IEnumerable<Image>>("api/image"); return image.First(); } catch (Exception ex) { _logger.LogError(ex.Message, ex); } return null; } The images are now loading much faster! Update our tests Thanks to successfully isolating our service last time, the tests for the Image component don’t need much fixing. Simply changing the component to Image instead of Index does the trick: [Fact] public void ImageOfDayComponentRendersCorrectly() { var mockClient = new Mock<IApiClientService>(); mockClient.Setup(i => i.GetImageOfDay()).ReturnsAsync(GetImage()); using var ctx = new TestContext(); ctx.Services.AddSingleton(mockClient.Object); IRenderedComponent<Client.Pages.Image> cut = ctx.RenderComponent<Client.Pages.Image>();>"); } We can also add a quick test to our Home component in a new HomeTest file, which is similar to how we did our NotFound component: [Fact] public void IndexComponentRendersCorrectly() { using var ctx = new TestContext(); var cut = ctx.RenderComponent<Home>(); var h1Element = cut.Find("h1").TextContent; var buttonElement = cut.Find("button").TextContent; h1Element.MarkupMatches("Welcome to Blast Off with Blazor"); buttonElement.MarkupMatches("🚀 Image of the Day"); } Wrap up In this post, we worked on speeding up the loading of our images. We first moved our Image component off the home page, then integrated Cosmos DB into our application. Finally, we cleaned up our tests.
https://www.daveabrock.com/2020/12/13/blast-off-blazor-cosmos/
CC-MAIN-2021-25
refinedweb
1,271
50.63
The. Since the function malloc () returns a void pointer, it has to be cast to the type of data being dealt with. The header file <stdlib. h> must be included in the program if you are using malloc (). The prototype of the function is given below. void* malloc(size_t size); In the above declaration, size_t is the typedef of unsigned integer number. For allocating memory for variables of types int, double, char etc., we must cast the void pointer returned by malloc ( ) to the 'respective type. For instance, say we want to allocate memory to store n integers in contiguous memory locations like elements of an array, the code may be written as given below. # include <stdlib.h> int *ptri ; ptri = (int*) malloc(n*sizeof(int)); In the above code, the function malloc allocates n*sizeof (int) bytes of memory and returns the value of pointer ptri. For example, the following code will allocate enough memory to store two int numbers. The return value of the function malloc is the value of ptri which is the address of the first byte of the memory block. Suppose that the system allocates 4 bytes for storing one int number, then for storing 2 int numbers, the above expression will allocate 4 x 2 = 8 bytes of memory and will return the address of the first byte of this chunk of memory. That address would represent the value of pointer ptri. In case the allocation is not successful due to lack of available memory, the return value would be NULL pointer. Therefore, for the above code the following test should also be included for graceful exit: if ( ptri == NULL) printf("Error in memory allocation"); exit(1); As a second example, let us consider that we need to allocate enough memory to store m double numbers. The code is as below. double *pd ; pd= (double*) malloc( m* sizeof(double)); Similarly, we may use this function in creating arrays of structures in linked lists. Suppose, we have structures of the following type: struct Student { char Name [30]; int grade; }; If it is required to dynamically create n such structures, the memory allocation for the n structures may be done as follows: struct student * Pst; Pst = (struct Student*) malloc( n* sizeof(struct Student)); Illustrates allocation of memory for an array by malloc () . #include<conio.h> #include <iostream.h> #include <stdlib.h> void main() { char *p; clrscr(); p = (char*) malloc(8); if(!p ) { cout<<"Memory Allocation Failed"; exit(1); } cout<<"Enter a String: "; cin.get(p,80); cout<<p; free
https://ecomputernotes.com/cpp/array-pointer-union/write-a-c-program-to-use-malloc-to-allocate-memory
CC-MAIN-2020-34
refinedweb
423
62.27
Date: Sat, 5 Mar 2005 14:44:11 CST From: "BMS" Subject: Re: emergency cash fund Newsgroups: misc.invest.financial-plan processed by UCSD_GL-v1.1 on mailbox8.ucsd.edu; Sat, 05 March 2005 20:31:17 +0000 (UTC) iQBVAwUAQioaHPl/I4+O31e5AQG9jQH9H8b4YHAsOZWMH5bFXFcRAP0070/RxRSN 8Dfm23oKILxTwE5RZ+w/SSj4L6wIXU2lFDkHsWtVRFd8cdHfi4XncQ== =l1dV I would calculate what your monthly expenses are and then create a ladder or series of CD's that mature each month. Put some reserve in a ING Orange account, or something similar. With the balance start taking putting to use in a savings method that will be ready for your next life event. How are your retirement plans looking? "charlie" wrote in message news:1109987074.976211.278110@l41g2000cwc.googlegroups.com... >I have $15,000 as my emergency cash reserve. Where do I stash it? > > Money Market account $5,000 (available anytime) > 6 month CD #1 for $5,000 > 6 month CD #2 for $5,000 > > The 6 month cd's would be staggered so one is always maturing every > three months. > > Is this plan any good? How can I get better return (bonds?) but still > allow access to $5,000 every three months? >
http://www.info-mortgage-loans.com/usenet/posts/06643-22754.misc.invest.financial-plan.shtml
crawl-002
refinedweb
191
76.62
For a string “ZBBBCZZ”, I want to produce a list [“Z”, “BBB”, “C”, “ZZ”] That is, break the string into pieces based on change of character. Though this works: s = “ZBBBCZZ” x = s.scan(/((.)\2*)/).map {|i| i[0]} I’m new to Ruby and am interested to learn if there is a better way to do it. BTW, in Python, it can be done with a regex (similar to above) or via their itertools library: import itertools s = “ZBBBCCZZ” x = [’’.join(g) for k, g in itertools.groupby(s)] Does anyone know if Ruby has a similar library to Python’s itertools? Thanks, /-\
https://www.ruby-forum.com/t/split-a-string-based-on-change-of-character/111807
CC-MAIN-2021-43
refinedweb
104
80.82
30 April 2010 17:41 [Source: ICIS news] By Nigel Davis ?xml:namespace> Producers have benefited greatly from price increases in the first months of the year. Take ExxonMobil which showed on Thursday that stronger margins lifted first quarter chemicals earnings by $480m compared with the first quarter of 2009, while the increase from higher sales volumes was $180m. The margin increase has to do with lower costs as well as higher prices, but the latest reversal in the upward price trend is going to hurt. US ethylene prices have tracked downwards over the past week reacting to the twin pressures of more supply and weakening demand. Ethylene for May was offered on Wednesday at 42.00 cents/lb ($926/tonne, €704/tonne), down by 22% from deals done at 53.00-54.75 cents/lb late in the week ended 23 April. The collapse in the ethylene spot market in the Ethylene prices in Consumers have reacted to tight availability but. European olefins contract prices have reflected some of the caution or, rather the balancing of the ideas of sellers and buyers. Ethylene settled at a rollover for May and propylene was up €20/tonne at €1,000 tonne. The downstream polymer markets are stronger but not great. On Thursday, European polypropylene (PP) buyers said they were expecting some relief from the constant round of price increases. Those increases had pushed prices up 30%, or €300/tonne, since January. Not surprisingly, buyers had been betting on when prices will start to fall. Internally, some thought the end of May, others June. Polypropylene demand in There is a broader perception, however, that prices have risen too high and cannot be sustained by demand. Remarks from buyers suggest that while the caps and closures market for PP is buoyant, carpet makers continue to feel the pinch. Imports are not widely apparent in the Petrochemicals and polymers output remains constrained by various factors and while demand has improved it does not seem yet to be sufficient to encourage significantly increased output. Prices have been underpinned by the oil price and will continue to be supported by it. The question is: for how long? Buyers have been on the look-out for the turn and, by all accounts, expect any downward movement to be swift and deep. ($1 = €0.76) Bookmark Paul Hodges’ Chemicals & the Economy blog Read John Richardson and Malini Hariharan’s Asian Chemical Connections blog Click here to find out more on the US, Europe and.
http://www.icis.com/Articles/2010/04/30/9355688/insight+plunging+us+olefins+prices+raise+alarms.html
CC-MAIN-2013-20
refinedweb
416
62.27
This article is about creating a Java executable without Java being installed on the system. Java is a near universal programming language and runs on almost any system. Being able to run Java via an external program is very useful for consolidating it on systems that have different ways of using Java. Steps - 1Install a Unix-based environment. - Debian - Kali - Ubuntu - OSX - 2Install the following programs. Debian-based systems can use apt. - C compiler (such as gcc, or mingw32 to cross compile for Windows) - Java Runtime Environment (such as openjre) - Java Development Kit (such as openjdk) - The bash code shown above uses the terminal-based apt-get to select and install the packages needed for this project. The gcc is a C compiler, default-jre is the system default Java Runtime Environment which is openjre, and default-jdk is the system default Java Development Kit which is openjdk. These commands should work on any Debian-based system, including Ubuntu, Kali, Raspian, and XUbuntu. sudo apt-get install gcc sudo apt-get install default-jre sudo apt-get install default-jdk - 3Create the executable using the C programming language and a C compiler. - Type the following source code into a file called exec.c #include <stdlib.h> int main(){ system("java -jar javaExe.jar"); return 0; } - The first line tells the compiler which library to include. This 'stdlib' is built into the system by default, so it knows where to find it. The main function tells the program where to start, and the system function outputs a command to the default shell; however, in this instance, the syntax is the same for all Debian-based default shells. The return 0 tells the program that it executed correctly with no errors. - Compile the program using your compiler. gcc exec.c -o exec.exe - The gcc compiler is invoked to compile the exec.c file and to output an executable called exec.exe. - 4Create the sample Java application. - Type the following manifest file configuration into a file called manifest.txt Main-Class: javaExe - The manifest file is like the configuration file for Java programs. Specifically in this case, it tells the program where to start. The program should start in the javaExe class that will be presented in the next file. - Type the following source code into a file called javaExe.java public class javaExe { public static void main(String[] args) { System.out.println("Hello world"); } } - This is a very basic Java program. The first line creates the residing place of the program. The main function has a string array for an argument which represents the input of the command line, which will not be used here. The System.out.println function outputs basic text to the console. - Compile the Java program using the Java Development Environment. javac javaExec.java jar cfvm javaExe.jar manifest.txt javaExe.class - This shows how the Java byte-code compiler javac is compiling the Java class into a class to be used in different programs. The jar command combines the manifest file, which is like the configuration, with the class file, which is the compiled code. The result is a jar file, which is the program itself that will be run in the C program. - 5Type the following into the terminal to run the program. - The './' notation represents calling upon a program to be run; therefore, the exec.exe program that was previously built is being called upon. The 'Hello world' text is the output of the Java program, which was called upon by the executable. ./exec.exe Hello worldAdvertisement Community Q&A Search Ask a Question 200 characters left Include your email address to get a message when this question is answered.Submit Advertisement Tips - Windows can be used if a Linux virtual environment is installed, such as Cygwin and the MinGW compiler. - All of the required programs can be installed on OSX. - If something goes wrong, read the manual for the specific program. Example: info gcc Advertisement Things You'll Need - A Unix-Based Operating System, such as one of the following: - Debian - Kali - Ubuntu - OSX - C compiler (such as gcc, or mingw32 to cross compile for windows) - Java Runtime Environment (such as openjre) - Java Development Kit (such as openjdk) About This Article Thanks to all authors for creating a page that has been read 5,160 times. Is this article up to date? Advertisement
https://m.wikihow.com/Create-Java-Exe-Files-to-Run-on-Computers-Without-Java
CC-MAIN-2020-10
refinedweb
730
56.66
Packages that are not included in the JDK (for example javax.websocket -cp CLASSPATH javax.websocket import bar.foo; foo After compilation, when the .class files are obtained, is it possible to transfer these files to a computer that does not have the javax.websocketpackage, and have the JVM on that computer run them, or is it necessary to have the package on both computers? It is necessary to have the package on both computers. Bytecode assumes that the relevant classes would be made available to JVM at runtime. Moreover, this is true even for compiling and running on the same computer: the locations from which Java compiler pulls its packages for compilation could be different from the location from which JVM pulls packages when running your code.
https://codedump.io/share/XvaNsc7m9Zeh/1/are-the-specifications-of-imported-packages-included-in-the-bytecode-after-compilation
CC-MAIN-2017-04
refinedweb
128
65.93
. 2.3 RGB signals You must connect the VGA red (VGA pin 1) to the SCART red (SCART pin 15), the VGA green (VGA pin 2) to the SCART green (SCART pin 11), the VGA blue (VGA pin 3) to the SCART blue (SCART pin 7), the VGA red return (VGA pin 6) to the SCART Red ground (SCART pin 13), the VGA green return (VGA pin 7) to the SCART green ground (SCART pin 9) and the VGA blue return (VGA pin 8) to the SCART blue ground (SCART pin 5). 2.4 Sound signals You must connect the analog audio groud of your system to the SCART audio ground (pin 4). The left and right audio signals of your system must be connected to the SCART left and right audio inputs respectively. These are the pins 6 and 2 of the TV SCART connector respectively. However, if you are making your adapter using a female SCART connector and a standard SCART cable you must take into account that it has some wires crossed. In that case you must connect the left and right audio signals of your system to the left and right audio outputs of the female SCART connector of your adapter (pins 3 and 1) respectively. 2.5 Sync signals When a field is being drawn, the SCART composite sync signal is normally 0.3V, and there are pulses to 0V during the horizontal blanking intervals. The polarity of the pulses are inverted during the vertical blanking intervals. This composite sync signal is generated by the PIC from the horizontal sync signal (VGA pin 13) and the vertical sync signal (VGA pin 14) making the following connections: The PIC automatically detects the polarity of the horizontal and vertical sync signals and configure the CLC so the SCART composite sync signal is the EXOR of both if they have different polarity or the NEXOR of both otherwise. Also, The PIC will set the composite sync signal to ground if the frequency of the input sync signals is wrong to protect your monitor. The composite sync signal is the pin 20 of the TV SCART connector, and has an impedance of 75Ω. The 1KΩ resistance is necessary to reduce the H level of the composite sync signal to 0.3V approximately. Again, if you are making your adapter using a female SCART connector and a standard SCART cable you must take into account that it has some wires crossed. In that case you must connect the generated composite sync signal to the sync output of the female SCART connector of your adapter (pin 19). 2.6 RGB selection The voltage of the SCART pin 16 (RGB selection) must be between 1V and 3V to select the RGB mode. This pin has an impedance of 75Ω. The RGB selection can be generated by the PIC adding the following connections: The 150Ω resistance is necessary to reduce the H level of the RGB selection signal to 1.7V approximately. The PIC will set this signal to ground if the frequency of the input sync signals is wrong. 2.7 Status & Aspect Ratio You can leave the SCART pin 8 (status/aspect ratio) unconnected, but you will have to select the SCART input of your TV manually. If you want the TV to switch to the SCART input automatically, pin 8 voltage must between 9.5V, and 12V (or between 5V and 8V to indicate an aspect ratio of 16:9 in some TVs). As noted by Visenri, such a voltage can be generated by the PIC using a Dickson circuit as shown bellow: The capacitors should have a breakdown voltage greater than 15V. The 1N5817 are Schottky diodes. Any Schottky diode able to handle a forward current of 30mA should be OK. The BZX55C11 is a Zener diode with a breakdown voltage of 11V. I included it because I thought a voltage level above the nominal values could damage my TV. You can remove it if you are brave enough. Otherwise you can use any Zener diode able to handle a reverse current of 30mA with a breakdown voltage between 10V and 12V. In my case, I wanted to be able to select the aspect ratio between 4:3 and 16:9 so I replaced the BZX55C11 by two BZX79-C5V6 and a switch in this way: The BZX79-C5V6 is a Zener diode with a breakdown voltage of 5.6V. You can replace it with any Zener diode with a breakdown voltage between 5.5V and 6V as long as it is able to handle a reverse current of 30mA. Again, the PIC will disable the status signal if the frequency of the input sync signals is wrong. 2.8 Test LEDs You can test the power source and the frequency of the input sync signals adding the following connections: The value of the resistors depends on the type of LEDs you are using. If the resistance is too low, the LEDs can be damaged. Also, it must be taken into account that the maximum current rating of the RA2 pin is 50mA. I used resistors of 680Ω. The LEDs will provide test information according to the following table: 3 Microcontroller firmware The compiled firmware can be downloaded here. The C source code can be downloaded here. 4 My implementation 4.1 Bill of materials 4.2 printed circuit board The PCB I used is shown bellow. The holes for the SCART wires are labeled E2,..,E21. Note that you don't have to connect all the SCART wires. You can download the GERBER files here and the KiCad project files here.
https://hackaday.io/project/165634-the-ultimate-vga-to-scart-adapter/details
CC-MAIN-2021-25
refinedweb
943
67.59
a pickle's pickle Discussion in 'Python' started by temposs Securing 'pickle'Ben Finney, Jul 11, 2003, in forum: Python - Replies: - 17 - Views: - 670 - Paul Rubin - Jul 11, 2003 freeze utility and pickleAki Niimura, Aug 21, 2003, in forum: Python - Replies: - 1 - Views: - 610 - =?ISO-8859-1?Q?Gerhard_H=E4ring?= - Aug 21, 2003 import pickle succeeds only after two tries??Bram Stolk, Sep 23, 2003, in forum: Python - Replies: - 2 - Views: - 445 - Peter Otten - Sep 23, 2003 Pickle questionGonçalo Rodrigues, Oct 10, 2003, in forum: Python - Replies: - 0 - Views: - 384 - Gonçalo Rodrigues - Oct 10, 2003 pickle error: can't pickle instancemethod objectsMichele Simionato, May 23, 2008, in forum: Python - Replies: - 2 - Views: - 2,100 - Michele Simionato - May 23, 2008
http://www.thecodingforums.com/threads/a-pickles-pickle.347721/
CC-MAIN-2015-40
refinedweb
119
51.55
Name | Synopsis | Description | Return Values | Errors | Attributes | See Also | Notes #include <sys/resource.h> int getrusage(int who, struct rusage *r_usage); The I/O */ structure members are interpreted as follows: The total amount of time spent executing in user mode. Time is given in seconds and microseconds. The total amount of time spent executing in system mode. Time is given in seconds and microseconds. The maximum resident set size. Size is given in pages (the size of a page, in bytes, is given by the getpagesize(3C) function). See the NOTES section of this page. An “integral” value indicating the amount of memory in use by a process while the process is running. This value is the sum of the resident set sizes of the process running when a clock tick occurs. The value is given in pages times clock ticks. It does not take sharing into account. See the NOTES section of this page. The number of page faults serviced which did not require any physical I/O activity. See the NOTES section of this page. The number of page faults serviced which required physical I/O activity. This could include page ahead operations by the kernel. See the NOTES section of this page. The number of times a process was swapped out of main memory. The number of times the file system had to perform input in servicing a read(2) request. The number of times the file system had to perform output in servicing a write(2) request. The number of messages sent over sockets. The number of messages received from sockets. The number of signals delivered. The number of times a context switch resulted due to a process voluntarily giving up the processor before its time slice was completed (usually to await availability of a resource). The number of times a context switch resulted due to a higher priority process becoming runnable or because the current process exceeded its time slice. Upon successful completion, getrusage() returns 0. Otherwise, -1 is returned and errno is set to indicate the error. The getrusage() function will fail if: The address specified by the r_usage argument is not in a valid portion of the process' address space. The who parameter is not a valid value. See attributes(5) for descriptions of the following attributes: sar(1M), read(2), times(2), write(2), getpagesize(3C), gettimeofday(3C), wait(3C), attributes(5), standards(5) The ru_maxrss, ru_ixrss, ru_idrss, and ru_isrss members of the rusage structure are set to 0 in this implementation. The numbers ru_inblock and ru_oublock account only for real I/O, and are approximate measures at best. Data supplied by the cache mechanism is charged only to the first process to read and the last process to write the data. The way resident set size is calculated is an approximation, and could misrepresent the true resident set size. Page faults can be generated from a variety of sources and for a variety of reasons. The customary cause for a page fault is a direct reference by the program to a page which is not in memory. Now, however, the kernel can generate page faults on behalf of the user, for example, servicing read(2) and write(2) functions. Also, a page fault can be caused by an absent hardware translation to a page, even though the page is in physical memory. In addition to hardware detected page faults, the kernel may cause pseudo page faults in order to perform some housekeeping. For example, the kernel may generate page faults, even if the pages exist in physical memory, in order to lock down pages involved in a raw I/O request. By definition, major page faults require physical I/O, while minor page faults do not require physical I/O. For example, reclaiming the page from the free list would avoid I/O and generate a minor page fault. More commonly, minor page faults occur during process startup as references to pages which are already in memory. For example, if an address space faults on some “hot” executable or shared library,. Name | Synopsis | Description | Return Values | Errors | Attributes | See Also | Notes
http://docs.oracle.com/cd/E19082-01/819-2243/getrusage-3c/index.html
CC-MAIN-2013-48
refinedweb
690
64.91
How to Use this and super Keywords in Your Java Subclasses The this keyword provides a way to refer to the current object instance in Java. It’s often used to distinguish between a local variable or a parameter and a class field with the same name. For example: public class Ball { private int velocity; public void setVelocity(int velocity) { this.velocity = velocity; } } Here the this keyword indicates that the velocity variable referred to on the left side of the assignment statement is the class field named velocity, not the parameter with the same name. But what if you need to refer to a field or method that belongs to a base class? To do that, you use the super keyword. It works similarly to this but refers to the instance of the base class rather than the instance of the current class. Consider these two classes: public class Ball { public void hit() { System.out.println("You hit it a mile!"); } } class BaseBall extends Ball { public void hit() { System.out.println("You tore the cover off!"); super.hit(); } } Here the hit method in the BaseBall class calls the hit method of its base class object. Thus, if you call the hit method of a BaseBall object, the following two lines are displayed on the console: You tore the cover off! You hit it a mile! You can also use the super keyword in the constructor of a subclass to explicitly call a constructor of the superclass.
http://www.dummies.com/how-to/content/how-to-use-this-and-super-keywords-in-your-java-su.html
CC-MAIN-2016-22
refinedweb
246
64
Interface and implementation Posted on March 1st, 2001. This feeds directly into the second reason, which is to separate the interface from the implementation. If the structure is used in a set of programs, but users can’t do anything but send messages to the public interface, then you can change anything that’s not public (e.g. “friendly,” protected, or private) without requiring modifications to their code. We’re –. However, with the comment documentation supported by javadoc (described in Chapter 2) the issue of code readability by the client programmer becomes less important. public class X { public void pub1( ) { /* . . . */ } public void pub2( ) { /* . . . */ } public void pub3( ) { /* . . . */ } <p><tt> private void priv1( ) { /* . . . */ } </tt></p><p><tt> private void priv2( ) { /* . . . */ } </tt></p><p><tt> private void priv3( ) { /* . . . */ } </tt></p><p><tt> private int i; </tt></p><p><tt> // . . . </tt></p><p><tt>}</tt></p> This will make it only partially easier to read because the interface and implementation are still mixed together. That is, you still see the source code – the implementation – because it’s right there in the class., good browsers should be an expected part of any good Java development tool. There are no comments yet. Be the first to comment!
http://www.codeguru.com/java/tij/tij0059.shtml
CC-MAIN-2016-40
refinedweb
201
69.28
Start! Download ProxyWay Pro - Anonymous proxies surfing software ProxyWay Pro is available for a 15-day evaluation. You don't need an activation key to use ProxyWay Pro for a free 15-day trial. Please read the ProxyWay Pro License Agreement carefully before downloading and using the software. Need help using ProxyWay Pro? Check out or see Troubleshooting section Have questions about starting using ProxyWay Pro? See ProxyWay Pro Guide and Getting started section . Download Proxy Way Pro File Operating System File Size Download NOW Windows® Vista/XP/2003/2000/ME/98 4.9 MB Download NOW Windows® Vista/XP/2003/2000 3.3 MB Download NOW Windows® ME/98 3.1 MB ProxyWay Pro - Anonymous proxies proxies surfing Tool ProxyWay Pro is multifunctional anonymous proxies surfing software which you can use together with a wide variety of web applications (web browsers, Instant Messengers, Internet Relay Chat (IRC), etc.) to ensure your anonymity. NEW! ProxyWay 'Auto Configuration' option - automatically downloads proxy lists, checks proxies, creates services and configures browser settings. ProxyWay Pro download ProxyWay - Free proxies software Compare anonymous proxies software - ProxyWay Pro and ProxyWay Anonymous Proxies | Free proxies | Public proxies proxies? Speed improvement: Proxies accumulate and save files that are most often requested by thousands of Internet users in a special database, called cache. Therefore, proxies are able to increase the speed of your connection to the Internet. The cache of a proxy server may already contain information you need by the time of your request, making it possible for the proxy to deliver it immediately. Security and privacy. Anonymous proxies. HTTP proxies HTTP proxies are proxies allowing working on the Internet with HTTP and (not always) FTP protocols. HTTP proxies can carry out caching of information downloaded from the Internet. HTTP proxies have several anonymity levels: high anonymous proxies, anonymous proxies, non-anonymous proxies (transparent) What anonymity levels of HTTP proxy servers exist? Transparent proxies - these proxies are not anonymous. Non-anonymous proxies proxies - these proxies don't show your real IP but change the request fields so it is very easy to detect that you are using proxies. High Anonymous proxies (Elite proxies) - these proxies do not pass an IP-address of a client and don't send any variables indicating that you are using proxies to host and look like real browser. What are SOCKS proxies? SOCKS is often used as a network firewall, redirecting connection requests from hosts on opposite sides of a SOCKS server. The SOCKS server authenticates and authorizes requests, establishes a proxy connection, and relays data between hosts. Socks proxies simply transfer data from a client to a server, not penetrating into this data contents. SOCKS proxies give absolutely no indication they are proxies. As SOCKS proxies transfer data between computers without changes, it allows creating SOCKS proxies chains. However, you should use special software to create SOCKS proxies chains. ProxyWay is special proxy software that allows creating and managing SOCKS proxies chains. ProxyWay Pro : Update proxies lists Using the Update proxies list option, you can automatically add new proxies to your program proxies list. online proxies list update import proxies from file Online proxies list update To enable ProxyWay Pro proxies list update: Select Proxy => Proxy list => Update proxy list. You can update proxies list using different urls/sites simultaneously. Click the "Add to List" button and specify what url you want to use for proxies list updating. Enter the full page url where the proxies list is located (ex. for you should enter or etc.) Enter IP column number, port column number (for proxies lists in the form of table). Columns' numbers for proxy IP and port are usually as you see them. So for proxy4free.com IP column number - 1 and port column number - 2. Note: For proxies lists in IP:port format you don't have to worry about columns' numbers. If you want this url is used for proxies list Auto Update, put the check mark in "Use this url for proxy list update". If you want to add information about proxies location, click "Add country column" and enter country column number. To add proxies only from certain countries, select the "Only Proxies from Specified Countries" option and select the necessary countries from the list. If you want to add all proxies, select the "Proxies from All Countries" option Click "Save" button. To update proxies list immediately, select url(s) you want to use for proxies list updating (PUT the check mark in U column) and click the Update button. You can use "+" and "-" buttons to select/deselect all urls in the list. For proxies list auto update (Scheduler): Select url(s) you want to use for proxies list updating (PUT the check mark in U column) and click the Update button. You can use "+" and "-" buttons to select/deselect all urls in the list. Select Proxy => Settings => Proxy list update settings. Turn the Scheduler on*. Set when and how often you want to run Auto update. Click the Apply button. * By default, proxies list update scheduler is off. To use a proxy server in service, check it first. You can check proxies using internal or external script. "Auto delete bad proxies after checking" option allows you to delete all bad proxies just after proxies checking. Import proxies to proxies list from a local file Using "Import proxies" feature, you can import proxies from a local file in ip:port format or HTML format in the the form of table. For importing proxies from a local file in table format you can select column numbers for IP, port and country in "Update proxy list" window To use a proxy server in service, check it first. You can check proxies using internal or external script. If Auto Check proxy option is on, all added proxies are checked automatically. "Auto delete bad proxies after checking" option allows you to delete all bad proxies just after proxies checking. Free proxies lists : Fresh public proxies list links Find free daily updated proxies lists (HTTP proxies, HTTPS proxies list, SOCKS proxies lists). High anonymous proxies list, anonymous proxies lists, transparent proxies from different countries. to find a list of some third-party sites where you can find free public proxies lists. Proxies list Checker: ProxyWay Pro Add proxies you want to check to the program proxies list, choose the list of proxies you want to check and just click the Check button. ProxyWay Pro will automatically parse the proxy data and generate detailed information about proxies speed, functionality and much more. If "Auto check proxy" option is on, all added or modified proxies are checked automatically. Ability to use proxy tunnel for proxies checking. ProxyWay supports multithreaded proxies checking that allows you to check up to 5 proxies simultaneously. Using "Check proxies for selected protocols" option you can select only the necessary types of protocols (HTTP, HTTPS, SOCKS4, SOCKS4A, SOCKS5, SOCKS5A) for proxy checking to reduce the time of checking. Proxies Checker module main features: Check any number of proxies Check HTTP, HTTPS, SOCKS4, SOCKS5 proxies lists Supports multithreading to check proxies list faster (5 threads) Check proxies speed Check proxies anonymity (anonymous proxies, high anonymous proxies, transparent proxies) Check proxies location - proxy country Check proxies functionality Import/export proxies list capabilities Use internal or external script for proxies list checking "Auto check proxy" option to check all added or modified proxies automatically. Advanced Proxies list Checker : ProxyWay Extra Advanced proxies list checker software - multithreading proxies checking (up to 10 threads simultaneously), check proxies for proxy speed, check proxy anonymity (anonymous proxies, non-anonymous proxies), check proxy type (HTTP/HTTPS/SOCKS), check proxies location (check proxy country, check proxy region/state), use internal or external script for proxies list checking. ProxyWay Extra offers three options for HTTP proxies checking*: to speed up proxies list checking added option for checking proxies without detecting proxy geo location; check proxies list with detecting proxy country location; advanced proxies checking - check proxies lists with detecting proxies country and proxies region/state** * Detecting proxy country/region/state is only available in Activated version. ** While checking proxy with detecting proxy country and proxy region/state only 1 thread is available. If you check proxies list without detecting proxy location or detect only proxy country, you can use up to 10 threads. "Check proxies for selected protocols" option you can select only the necessary types of protocols (HTTP, HTTPS, SOCKS4, SOCKS4A, SOCKS5, SOCKS5A) for proxies list checking to reduce the time of checking. ProxyWay Extra Proxies List Checker module main features: Check any number of proxies Check HTTP, HTTPS, SOCKS4, SOCKS5 proxies lists Supports multithreading to check proxies list faster (10 threads) Check proxies speed Check proxies anonymity (anonymous proxies, high anonymous proxies, transparent proxies) Check proxies location (country/region/state) Different options for HTTP proxies checking: check proxies list without detecting proxy geo location, check proxies list with detecting proxy country, advanced proxies list checking - check proxies with detecting proxy country and proxy region/state Check proxies functionality Import/export proxies list capabilities Use internal or external script for proxies list checking "Auto check proxy" option to check all added or modified proxies automatically. |
http://www.proxyway.com/www/downloads/download_proxyway_pro.html
crawl-001
refinedweb
1,526
52.39
perlquestion acanfora Hello all, I am trying to export by default a variable from a module in the importer namespace, please look at this sample code: <code> package EXAMPLE; use strict; use warnings; sub import{ my $context = caller; my $symbol = "$context\:\:my_dirt_sneaky_object_reference"; warn $context; warn $symbol; { no strict 'refs'; *$symbol = \EXAMPLE->new; } } sub new{ my $class = shift; my $self = {}; return bless $self, $class; } sub my_example_method{ print "hi, I am here!"; } </code> when I call it from a traditional CGI, all works without a glitch: <code> #!/usr/bin/perl use lib '/path/to/whateveryoulike'; use EXAMPLE; $my_dirt_sneaky_object_reference->my_example_method; </code> When I call the same code from mod_perl (Registry), I get a segmentation fault after the first invocation. Am I doing any big mistake with mod_perl? Is it the bad way to play with namespaces in mod_perl? To tell the truth, what I am trying to achieve is a bit more convoluted, but I tried to reduce it to what I believe is the kernel of the problem. Any idea? Thanks in advance for tips and advices.
http://www.perlmonks.org/?displaytype=xml;node_id=996605
CC-MAIN-2016-26
refinedweb
175
55.58
One difficulty with the code that we have added to support the menus is that it is very menu specific. What I mean by this is that if we are going to do a proper job on the Sketcher application, we will undoubtedly want it to have a toolbar. The toolbar will surely have a whole bunch of buttons that perform exactly the same actions as the menu items we have just implemented, so we will be in the business of doing the same thing over again in the toolbar context. Of course, the only reason I brought it up, as I'm sure you anticipated, is that there is another way of working with menus, and that is to use an action object. An action object is a bit of a strange beast, and it can be quite hard to understand at first so we will take it slowly. First of all let's look at what we mean by an 'action' here, as it is a precise term in this context. An action is an object of any class that implements the Action interface. This interface declares methods that operate on an action object, for example storing properties relating to the action, enabling it and disabling it. The Action interface happens to extend the ActionListener interface so an action object is a listener as well as an action. Now that we know an Action object can get and set properties, and is also a listener, how does that help us in implementing the Sketcher GUI? The answer is in the last capability of an Action object. Some Swing components, such as those of type JMenu and JToolBar, have an add() method that accepts an argument of type Action. When you add an Action object to these using the add() method, the method creates a component from the Action object that is automatically of the right type. If you add an Action object to a JMenu object, a JMenuItem will be created and returned by the add() method. On the other hand, when you add exactly the same Action object to a JToolBar object, an object of type JButton will be created and returned. This means that you can add the very same Action object to both a menu and a toolbar, and since the Action object is its own listener you automatically get both supporting the same action. Clever, eh? First, we should look at the Action interface. In general, properties are items of information that relate to a particular object and are stored as part of the object. Properties are often stored in a map, where a key identifies a particular property, and the value corresponding to that property can be stored in association with the key. The Properties class that is defined in the java.util package does exactly that. The Action interface has provision for storing seven basic standard properties that relate to an Action object: A name – a String object that is used as the label for a menu item or a toolbar button. A small icon – an Icon object to be displayed on a toolbar button. A short description of the action – a String object to be used as a tooltip. An accelerator key for the action – defined by a KeyStroke object. A long description of the action —a String object that is intended to be used as context sensitive help. A mnemonic key for the action – this is a key code of type int. An action command key – defined by an entry in a KeyMap object associated with a component. Just so you are aware of them I have included the complete set here, but we will concentrate on just using the first three. We haven't met Icon objects before, but we will get to them a little later in this chapter. You are not obliged to provide for all of these properties in your action classes, but the interface provides the framework for it. These properties are stored internally in a map collection in your action class, so the Action interface defines constants that you use as keys for each of the standard properties. These constants are all of type String, and the ones we are interested in are NAME, SMALL_ICON, and SHORT_DESCRIPTION. The others are ACCELERATOR_KEY, LONG_DESCRIPTION, MNEMONIC_KEY, and ACTION_COMMAND_KEY. There is another constant of type String defined in the interface with the name DEFAULT. This is for you to use to store a default property for the action. The Action interface also declares the following methods: So far, all we seem to have with this interface is a license to do a lot of work in implementing it but it's not as bad as that. The javax.swing package defines a class, AbstractAction, that already implements the Action interface. If you extend this class to create your own action class, you get a basic infrastructure for free. Let's try it out in the context of Sketcher. This will involve major surgery on our SketchFrame class. Although we'll be throwing away all those fancy varieties of menu items we spent so much time putting together, at least you know how they work now, and we'll end up with much less code after re-engineering the class, as you'll see. As the saying goes, you've got to crack a few eggs to make a soufflé. We'll go back nearly to square one and reconstruct the class definition. First we will delete a lot of code from the existing class definition. Comments show where we will add code to re-implement the menus using actions. Get your definition of SketchFrame to the following state: // Frame for the Sketcher application import javax.swing.*; import java.awt.*; import java.awt.event.*; public class SketchFrame extends JFrame implements Constants { // Constructor // We will construct the file pull down menu here using actions... // We will add the types menu items here using actions... elementMenu.addSeparator(); JMenu colorMenu = new JMenu("Color"); // Color sub-menu elementMenu.add(colorMenu); // Add the sub-menu // We will add the color menu items here using actions... menuBar.add(fileMenu); // Add the file menu menuBar.add(elementMenu); // Add the element menu } // We will add inner classes defining action objects here... // We will add action objects as members here... private JMenuBar menuBar = new JMenuBar(); // Window menu bar private Color elementColor = DEFAULT_ELEMENT_COLOR; // Current element color private int elementType = DEFAULT_ELEMENT_TYPE; // Current element type } Note that we have put the statement to set the default close operation as EXIT_ON_CLOSE back in so we won't need to call dispose() and exit() in the window event handler. The old inner classes have been deleted, as well as the fields storing references to menu items. All the code to create the menu items has been wiped as well, along with the code that added the listeners. We are ready to begin reconstruction. We can rebuild it, stronger, faster, better! We will need three inner classes defining actions, one for the File menu items, another for the element type menu items, and the third for element colors. We will derive all these from the AbstractAction class that already implements the Action interface. The AbstractAction class has three constructors: The AbstractAction class definition already provides the mechanism for storing action properties. For the last two constructors, the argument values that are passed will be stored using the standard keys that we described earlier. For the moment, we will only take advantage of the second constructor, and leave icons till a little later. We can define the FileAction inner class as follows: class FileAction extends AbstractAction { // Constructor FileAction(String name) { super(name); } // Constructor FileAction(String name, KeyStroke keystroke) { this(name); if(keystroke != null) putValue(ACCELERATOR_KEY, keystroke); } // Event handler public void actionPerformed(ActionEvent e) { // We will add action code here eventually... } } We have two constructors. The first just stores the name for the action by calling the base class constructor. The second stores the name by calling the first constructor and then stores the accelerator keystroke using the appropriate key if the argument is not null. Calling the other constructor rather than the base class constructor is better here, in case we add code to the other constructor later on (as we shall!). Since our class is an action listener, we can implement the actionPerformed() method in it. We don't yet know what we are going to do with the File menu item actions, so we will leave it open for now and let the actionPerformed() method do nothing. Add this inner class to SketchFrame where the comment indicates. The SketchFrame class will need a data member of type FileAction for each menu item we intend to add, so add the following statement to the SketchFrame class definition: // File actions private FileAction newAction, openAction, closeAction, saveAction, saveAsAction, printAction; We can define an inner class for the element type menus next: class TypeAction extends AbstractAction { TypeAction(String name, int typeID) { super(name); this.typeID = typeID; } public void actionPerformed(ActionEvent e) { elementType = typeID; } private int typeID; } Add this definition to the SketchFrame class following the previous inner class. The only extra code here compared to the previous action class is that we retain the typeID concept to identify the element type. This makes the listener operation simple and fast. Because each object corresponds to a particular element type, there is no need for any testing of the event – we just store the current typeID as the new element type in the SketchFrame class object. We won't be adding accelerator key combinations for type menu items so we don't need to provide for them in the class. Add the following statement to the SketchFrame class for the members that will store references to the TypeAction objects: // Element type actions private TypeAction lineAction, rectangleAction, circleAction, curveAction; The third inner class is just as simple: // Handles color menu items class ColorAction extends AbstractAction { public ColorAction(String name, Color color) { super(name); this.color = color; } public void actionPerformed(ActionEvent e) { elementColor = color; // This is temporary – just to show it works getContentPane().setBackground(color); } private Color color; } We also use the same idea that we used in the listener class for the color menu items in the previous implementation of SketchFrame. Here we have a statement in the actionPerformed()method that sets the background color of the content pane to the element color. When you click on a color menu item, the background color of the content pane will change so you will be able to see that it works. We'll remove this code later. Add the following statement to the SketchFrame class for the color action members: // Element color actions private ColorAction redAction, yellowAction, greenAction, blueAction; We can try these action classes out now. All we need to do to create the menu items is use the add() method to add a suitable Action object to a menu. This all happens in the SketchFrame constructor – with the aid of a helper method that will economize on the number of lines of code: // Create the action items for the file menu newAction = new FileAction("New", KeyStroke.getKeyStroke('N',Event.CTRL_MASK )); openAction = new FileAction("Open", KeyStroke.getKeyStroke('O',Event.CTRL_MASK )); closeAction = new FileAction("Close"); saveAction = new FileAction("Save", KeyStroke.getKeyStroke('S',Event.CTRL_MASK )); saveAsAction = new FileAction("Save As..."); printAction = new FileAction("Print", KeyStroke.getKeyStroke('P',Event.CTRL_MASK )); // Construct the file pull down menu addMenuItem(fileMenu, newAction); addMenuItem(fileMenu, openAction); addMenuItem(fileMenu, closeAction); fileMenu.addSeparator(); // Add separator addMenuItem(fileMenu, saveAction); addMenuItem(fileMenu, saveAsAction); fileMenu.addSeparator(); // Add separator addMenuItem(fileMenu, printAction); // Construct the Element pull down menu addMenuItem(elementMenu, lineAction = new TypeAction("Line", LINE)); addMenuItem(elementMenu, rectangleAction = new TypeAction("Rectangle", RECTANGLE)); addMenuItem(elementMenu, circleAction = new TypeAction("Circle", CIRCLE)); addMenuItem(elementMenu, curveAction = new TypeAction("Curve", CURVE)); elementMenu.addSeparator(); JMenu colorMenu = new JMenu("Color"); // Color sub-menu elementMenu.add(colorMenu); // Add the sub-menu addMenuItem(colorMenu, redAction = new ColorAction("Red", Color.red)); addMenuItem(colorMenu, yellowAction = new ColorAction("Yellow", Color.yellow)); addMenuItem(colorMenu, greenAction = new ColorAction("Green", Color.green)); addMenuItem(colorMenu, blueAction = new ColorAction("Blue", Color.blue)); menuBar.add(fileMenu); // Add the file menu menuBar.add(elementMenu); // Add the element menu } We have added four blocks of code. The first two are for the file menu, one creating the action object and the other calling a helper method, addMenuItem(), to create the menu items. The other two are for the element type and color menus. We create the action items for these menus in the arguments to the helper method calls. It's convenient to do this, as the constructor calls are relatively simple. The helper method will add an item specified by its second argument to the menu specified by the first. By declaring the second argument as type Action, we can pass a reference to an object of any class type that implements the Action interface, so this includes any of our action classes. Here's the code: private JMenuItem addMenuItem(JMenu menu, Action action) { JMenuItem item = menu.add(action); // Add the menu item KeyStroke keystroke = (KeyStroke)action.getValue(action.ACCELERATOR_KEY); if(keystroke != null) item.setAccelerator(keystroke); return item; // Return the menu item } As you can see, the method takes care of adding the accelerator key for the menu item if one has been defined for the Action object. If there isn't one, the getValue() method will return null, so it's easy to check. We don't need access to the menu item that is created in the method at the moment since it is added to the menu. However, it is no problem to return the reference from the method and it could be useful if we wanted to add code to do something with the menu item at some point. If you compile and run Sketcher, you will get a window that looks like this: We create an Action object for each item in the file menu. We then call our private addMenuItem() method for each item in turn to create the menu items corresponding to the Action objects, and add them to the file menu. The addMenuItem() method automatically adds an accelerator key for a menu item if it exists in the Action object. We declare the addMenuItem() method as private because it has no role outside of the SketchFrame class and therefore should not be accessible. The items for the other menus are created in the same way using the addMenuItem() method. We create the Action objects in the expressions for the arguments to the method, as they are relatively simple expressions. Because we store the references to the Action objects, they will be available later when we want to create toolbar buttons corresponding to the menu items. Note that we have omitted the accelerators for the Elements menu items here on the grounds that they were not exactly standard or convenient. You may be wondering at this point why we have to set the accelerator key for a menu item explicitly, and why an accelerator key stored within an Action object is not added to the menu item automatically. There's a very good reason for not having the add() method automatically set an accelerator key from an Action object. Pressing an accelerator key combination would be the equivalent of clicking any item created from a corresponding Action object. This could be a toolbar button and a menu item. Thus if the accelerator keys were automatically set for both components, you would get events from both components when you press the accelerator key combination – not exactly what you would want as each action would then be carried out twice! If you try out the color menus you should see the background color change. If it doesn't there's something wrong somewhere. Now we have the menus set up using action objects, we are ready to tackle adding a toolbar to our application.
http://www.yaldex.com/java_tutorial/0401376318.htm
CC-MAIN-2017-04
refinedweb
2,647
51.78
IAP code for Freescale platforms Dependents: 18_PT1000 RDA5807M-FM-Radio flashaccess TF_conops_BAEFLAGIMAN ... more K22F Due to the default clock setup of the K22F, flash write access is there disabled. In the future I might add a workaround, but for now see: Be careful with which flash you are erasing/overwriting! Example code: #include "mbed.h" #include "FreescaleIAP.h" int main() { int address = flash_size() - SECTOR_SIZE; //Write in last sector int *data = (int*)address; printf("Starting\r\n"); erase_sector(address); int numbers[10] = {0, 1, 10, 100, 1000, 10000, 1000000, 10000000, 100000000, 1000000000}; program_flash(address, (char*)&numbers, 40); //10 integers of 4 bytes each: 40 bytes length printf("Resulting flash: \r\n"); for (int i = 0; i<10; i++) printf("%d\r\n", data[i]); printf("Done\r\n\n"); while (true) { } } For an example on using this for a bootloader, check out: If you want to permanently store a variable between resets, you can run into the problem of how to define the value the first time. Since the mbed drag-and-drop loader seems to issue a full-chip erase, you cannot first upload a program to set the initial value, and then switch to the regular program: The full-chip erase will also erase your initial value. One option is to use the same statements as used in the bootloader example to force it to program initial values for your variables on your memory address. This should work fine, however it is target dependent where you want to program it (generally your last sector), so it makes for a less nice example program. You can also try to detect if it is the initial run by looking at the state of the flash, by default this is all '1's. The following example does this: #include "mbed.h" #include "FreescaleIAP.h" int main() { int address = flash_size() - SECTOR_SIZE; //Write in last sector int *data = (int*)address; //By default flash is initialized at 0xFF, this is signed -1, so now we know //the program runs for the first time. You of course need to make sure your program //never writes -1 to this variable if you use this method //Alternatively you could also do the same, but with a seperate "initial run" variable added, //so your other variables can take any value if (data[0] == -1) { printf("Initial run\r\n"); printf("Writing 42 and 42\r\n"); erase_sector(address); int newvalues[2] = {42, 42}; program_flash(address,(char*) newvalues, 8); //Two integers of 4 bytes = 8 bytes while(1); } printf("Current = %d and %d, new is %d and %d\r\n", data[0], data[1], data[0]+1, data[1]-1); int newvalues[2] = {data[0]+1, data[1]-1}; erase_sector(address); program_flash(address, (char*) newvalues, 8); while(1); }
https://os.mbed.com/users/Sissors/code/FreescaleIAP/graph/
CC-MAIN-2022-40
refinedweb
458
59.57
10528/is-there-any-way-to-use-boto3-anonymously Using boto I was able to connect to the public S3 buckets without having credentials by passing the anon= keyword argument. s3 = boto.connect_s3(anon=True) Can I do this with boto3? Yes. Your credentials are used to sign all the requests you send out, so all you have to do is configure the client to not perform the signing step at all. You can do this as follows: import boto3 from botocore import UNSIGNED from botocore.client import Config s3 = boto3.client('s3', config=Config(signature_version=UNSIGNED)) # Use the client By default, you using something like a ...READ MORE There isn't a built-in solution for this, ...READ MORE Create a role with Elasticsearch permission. Provide the iam:PassRole for ...READ MORE Azure Policy is not exactly same Currently, AWS Cognito is not supporting passwordless ...READ MORE Try using this one: var client = new ...READ MORE OR
https://www.edureka.co/community/10528/is-there-any-way-to-use-boto3-anonymously
CC-MAIN-2019-22
refinedweb
158
68.26
96 Please type or print. File by the due date for filing your return. Home address Your first name and initial Your social security number If a joint return, spouse’s first name and initial Spouse’s social security number City, town or post office, state, and ZIP code Please fill in the Return Label at the bottom of this page. 1 2 I request an extension of time until , 19 , to file Form 1040EZ, Form 1040A, or Form 1040 for the calendar year 1996, or other tax year ending , 19 . owe gift or generation-skipping transfer (GST) tax, complete line 4. 4 If you or your spouse plan to file a gift or GST tax return (Form 709 or 709-A) for 1996, generally due by April 15, 1997, (SSN).. This grace period is However, we have granted a 10-day grace period Return Label (Please type or print) Taxpayer’s name(s) (and agent’s name, if applicable) Taxpayer’s SSN Number and street (include suite, room, or apt. no.) or P.O. box number Spouse’s SSN City, town or post office, state, and ZIP code For Paperwork Reduction Act Notice, see back of form. Cat. No. 11958F Form 2688 (1996) Form 2688 (1996): Learning about the law or the form, 7 min.; Preparing the form, 10 min.; and Copying, assembling, and sending the form to the IRS, 20 below. the time to file a gift or generation-skipping transfer (GST) tax return (Form 709 or 709-A) for 1996.. See Pub. 54, Tax Guide for U.S. Citizens and Resident Aliens Abroad., 1997. If you did not file Form 4868 first because of undue hardship, file Form 2688 by the due date of your return. The due date is April 15, 1997, for a calendar year return. Be sure to fully explain in item 2. instructions for line 9 of that form will tell you how to report the payment. If you file Form 1040A, see the instructions for line 29d. If you file Form 1040, enter the payment on line 55. If you and your spouse each filed a separate Form 2688 but later file a joint return for 1996, enter the total paid with both Forms 2688 on the appropriate line of your joint return. If you and your spouse jointly filed Form 2688 but later file separate returns for 1996,. Item. Line 4.—If you or your spouse plan to file Form 709 or 709-A for 1996, check whichever box applies. close personal or business relationship to you who is signing because you cannot. There must be a good reason why you cannot sign, such as illness or absence. Attach an explanation. Return Label.—You must complete the Return Label at the bottom of the form to receive the Notice to Applicant. Enter your name and, if applicable, your agent’s name. Enter your SSN and, if filing jointly, your spouse’s SSN. Also enter the address where you want the IRS to send the Notice to Applicant.. General Instructions A Change to Note For 1996, you no longer need to file Form 2688 in duplicate. Instead, enter your name, address, and social security number on the Return Label at the bottom of the form. We will use it to return the Notice to Applicant to tell you if your application is approved. You no longer have to attach it to your return— keep it for your records. Where To File Mail Form 2688 to the Internal Revenue Service Center where you file your return. Purpose of Form Use Form 2688 to ask for more time to file Form 1040EZ, Form 1040A, or Form 1040. the reason in item. Note: An extension of time to file your 1996 calendar year income tax return also extends Filing Your Tax Return You may file your tax return any time before the extension expires. But remember, Form 2688 does not extend the time to pay taxes. If you do not pay the amount due by the regular due date, you will owe interest.
https://www.scribd.com/document/541534/US-Internal-Revenue-Service-f2688-1996
CC-MAIN-2018-26
refinedweb
678
80.11
RSA_check_key.3ossl - Man Page validate private RSA keys Synopsis #include <openssl/rsa.h> Deprecated since OpenSSL 3.0, can be hidden entirely by defining OPENSSL_API_COMPAT with a suitable version value, see openssl_user_macros(7): int RSA_check_key_ex(RSA *rsa, BN_GENCB *cb); int RSA_check_key(RSA *rsa); Description Both of the functions described on this page are deprecated. Applications should instead use EVP_PKEY_public_check(3), EVP_PKEY_private_check(3) and EVP_PKEY_pairwise_check(3). All of these functions were deprecated in OpenSSL 3.0. RSA_check_key_ex() appeared after OpenSSL 1.0.2. Licensed under the Apache License 2.0 (the “License”). You may not use this file except in compliance with the License. You can obtain a copy in the file LICENSE in the source distribution or at < Referenced By The man page RSA_check_key_ex.3ossl(3) is an alias of RSA_check_key.3ossl(3).
https://www.mankier.com/3/RSA_check_key.3ossl
CC-MAIN-2022-21
refinedweb
133
60.82
Bug #2486 rsc logger seems to have problems with stringstreams Description When running the following program #include <stdio.h> #include <rsc/logging/Logger.h> using namespace std; int main() { rsc::logging::LoggerPtr logger = rsc::logging::Logger::getLogger("testlogger"); stringstream s; for (uint i = 0; i < 5; ++i) { s << i << " "; } cout << s.str() << endl; RSCERROR(logger, "rsc::logging: " << s.str()); return EXIT_SUCCESS; } I get the following output: 0 1 2 3 4 1455195279558 testlogger [ERROR]: rsc::logging: But I would expect, that the rsc logger also outputs the values from the stringstream. What is wrong here? Associated revisions History #1 Updated by J. Wienke over 6 years ago - Status changed from New to Resolved - % Done changed from 0 to 100 Applied in changeset rsc|6891d9d30349e33e29085243977e4ac67b9cee3f. Also available in: Atom PDF
https://code.cor-lab.de/issues/2486
CC-MAIN-2022-21
refinedweb
129
58.69
Before you begin This article discusses XML Schema, XSLT, and XForms standards. Familiarity with XML and other W3C standards is useful. To run the example an XSLT 2.0 XML transformer such as Saxon is needed. The examples also use the Firefox XForms add-on to render the XForms. Introduction Business Unit Empowerment is a growing strategy in organizations that strive to lower the cost of developing information systems. The strategy allows non-programmers in each business unit to create and maintain applications without the need for central IT software developers and has become an emphasis to lower IT development costs. Central to this movement is the ability to create rich Web forms that generate and update complex data. Previously, the creation of rich Web forms required teams of programmers with extensive programming skills. Today, however, the rise of declarative systems is changing the programming landscape. Unlike procedural systems, declarative systems use a set of small languages and graphical tools to build complex applications without the need for programmers. The declarative approach is one of the principal methods organizations are implementing to lower their Web-related development costs. This article focuses on four small systems: NIEM, XML Schema, XSLT, and XForms. These systems combined with a native XML database (such as IBM® DB2® Version 9 "pureXML"™) enables an organization to produce rich Web applications with few software developers. The central strategy in this process is to equip subject-matter experts (SME) and business analysts (BAs) with tools to select from constrained lists of items, drawn from controlled vocabularies, and draw pictures that precisely capture business requirements. This supports the general trend toward data selection over procedural programming to lower overall IT development and maintenance costs. In this example we use the NIEM, although any controlled vocabulary with sub-schema generation tools can be used. Overview of the NIEM and sub-schema generation. NIEM components The NIEM is a metadata registry consisting two concentric rings of shared data elements with radial extensions for different domains. Figure 1. NIEM ring structure The core of the NIEM represents the "universal" data elements: the most common data exchanged between federal, state, and county organizations. Examples of universal data elements include a personâs name, address, contact information, document metadata, organization identifiers, and a large number of activities. Around the universal data elements are "common" data elements. Although used by more than one organization, they are not found as frequently as universal data elements. Common data elements include items such as codes for a personâs eye color or codes classifying types of jewelry. Surrounding the common data elements are domain-specific data elements. Although most NIEM domains are tied to the U.S. Department of Homeland Security, custom domains can and do work well with the NIEM universal and core domains. Figure 2 shows a search preferences screen used by the NIEM tools that allow sub-domains to be included or excluded in data element searches. Figure 2. NIEM domain search NIEM process The core process in using the NIEM involves creating XML exchange document packages. These packages include an XML Schema file (.xsd) that specifies the constraints of an exchange. These constraints include: - a listing of elements involved in each exchange (wantlist) - the order and grouping of these elements - the specifications of data elements that are required and optional for a valid exchange (the cardinality) A NIEM constraint file imports other XML Schemas called NIEM sub-schemas. These sub-schemas are created using the NIEM subset generation tools. You can use the "shopping cart" metaphor to describe how non-programmers use the NIEM tools to shop for the metadata elements to place in their forms. In addition, just like shopping in a grocery store, you do not need to know the business rules of 10,000 SKUs to purchase 10 items. Analogously, a typical form may need only 20 data elements from the NIEM model, so importing the 4000+ types and classes is not efficient. Sub-schemas are subsets of the NIEM schema but remain consistent with NIEM structures. Each imported sub-schema uses its own namespace and each data element in a sub-schema contains its own data element definition. NIEM sub-schemas easily combine with state and industry sub-schemas because they reside in their own namespaces. The NIEM tools allow you to save your "shopping list" data selection in an XML file called a "wantlist." A wantlist can be saved and re-loaded back into the NIEM tools as needed for future sessions. The creation of separate constraint and imported data element definition files leverages the Separation of Concerns design pattern. The constraints are unique to that exchange package but the leaf-level data element definitions are universal to all documents that use NIEM standards. All exchange documents that import a NIEM generated sub-schema use the same meaning or semantics for that data element. This separation of concerns is a central design pattern in forms generation that does not involve IT staff and will become more common as semantic Web technologies continue to evolve. NIEM naming and design rules NIEM constraint files follow XML data element naming conventions that are consistent with other federal and international standards, such as the ISO/IEC 11179 metadata registry standards. These conventions allow general XML transforms to transform the NIEM documents into other structures. These conventions give us five critical bits of information associated with each leaf-level data element in an XML Schema: - Namespace - such as - Concept (object-class) - such as "Person" - Property â usually a short word or words that describes the property itself - Representation Term - such as Code, Date, Indicator, Name, or Text - Data Element Definition â a brief text description of the element in text When a user selects a data element to be included in a constraint schema, a data element is added to an XML Schema source file. For example, if you select PersonGivenName, the following code (and elements it depends upon) are added to the NIEM universal subschema: Listing 1. XML code added when the PersonGiveName data element is added to a NIEM subschema. <xsd:element <xsd:annotation> <xsd:documentation>A first name of a person.</xsd:documentation> </xsd:annotation> </xsd:element> This element is then "referenced" (using the ref attribute) by the main constraint schema. A person record that has required values for first name, last name, and e-mail would be represented as follows in a NIEM constraint XML schema file: Listing 2. Person element in NIEM constraint XML Schema <xs:element <xs:complexType> <xs:sequence> <xs:element <xs:element <xs:element <xs:element <xs:element <xs:element <xs:element <xs:element </xs:sequence> </xs:complexType> </xs:element> Note that when the attribute minOccurs=â0â is located in an element, the field is optional. When minOccurs is not present, the default of minOccurs=â1â is assumed. This implies the element is required for the person element to be valid. Although most programmers feel comfortable reading the source code for XML Schema files, most non-programmers prefer using a graphical representation of an XML Schema. Figure 3 is a diagram from the XMLSpy XML editing program: Figure 3. XMLSpy schema diagram XMLSpy and other graphical schema capture tools are excellent as requirements capturing tool for some of the following reasons: - The NIEM-generated annotations of referenced elements (the definitions) are clearly visible under each data element. Since they are imported, they can be set to read-only and not changeable since their definitions are part of the federal standard. - Novice users can easily drag elements around the diagram to change the order of the data elements in the schema. - Right-click menus are used to easily guide the user in designating elements as required or optional. Dashed lines are used for optional data elements and solid lines are used for required data elements. - All of the operations can be performed for a group of people using an interactive whiteboard such as a SmartBoard. This process is critical for the empowerment of stakeholders who desire to design and change constraints on the fly. In addition, it will demystify the process and provide focus to data stewardship. - All complex elements (elements without namespace prefixes in the diagram above) can be easily annotated by a simple right-click over the elements. Because of the richness of each data element, XML transformations of this XML Schema can rely on a rich set of metadata in each XML Schema to build precise forms. In addition, a look-up table strategy can be used to add additional metadata to each data element when the NIEM metadata is not sufficient. I prefer this strategy over the technique of adding additional data to XML Schema appinfo structures, since external forms can easily maintain this information. People unfamiliar with the NIEM sometimes consider NIEM tag names to be too long and the required use of namespaces burdensome for the novice XML developer. However, the automatic generation of Web forms would be much more difficult without this structure. Transforming NIEM constraint schemas Now that you have an idea of the structure of the NIEM, you are ready to begin to transform the constraint XML Schemas into XForms. Figure 4 describes the data flow used to create an XForms application by transforming the NIEM constraint document directly into the XForms document. Figure 4. NIEM to XForms data flow diagram The actual NIEM-generated and imported sub-schema files are not actually used in the constraint to XForms transformation process. Other metadata (such as screen labels) can be extracted from local metadata registries and imported into the niem2xforms transform. After these files are imported as XSL variables, they can be used in the forms with a lookup-table strategy (see Listing 3). Listing 3. XForms input controls for person <xf:group <xf:labelPerson</xf:label> <xf:input <xf:label>First Name: </xf:label> </xf:input> <xf:input <xf:label>Family Name: </xf:label> </xf:input> <xf:textarea <xf:label>Street: </xf:label> </xf:textarea> <xf:input <xf:label>City: </xf:label> </xf:input> <xf:input <xf:label>State: </xf:label> </xf:input> <xf:input <xf:label>Postal Code: </xf:label> </xf:input> <xf:input <xf:label>E mail: </xf:label> </xf:input> <xf:input <xf:label>Phone number: </xf:label> </xf:input> </xf:group> Here is a visual representation of this form when opened using the Firefox browser with the XForms 0.8 add-on: Figure 5. Initial rendering of XForms file using Firefox 0.8 add-on Mapping representation terms to controls Because each NIEM data element uses ISO/IEC 11179 Representation Terms as the suffix for the data element name, we can use this information to map leaf-level elements directly to a specific type of control and HTML class for styling. Table 1 shows the most common NIEM Representation Terms used and how the transform automatically maps these terms into XForms controls. Table 1. Mapping NIEM Representation Terms into XForms controls Representation Terms are not unique to the NIEM data model. Representation Terms are used as a core classification scheme by many metadata registries that follow ISO/IEC 11179 metadata registry standards. See the resources section for more on Representation Terms. Using XSLT Using XML Transforms (XSLT) is a logical choice to transform documents when the source and destination are both well-formed XML files. XSLT can concisely and efficiently manipulate XML Schema files to perform a number of tasks, including creating XForms, generating instance documents, documenting data structures and interfaces, and controlling a variety of user interface elements. XSLT 2.0 also provides many features that make these transforms modular and easier to maintain. There are several transformation strategies used to convert XML Schemas into other XML formats: - Find the data elements that you are looking for in an XML Schema using template matches - Generating the output elements in the correct order - Mapping data types to the correct XForms controls - Use the metadata in the constraint XML Schemas to "look up" related data from a metadata registry This article provides a basic XSLT 2.0 transform used to convert an NIEM constraint XML Schema to an XForms application. This transform will allow non-programmers to create basic forms directly from the XML Schemas. It is intended as a starting point for developers but for simplicity's sake, this version does not include advanced features such as management of complex groups, repeated fields, and the placement of insert and delete triggers. The remainder of this article describes how to modify these transforms to suit your specific business requirements. Basic XPath expressions for traversing XML Schemas To use and extend these transforms, one requires an understanding of how the underlying XML transformation process works. A basic understanding of XPath expressions, how templates are matched, and XSLT recursive algorithms will result in the creation of small, easy, and maintainable transforms. The best way to learn how XPath is used to transform XML Schemas is to use an XPath evaluation tool. Most XML development tools include XPath evaluation. An example of the oXygen XML editor is listed in Figure 6. Figure 6. Using the oXygen XML editor to learn XPath To use the XPath tool, enter the XPath expression into the text field at the top of the screen. The bottom of the screen shows the "matches" to the XPath query. To begin, let's first look at a few sample XPath expressions that transform XML Schemas. All XML Schema elements begin with the "xs" prefix to indicate they are in the XML Schema namespace. To use these you should use your favorite XML editor (XMLSpy, Stylus Studio, oXygen, etc.) to use the XPath evaluation functions. Open the sample supplied ContactsDocument.xsd file or one of your own and enter the following expressions. //xs:element Matches all elements in an XML Schema file. This returns a list of all the elements in an XML Schema regardless of where they are. //xs:element[@ref] Matches all elements that have a ref attribute. Note that this does not return the actual referenced element, it only returns the element nodes that have a ref attribute. //xs:sequence | //xs:choice | //xs:all Matches any model (any one of sequence, choice or all) //xs:element[@type='xs:string'] | //xs:restriction[@base='xs:string'] Matches all elements that are of type string or restrictions of a base type string Using lookup tables to add metadata One of the challenges in using a metadata registry such as the NIEM is that it does not have the ability to store organization-specific or user-specific metadata. Examples of this additional data might include: - Screen labels - Field widths for specific data types, such as four digits for a year - Additional validation patterns for data entry - Help/hint text for data entry The example program has examples of the first two of these. The first is done using a lookup table and the second is done by generating a CSS file that has the widths for each data element used. There are two primary strategies for adding this metadata to a set of forms. The first involves adding it to appinfo tags in the constraint schema. There are two drawbacks to this design. The first is that GUI XML Schema editing tools do not have an easy way for non-programmers to modify this data and to validate this data. The second is that changing all data element labels on a single element in a family of XML Schemas requires modifying many XML Schema constraint files. An alternative approach is to use a lookup table strategy that relies on code tables. These code tables are extracted from a central metadata registry of data common and put into a format of XSL "variables" that are imported into the XSLT 2.0 file. The samples included with this article demonstrate this technique. For example, the format of an XML file of screen labels lookup table might be the following: Listing 4. XForms input controls for person <xsl:stylesheet <xsl:variable <data> <item> <from>PersonGivenName</from> <to>First Name</to> </item> <item> <from>PersonMiddleName</from> <to>Middle Name</to> </item> ...etc. Once these code tables are created, they are very easy to use in a transform. The XSLT 2.0 transform to use these values would contain the following lines: Listing 5. XForms input controls for person <xsl:import ⦠<xsl:variable In Listing 5, the variable screen-label for the from data element is set to be the to value in the lookup table. In this case you only use the characters after the colon. This is an important rule since NIEM conformant documents use namespaces and qualified data elements for all leaf-data elements. Using CSS for form attributes In addition to using lookup tables to extract additional metadata, other techniques can be used to make the form consistent with other user interface development standards. The CSS file can also be used to store the values of screen widths. The field widths of each element can then be expressed in terms of either the letters âxâ (ex) or the letter âMâ (em). The following CSS file can be generated from a metadata registry and imported into the form. Listing 6. Using CSS to control field widths @namespace xf url(""); .ContactEmailID .xf-value {width: 26ex} .PersonGivenName .xf-value {width: 18ex} .PersonSurName .xf-value {width: 22ex} .LocationCityName .xf-value {width: 20ex} .LocationStateName .xf-value {width: 2em} .LocationStateCode .xf-value {width: 2em} .LocationPostalCodeID .xf-value {width: 10ex} .StreetFullText .xf-value {width: 40em} Listing 6 shows how CSS-3 can be used to conditionally set the width inside different elements that each used a different class attribute in the XForms input. The Firefox extension automatically adds the .xf-value class for all input field values. The resulting output has variable-width field, as show in Figure 7. Figure 7. Using CSS to control field attributes Importing selection lists from shared resource files When developing a large family of forms, a database of shared selection lists is much easier to maintain. These selection lists can be stored in external XML âcode tablesâ and imported directly to an instance in the XForms model. All forms can import these resources in a consistent manner and all forms will get the updated code tables as the codes are changed. The XSL transform must insert the code into the model section of the XForms file, as described in Listing 7. Listing 7. Importing shared code tables <xf:model> ⦠<xf:instance The transform adds the code in Listing 8 into the body of the form whenever an element that ends in the string âCodeâ in seen in the input constraint file. Listing 8. Importing shared code tables <xf:select1 <xf:label>Property Type Code:</xf:label> <xf:itemset <xf:label <xf:value </xf:itemset> </xf:select1> The nodeset attribute of itemset element automatically adds to the list specified in the external file to the selection list. The selection list will then display the values âFemale,â âMale,â and âUnknown.â The cardinality of the input schema can determine if multiple values can be selected. Modifying element displays based on data types Just as the transform can use the âCodeâ suffix above, the transform can also use other data element suffixes to insert different XForms controls into the output based on the datatype of the field. For example, any data element that has a âDateâ representation term can automatically insert a calendar-selector in the form. Similarly, any boolean datatypes can be converted into checkbox controls. Figure 8 shows how the transform can work together with a CSS file to create various form presentations based on the values in the XML Schema constraint file and a local metadata registry. The example included allows dates to be selected from a calendar date selector input control. Figure 8. Mapping data types to controls Using XBL to extend XForms' controllers' behavior Although many NIEM Representation Terms map directly to XForms controls, some XForms controls are not rich enough to format complex data types such as currency. Alone, CSS is not powerful enough to perform functions such as adding commas to currency when they are displayed on the screen and remove commas when they are stored in instances within the model. Some Web browsers such as Firefox now support a proposed W3C standard called XBL for XML binding language. This allows the developer to associate a small amount of JavaScript with a class for formatting and lower the burden of XML Schema to XForms transformation. Running the sample NIEM to XForms transformation This article includes a zip file (see the download) that has two examples of transforming NIEM XML Constraint XML Schemas directly into an XForms application. It also includes a sample Apache Ant build file and an XMLSpy project file that can execute these transformations with a few mouse clicks. A screen image of the Project file is listed in the figure below. See the README.txt file for further details about the demonstration files. Note that the transform is an XSLT 2.0 transform and has been tested with XMLSpy and Saxon. The forms were tested with Firefox 2.0.0.4 with the XForms 0.8 add-on. Conclusion In this article, you saw several model-driven development techniques used to transform a XML Schema constraint file directly into a working XForms application. The transform itself is relatively short (less than 230 lines), but can be quickly customized to meet different Web form development needs.. Download Resources Learn - "XForms Tutorial and Cookbook" Over 60 sample XForms from hello world to complex applications. - In the Learn more about XForms in the IBM developerWorks - Browse the technology bookstore for books on these and other technical topics. - XForms in the IBM developerWorks XML zone. - Download the XForms extension for Mozilla. -.
http://www.ibm.com/developerworks/library/x-xformsniem/
CC-MAIN-2014-42
refinedweb
3,637
51.68
Some examples and non-examples of monads. Linked lists form what can be loosely thought of as a nondeterminism monad. In fact, join is simply concat and >>= is an infix version of concatMap. Functions from a fixed value form a monad. join can be used to pass the same argument to a function twice, while return is a synonym for const. I do not know of any interpretation of >>=, but note that fmap is (.). As an example, we can define the following: import Control.Arrow import Control.Monad both :: (a -> a) -> (a, a) -> (a, a) both = join (***) which is equivalent to both :: (a -> a) -> (a, a) -> (a, a) both f (x, y) = (f x, f y) Note also that sequence can be used to apply a list of functions to a common value, as follows: λ:> sequence [(+1), (+2)] 3 [4,5] Finally, note that (<*>) allows us to split inputs to a function, as in the following: idempotent :: Eq a => (a -> a) -> a -> Bool idempotent = ((==) <*>) which is equivalent to the slightly clearer idempotent :: Eq a => (a -> a) -> a -> Bool idempotent f x = x == f x The IO monad is especially important because it allows relatively painless side-effecting computation in a lazy language. In Haskell, it is defined as follows: newtype IO a = IO (State# RealWorld -> (# State# RealWorld, a #)) This is essentially a state monad with state type State# RealWorld. Tuples are functorial, but not monadic. To see why this is the case, consider the type signature of a hypothetical monad instance: join :: (a, (a, b)) -> (a, b) join (x, (y, z)) = ??? Such a function would be immoral as it must either forget x or y with no reason to prefer one over the other. Worse, consider return: return :: a -> (b, a) return = ??? This would require undefined to work in general. The constant functor is a functor, but not an applicative functor. A hypothetical applicative instance would have the following type signature: (<*>) :: Constant a (b -> c) -> Constant a b -> Constant b c (<*>) (Constant x) (Constant y) = ??? This would be immoral; similar problems arise for pure as above with return and tuples.
http://blog.vmchale.com/article/monad-examples
CC-MAIN-2021-17
refinedweb
351
60.45
Apple has announced the end of its free bumper scheme, confirming that by the end of this month it will no longer be giving out free cases. From 30 September, anyone that's purchased an iPhone 4 will no longer be able to get a free rubber protective case - possibly hinting that the new batch of iPhone 4's will have been modified to reduce the problem. Apple is stating that "we now know that the iPhone 4 antenna attenuation issue is even smaller than we originally thought" as the reason for shutting down the scheme, but wants to carry on with the offer to make sure everyone is covered. Refunds at the ready The refund policy that was brought in to appease customers, allowing users to return (undamaged) iPhone 4s to Apple stores for a full refund with no restocking fee up to 30 days after purchase, will also be ended. It's interesting to note Apple is calling it the Bumper scheme, as at the time Jobs said: "we're going to send you a free case. We can't make enough bumpers. No way we can make enough in the quarter. So we're going to source some cases and give you a choice." So get cracking if you bought an iPhone 4 and want to see it covered in rubbery goodness for free - otherwise you'll have to wait until the Bumpers are back in stock to buy one.
http://www.techradar.com/us/news/phone-and-communications/mobile-phones/apple-to-shut-down-free-bumpers-on-30-sept-716026
CC-MAIN-2015-27
refinedweb
243
70.26
curl_mime_filename - set a mime part remote file name NAME curl_mime_filename - set a mime part's remote file name SYNOPSIS #include <curl/curl.h> CURLcode curl_mime_filename(curl_mimepart * part , const char * filename ); DESCRIPTION curl_mime_filename sets a mime part's remote file name. When remote file name is set, content data is processed as a file, whatever is the part's content source. A part's remote file name is transmitted to the server in the associated Content-Disposition generated header. part is the part's handle to assign the remote file name to. filename points to the nul-terminated file name string; it may be set to NULL to remove a previously attached remote file name. The remote file name string is copied into the part, thus the associated storage may safely be released or reused after call. Setting a part's file name twice is valid: only the value set by the last call is retained. image data from memory */ curl_mime_data(part, imagebuf, imagebuf_len); /* set a file name to make it look like a file upload */ curl_mime_filename(part, "image.png"); /* set name */ curl_mime_name(part, "data"); SEE ALSO curl_mime_addpart, curl_mime_filedata, curl_mime_data This HTML page was made with roffit.
https://curl.haxx.se/libcurl/c/curl_mime_filename.html
CC-MAIN-2018-43
refinedweb
196
61.56
package package Java package What restrictions are placed on the location of a package statement within a source code file Java AWT Package Example Java AWT Package Example In this section you will learn about the AWT package of the Java. Many running examples are provided that will help you master AWT package. Example What is a package? related to package in java. is a package? hi, What is a package? thanks Hi, The Package is a mechanism for organizing the group of related files package in java package in java when i run a package it give a error exception in thread "main" java.lang.NoClassDefFoundError what i do Java Package Java Package  ... to use them in an easier way. In the same manner, Java package is a group... about Java packages click on this link http:/ java awt package tutorial Java AWT Package In Java, Abstract Window Toolkit(AWT) is a platform independent widget toolkit for windowing, graphics, and user-interface. As the Java..., the buttons work as Microsoft Windows buttons when we run a Java application package creation package creation program to create package having four different class in java add new package java add new package java How to add new package in Local Variable ,Package & import ; System.out.print(classVariable); } } Package & import Java classes can...Local Variable ,Package & import A local variable has a local scope.Such... but not within methods of any class. Whereas the local variable exits within java.util package - Java Beginners java.util package Design a Date class similar to the one provided in the java.util package.? Thanks in ADVANCE.... Hi Friend, Please visit the following link: Package categories in Java Package categories in Java Java supports two types of packages as shown below.... java.nio This package handles New I/O framework for Java The package keyword ; The package in java programming language is a keyword that is used to define a package that includes the java classes. Keywords are basically reserved words.... In java programming language while defining a package then the package statement Java zip package - Learn how to use java zip package. package you can handle the zip files effectively within your java program. You...Java zip package In this section we will learn about java.util.zip package... the zip and gzip files within java program. The zip format is very easy method Java package,Java Packages Java Package Introduction to Java Package A Java package is a mechanism for organizing a group... similar functionality. Java source files can include a package statement User defined package problem - Java Beginners , it has been given that default members can be accessed "within the same package non... it is giving an error on show()it means that statement "within the same package...User defined package problem Hello friend, i was trying to execute Write short note on Java package. Write short note on Java package. Write short note on Java package Which package is imported by default? package is imported by default? The java.lang package is imported by default even without a package declaration. In Java class has been imported in the following...Which package is imported by default? hi, Which package missing package-info.java file missing package-info.java file How to find and add the packages in Java if it's missing from the list Java Util Package - Utility Package of Java Java Util Package - Utility Package of Java Java Utility package is one of the most commonly used packages in the java program. The Utility Package of Java consist regarding java package - Java Beginners regarding java package can you provide tutorial for java.sql package please help Hi friend, I am sending you a link. This link will help you. Please visit for more information. Compiling package in command line Compiling package in command line Hi friends, i am totally new to java programming, i am basic learner in java. My query is, How to compile java package using command line. For Eg: When i compile following command, c:>set Introduction to java.sql package Introduction to java.sql package This package provides the APIs for accessing... database by using the java programming language. It includes a framework where we use of package concepts use of package concepts i m getting error when i use .* method to access all package files. when i use this through another method like... to learning java Java package Java package Introduction to Java Package Package is a mechanism for organizing a group... and category. An example of package is the JDK package of SUN Java as shown Create Subpackages (i.e. A Package inside another package) Create Subpackages (i.e. A Package inside another package) We can also put a package inside an another package. The packages that comes lower in the naming hierarchy Input and Output package (); } } For more information, visit the following link: Java IO package Package Access Specifier - Java Beginners Package Access Specifier Hello Friends, I have created a Pkg named BCA , iN this Package i declare two classes name : - Test Class... as possible:- package BCA; class Test { int a,b,c; protected void Want to Package Applocation - Java Beginners Want to Package Applocation Dear Rose, Thanks alot for ur Answers to my questions. I have a FInished application that i want to deploy, the application is in Standard Edition Application but i dont want the user Java AWT Package Example which package imported by the java compiler by default? which package imported by the java compiler by default? which package imported by java by default Import My Own Package (Automatically) Import My Own Package (Automatically) How can I import my own package in every java program ( automatically )....? For example :- java.lang.String... automatically imported, we need not to import Java Get classes In Package Java Get classes In Package  ... the classes from the package by providing the path of the jar file and the package.... Following code adds all the classes of the package getting from the jar Java util package Examples The java.text package The java.text package This Section describes :- Use of standard J2SE APIs in the java.text package to correctly format or parse dates, numbers... = Locale.getDefault(); The Java 2 platform provides a number of classes Create Your Own Package -qualified class name is the name of the java class that includes its package name... Create Your Own Package The package to which the source file belongs is specified Master java in a week ; Class Declaration: Class is the building block in Java, each and every methods & variable exists within the class or object...; The main method is the entry point in the Java program and java program can't run Master Java In A Week Master Java In A Week Master Java Programming Language in a week... in Java, each and every methods & variable exists within the class or object... categories in Java Create Your Own Package Java nio package - Learn how to use java nio package. Java nio package. In this section we will learn about the java.nio package... input output) package was introduced in Java 1.4 which is broadly ... package and how it is implemented in java programming Java Zip Package Java Zip Package In Java, the java.util.zip package provides classes for reading... to include classes for manipulating ZIP files as part of the standard Java APIs import user-define package - Applet import user-define package how to import user-define package to the frame/graphic of the applet. could i create a new frame or not ?? please help...:// core java collection package - Java Interview Questions core java collection package why collection package doesnot handle..., Java includes wrapper classes which convert the primitive data types into real Java Objects. There is no class in Java called int but there is a class called Creating your own package in java The package to which the source file belongs is specified with the keyword package at the top left of the source file, before the code that defines the real classes in the package. To know more about how to create own package user-define package for applet - Java Beginners user-define package for applet how to import a user-define package to applet ?? Hi import javax.swing.*; import java.awt.Graphics...:// How to import a package How to import a package  ... in package. Declaring the fully-qualified class name. For example...; Lets see an example importing the created package into the another program file find a substring by using I/O package find a substring by using I/O package Write a java program to find a sub string from given string by using I/O package how to import user-define package to applet - Applet how to import user-define package to applet how to import user-define package to applet... can u write a java coding can execute in jdk only...()); } } -------------------------------------------------- Read for more.applet package examples about the Java Applets to be embedded within the HTML pages. There are several... java.applet package examples - Applet Tutorials... are giving tutorials on Applet. Applet is used in Java to write program Package in Action Script 3 must define your ActionScript custom components within a package. we have create a simple class name hello.as within hello package name. The package... the src directory after that we will create hello.as class within this package Java program to get class name without package Java program to get class name without package ... example which describes you that how you can get the class name without package. For this purpose we have to fetch first the full class name with package Java Package Formatter Java Package Formatter When you want to format multiple Java source in Eclipse... allows you to select one or more packages in the Java Package Explorer What is difference among Project explorer, Package explorer and Navigator in Eclipse? by the specific configuration of your Workbench. 2)Package Explorer - Provided by the Java Development Tools (JDT) UI project, this provides a view of Java classes...What is difference among Project explorer, Package explorer and Navigator Package in Applet Package in Applet How do I use this technique for applets Package in Servlet Package in Servlet How Create Package in Servlet ? package packagename ; import java.io.*; import javax.servlet.*; import..."); PrintWriter out = response.getWriter(); out.println("Hello,Package Example Java.io package Java.io package List the names of various classes supported by Java.io package to handle character stream. Reader and Writer classes and their subclasses Default Package Working With File,Java Input,Java Input Output,Java Inputstream,Java io Tutorial,Java io package,Java io example files using the File class. This class is available in the java.lang package...:\nisha>java CreateFile1 New file "myfile.txt" has been created... CreateFile1.java C:\nisha>java CreateFile1 The specified file Class and interface in same file and accessing the class from a main class in different package pattern videos on YouTube, however I have a small doubt on some basic Java concept... is the code Animal.java package com.classification.pojo; public class Animal...) { flyingType = newFlyType; } } Dog.java package com.classification.pojo package javax.ws.rs does not exist package javax.ws.rs does not exist Hi, Which jar file should I add to remove "package javax.ws.rs does not exist" error? Thanks AppletContext ; AppletContext is an interface that is defined in the java.applet package... through its methods. Applet runs within a context that is usually provided by a web...:/   Joomla Starter Package Joomla Starter Package This is a basic package in which we offer all the necessary features that needs a basic package. This package can be managed... effortlessly whenever they want. This is an ideal package in small budget. We specified in the Optional Package specified in the Optional Package What types of DataSource objects are specified in the Optional Package Internet and Web related questions for Web Master. Internet and Web related questions for Web Master. Explain the difference between the Internet and Web. What are Web browsers? Explain the two main... is Java? What are the applications of Java that you can use for Web designing Joomla Standard Package Joomla Standard Package In this package we offer a complete standard package that can be customize or upgraded later as per the requirement of the clients. The client itself can modify and manage Joomla Custom Templates Package Joomla Custom Templates Package In this Joomla package, we offer eye-catching and unique Joomla Templates designed and developed according.... This package is suitable for your company's business requirement JFree chart package error JFree chart package error hi, I had asked u abt the jfree chart package and done what u have said. Its working but its giving me error that some... are not there in the package which is being downloaded? i have downloaded Change Background of Master Slide Using Java Change Background of Master Slide Using Java  ... to create a slide then change background of the master slide. In this example we are creating a slide master for the slide show. To create slide show we package javax.validation does not exist package javax.validation does not exist In my maven application I got following error while compiling the code: package javax.validation does not exist How to resolve the error? Thanks Hi, You should include in javax.swing package setBounds in javax.swing package setBounds Hello some body has given the solution to my setBounds problem .But i didnot mean to tell how it is used in the program,but what do u mean of values refer to in SetBounds().For ex charAt() method in java charAt() method in java In this section you will get detail about charAt() in java. This method comes in java.lang.String package. charAt() return the character at the given index within the string, index starting from 0 package org.springframework.scheduling.quartz does not exist package org.springframework.scheduling.quartz does not exist Hi, I am using Spring 4.1.1 in my web application and its giving following error: error: package org.springframework.scheduling.quartz does not exist What Importing Your Own Package Discuss the Number Class in the java.lang package Discuss the Number Class in the java.lang package Discuss the Number Class in the java.lang package
http://www.roseindia.net/tutorialhelp/comment/98606
CC-MAIN-2014-52
refinedweb
2,403
57.37
| Join Last post 04-30-2007 5:51 AM by tim_mackey. 3 replies. Sort Posts: Oldest to newest Newest to oldest hi, i've got a basic Web Application Project set up in Beta 1. it looks like they did a great job on getting the original VS2003 web project model properly implemented. i'm very impressed with the stability so far. however i'm having trouble with namespaces. i can't find any information on the structure of Web App projects in orcas, specifically in relation to namespaces and referring to classes. the "What's new in orcas" information in the local help files contains a broken (or uninstalled) link to "more info on web app projects". are we supposed to use the App_Code folder? i suspect not because by default namespaces are used everywhere by default. i couldn't refer to classes in either the App_Code or AppCode folders (i tried renaming) from aspx code behind, both the aspx page and the class itself share the same namespace. i also tried using no namespaces. and... i tried adding an aspx @ reference to the output assembly of the project itself within the aspx page, all to no avail. it's the usual compile error, it doesn't know about the class and suggests i am missing an assembly reference.any ideas?many thanks in advance. Tim. Tim, Working in a WAP project should be very similar to working with a C# or VB winforms app or class library. In C#, everything in the root of your web site will be in the root namespace. If you create project "WAP1", that will be your root (default) namespace. To change it, just as in C# project, you would go to project properties (right-click your web site node, choose "Properties", and on the very first property tab - "Application" - you will see "Default namespace". If you create a class in a subfolder, (e.g., NewFolder1), that will become a part of the namespace for classes in that project (so that total namespace in this example would be WAP1.NewFolder1). You can reference classes from *any* folder in your code beside of an ASPX page - simply use the appropriate namepsace/classname. So if you have Default.aspx.cs in your root, you could refer to Class1 in your NewFolder1 as WAP1.NewFolder1.Class1. That should come up in intellisense. Since in WAP all of your pages and classes are in the same assembly, you can reference classes much more freely than you could in web sites. However, App_Code specifically should not be used in WAP projects. It was created for the default Whidbey web site model. In Whidbey web sites, App_Code was compiled to a separate assembly, and all pages got reference to that assembly. You could share the code that way between multiple pages. With WAP, you can share code from any folder, so you don't need App_Code anymore. As a matter of fact, with WAP project, special properties of App_Code folder create problems, so that folder should be avoided. For more details, please see In general, ScottGu has excellent tutorials at. Also, you probably should be aware that Web Application Projects (aka, WAPs), are included in SP1 for Visual Studio 2005 - so you can use them with Whidbey. There is also a forum with tons of knowledge on WAP -. About 90% of the info should be applicable to Orcas WAPs. I hope that helps. Thanks,Alex hi alex, thanks for the detailed reply. i consider myself a bit of a veteran when it comes to WAP, having used this project model daily since it was released in beta for whidbey. i believe there may be a problem with the Orcas implementation. however i have been unable to reproduce the problem. i have uploaded a zip of the Orcas solution just in case you would have the time to follow it up. i'll be the first to admit it could be a simple mistake on my part, but i have checked all the namespaces very thoroughly. here is a download link to the zip also, here are the approximate steps i took while creating this project: very strange no? i appreciate any tips you might have to explain it. if i start from scratch again i have no difficulty in using classes from the project so i can't understand why, my guess is that the project file may have got corrupted from switching the framework version.tim. hi, just fyi i found out the problem. the compile action for all the class files in "App_Code" was set to "content", whereas under the WAP project model they should be set to "compile". this only happened because i originally had put the class file into the "App_Code" folder, even though i subsequently renamed it to "AppCode". works fine now. thanks tim Advertise | Ads by BanManPro | Running IIS7 Trademarks | Privacy Statement © 2009 Microsoft Corporation.
http://forums.asp.net/t/1103898.aspx
crawl-002
refinedweb
822
72.26
Hi! I'm doing exercises with pointer; in order to create a random sentence generator I programmed an array of pointer to pointer .... to char. But when i try to print the string randomly, several parts of them are truncated. i don't see why Here is the code Code:#include <stdio.h> #include <stdlib.h> #include <time.h> #define DIM 5 #define WI_DIM 4 #define WS_DIM 6 int main(void) { unsigned char lil_cntr; /* a little counter */ char *article[DIM] = {"the", "a", "one", "some", "any"}; char *noun[DIM] = {"boy", "girl", "dog", "town", "car"}; char *verb[DIM] = {"drove", "jumped", "ran", "walked", "skipped"}; char *preposition[DIM] = {"to", "from", "over", "under", "on"}; char ** words_index[WI_DIM] = {article, noun, verb, preposition}; /* to have a sentence we use in sequence article, noun, verb, preposition, article and noun: under here you find that sequence in terms of words_index indexes */ int word_sequence[WS_DIM] = {0,1,2,3,0,1}; /* sentence composition */ for (lil_cntr=0; lil_cntr <WS_DIM ; ++lil_cntr){ printf("%s ", (*words_index[ word_sequence[lil_cntr] ]) + (dice(DIM) -1) ); } printf("\n"); return 0; } int dice(int faces ) { static i = 1; if(i){ srand(time(NULL)); i--; } return (1 + rand() % faces); } E.g. Code:luca@eee:~$ ./a.out e boy ve rom the girl luca@eee:~$ ./a.out a girl rove o e boy luca@eee:~$ ./a.out a girl ove to the boy luca@eee:~$ ./a.out a ve from y luca@eee:~$ ./a.out boy ve boy ???
https://cboard.cprogramming.com/c-programming/109763-pointer-troubles.html
CC-MAIN-2017-13
refinedweb
236
61.77
Grasshopper data trees and Python This guide describes how to use data trees in Python. Data trees, technically The data tree data structure is a complex data structure that is best kept in Grasshopper realms. It is a .Net class that is part of the Grasshopper SDK and, as such, all its members can be found on the DataTree class Grasshopper SDK documentation site. On the implementation side, in Python it can be thought as an object with behavior similar to a dict - really, System.Collections.Generic.SortedList - of GH_Paths, or Grasshopper.Kernel.Data.GH_Path. For each one of the paths-keys inside, there is an associated .Net list-value, that is a branch. Items are stored in each list. There is no null-path, but paths can be sparse. Items cannot be sparse, but there can be null-items. Other data structures would also be able to accommodate similar data. In Python, a similar object with better language support would be a list of lists. nested_list = [[0, 1], [2, 3]] However, a list of lists cannot always represent the merging of two datatrees with different dimensional depth in data (example: a datatree with an item at {0;1}[0] and an item at {0}[1]). If the data tree is constructed by normal and integral Grasshopper logic, it will have constant dimensional depth, and therefore this problem can be avoided. Alternatively, the data tree with inferior dimension can be ‘grafted’ to a branch of an upper dimension, and also this way the problem is avoided. Coding against the DataTree class This example shows how to iterate through any data tree and explain the content of it. a = [] for i in range(x.BranchCount): branchList = x.Branch(i) branchPath = x.Path(i) for j in range(branchList.Count): s = str(branchPath) + "[" + str(j) + "] " s += type(branchList[j]).__name__ + ": " s += str(branchList[j]) a.append(s) On the opposite side, this example shows how to create a data tree from scratch: import ghpythonlib.treehelpers as th import Rhino layerTree = [list() for _ in layernames] for i in range(len(layernames)): objs = Rhino.RhinoDoc.ActiveDoc.Objects.FindByLayer(layernames[i]) if objs: geoms = [obj.Geometry for obj in objs] layerTree[i].extend(geoms) layerTree = th.list_to_tree(layerTree, source=[0,0]) a = layerTree A simpler way, coding against lists of lists As mentioned under the first heading, when possible, it is easier to code against nested lists (lists of lists) in Python, to leverage this more ubiquitous programing paradigm. The ghpythonlib.treehelpers module contains functions that transform trees to nested lists, and vice versa. The first two examples can be translated to import ghpythonlib.treehelpers as th x = th.tree_to_list(x) a = [] for i,branch in enumerate(x): for j,item in enumerate(branch): s = str(i) + "[" + str(j) + "] " s += type(item).__name__ + ": " s += str(item) a.append(s) import ghpythonlib.treehelpers as th import Rhino layerTree = [] for i in range(len(layernames)): objs = Rhino.RhinoDoc.ActiveDoc.Objects.FindByLayer(layernames[i]) if objs: geoms = [obj.Geometry for obj in objs] layerTree.append(geoms) layerTree = th.list_to_tree(layerTree, source=[0,0]) a = layerTree
http://developer.rhino3d.com/guides/rhinopython/grasshopper-datatrees-and-python/
CC-MAIN-2017-51
refinedweb
518
51.85
Javascript Notes Just notes from various books/websites on JavaScript. Have tried to reference as thoroughly as possible. Page Contents References Useful Resources - - - - Testing To test with IE, Microsoft offers virtual machines with different versions of IE installed. The downloads seem to be about 1GB in size so be patient! Firefox can have multiple versions on the same machine. Loops for ... of Ref: Loops and Iteration. Iterate over iterable objects: my_array = ["This", "is", "a", "test"]; for (let [idx, array_entry] of my_array.entries()) { // entries() returns an Array Iterator console.log(`${idx} -> ${array_entry}`); } // Outputs: // 0 -> This // 1 -> is // 2 -> a // 3 -> test Scope In JavaScript Scope is the context in which code is executed, and there were three types, now 4, in JavaScript. - global scope, - local scope (aka "function scope"), - eval scope, - block scope (>=ES6) - use letor const. If you come from a C-ish background you may notice a pretty big ommission in the above list... there is no block scope! JavaScript does not have block scope (pre ECMAScript 2015). Any variables declared in a block, i.e, { ... var xxx; ...} are local to the function in which they are declared or, worse, the global scope. Note, however, that recently (at the time of writing) the ECMAScript 2015 has added something called the let statement to declare block scope local variables. May not be well supported for some time. One thing that really got me was the use of var, or more precisely, what happens when you do not use var to declare local variables. If you do not declare a variable using var in a function it actually gets created in the global scope! One to watch out for. Variables declared in a function that do NOT use var in the declaration are created in the global scope and not the function/local scope as you might expect. To resolve a symbol, JavaScript goes down the scope chain: first look up symbol in the function/local scope, then in the parent scope, the grandparent scope, and so on, until the global scope is reached. The first symbol found is used. This is why closures work... Every scope has a this object associated with it. In the global scope, this will most likely be the web browser window. In the function scope it will reference the object it is attached to (unless specifically modified - see later). The value of this is determined entirely at run time which is very different from languages like C++. Every scope has a this reference associated with it. It is determined at run time. For, example, if you define a function in your web browser's console so that it prints the contents of the this reference, you will see it pointing to the global scope object, which for the browser is the Window object: function jehtech() { console.log(this); } jehtech() // Outputs: // > Window {top: Window, location: Location, document: document, window: Window, ...} If you do the same for a vanilla object you get the following: jt = { objMethod : jehtech } jt.objMethod() // Outputs: // > Object {} // >> objMethod: function jehtech() // >> __proto__: Object So... you can see that when the same function is called in different contexts, it's this reference "points" to different objects: The value of this is based on the context in which the function is called and is determined at run time. Closures In JavaScript Closures work due to the scope chain that was described above. From parent function return a reference to the child function contained within it. When this child function (nested function) is invoked, it still has access to the parent function's scope because of the scope chain. See Richard Cornford's article [3] for further info. Arrays - new_array = array1.concat(array2, ..., arrayN) new_array is the concatenation of array1 with all the other arrays in the concat() argument list. - array.indexOf(x), array.lastIndexOf(x) Returns index of first/last instance of x in array or -1 if x is not in the array. - string = array.join() Concatenates all elements of array into a string - new_length = array.push(x1, x2, ..., xN) Pushes elements, in order, onto end of array. - item = array.pop() Removes element off end of array. - array.reverse() Reverses array elements in place. - sub_array = array.slice(start, end) Takes slice [start, end). Note that range does not include end index. Returns slice as new array, original not effected. - array.splice(start, deleteCount [,i1, i2... iN]) Removes items from array and potentially also adds new. - item = array.shift() Like pop() but removes from start of array. - array.unshift(x) Like push() but puts at start of array. Objects In JavaScript I wanted to play with the HTML5 canvas to produce the little resitor calculator on the electronics page. To do this I decided to learn a little bit about JavaScript classes... These notes are basically just notes made on the books referenced above and applied to creating some objects to draw boxes etc on a canvas. How Objects Are Stored (vs. Primatives) Primatives (things like ints, floats etc) are stored directly in the variable. Everything else is stored as a reference type which is just a pointer to a memory location. This means that primatives are deep copies. Modifying a copy of a primative will not affect the original primative: var origVar = 999; var copyVar = origVar; copyVar = 123; console.log(copyVar); // prints 123 console.log(origVar); // prints 999 - the original // has NOT been modified! Objects are not primatives. They are stored as references. This means that when a variable that points to an object is copied, all that is really copied is the reference to that object. Thus if the copied variable is modified, the original is modified because both variables refer to the same object: var o1 = new Object(); var o2 = o1 o1.newAttr = "J" //< Note: can add property at any time console.log(o1.newAttr); // o1.newAttr == "J" console.log(o2.newAttr): // o2.newAttr == o1.newAttr == "J" One thing to note in the above is the automatic way to add a property to an object. By assigning to a property that doesn't exist, the property is created for the object instance (note: not class, only this specific object instance). The following are the main built-in objects (i.e., objects that are automatically available to you). - Array - Data - Object - Error - Function - RegExp Declaring Objects Javascript objects are just dictionaries that map keys to values. A property is the key name that maps to its value. New Operator Use the new operator: var o1 = new Object(); o1.prop1 = "something"; o1.prop2 = 101; Object Literals Using object literals we can create the exact equivalent of the above: var o1 = { prop1: "something", prop2 : 101 } Note how we don't need quotes around the object properties. This looks a little bit like a dictionary in some scripting languages like python, and in fact we can use an object in that manner most of the time. Object.create()Allows the prototype object for the object being create to be specified: var LiteralClassDef = { myFunc: function() { console.log(this); } } var blah = Object.create(LiteralClassDef); blah.myFunc(); Declaring Arrays Can declare using the new operator (var a1 = Array(1,2)) or using array literals (var a1 = [1, 2] - identical to the previous instantiation using new). Declaring Functions And Function Expressions Declarations A function declaration is a lot like a function declaration in any language and will look familiar: my_new_func(123); function my_new_func(param) { // Do something } You might notice in the above example that the function is actually called before it is declared. This would be unexpected if you were thinking in C terms, where a function must be declared before it can be used. So what's happening? The reason the above works is that declared functions are hoisted to the top of the enclosing scope. This is why, in the example the function could be called before it was declared. Function declarations are hoisted to the top of the enclosing scope. Expressions In JavaScript functions are first class objects and can be created as such. The most common syntax for this is: my_new_func(123); //< This is an error! var my_new_func = function(param) { // Do something }; my_new_func(123); // This is OK. Note the trailing semi-colon after the function definition. It's important not to miss this. The function object is created from the function literal and a reference to it stored in the variable my_new_func. Note, however, that using the function before it is defined using an expression will result in an error. Why is this? It is because function expressions are not hoisted to the top of the current scope! Function expressions are NOT hoisted to the top of the enclosing scope. They can only be used after they are defined. Parameters Functions can have any number of parameters and can be called with fewer or more parameters than which they are defined! When called with fewer the latter parameters are automatically set to "undefined". For example: function dummy(a,b,c) { console.log(a); console.log(b); console.log(c); } dummy(123, "jeh-tech"); //Outputs: // 123 // jeh-tech // undefined Using this fact, default values for parameters can be created. For example, let's say we want to give the parameter c in the above example a value of "tech-jeh". We can re-write the function as follows: function dummy(a,b,c) { c = typeof options === 'undefined' ? "tech-jeh" : c; console.log(a); console.log(b); console.log(c); } dummy(123, "jeh-tech"); //Outputs: // 123 // jeh-tech // tech-jeh However, this can be written much more neatly as follows: function dummy(a,b,c) { c = c || "tech-jeh"; // Looks better! ... <snip> ... } Because functions are first class objects they have properties, which you can query from inside your function. One property bound to a function when it is called is the arguments object. function dummy(a,b,c) { console.log(dummy.length); // Expected #arguments console.log(dummy.arguments.length); // Actual #arguments console.log(dummy.arguments.callee); // Object reference this this function for(var idx=0; idx < dummy.arguments.length; ++idx) { console.log(dummy.arguments[idx]); // The nth function argument } } dummy("param1", "param2", "param3", "param4") //Ouputs: // 3 // 4 // function dummy(a, b, c) // param1 // param2 // param3 // param4 One use for arguments.callee I've seen is in the use of timer callback functions... setTimeout( function() { ... if (condition) setTimeout(arguments.callee, timeInMilliseconds); ... }); Other points to note include: - Functions can have arbitrary number of parmeters - function_name.length gives number of arguments function expects. I.e., number of arguments explicity listed in signature. Function can have more or less. - You can access arbirary arguments using function_name.arguments[] array. - Functions can't be overloaded as lack of a solid parameters list means lack of real signature. Object Methods: Properties That Reference Functions & Changing "this" Object methods are just properties that reference functions. When an object method is called it's this reference is set to "point" to the associated object, as we saw briefly in the section on scope. It is possible to change the object to which the this reference is bound when calling a function using the function method call() (remember functions are first class objects so have methods and properties associated with them). - func_name.call(this_value, arg1, ..., argN) Calls the function but binds this to this_value, overriding its default binding. - func_name.apply(this_value, [arg1, ..., argN]) Like call() except function parameters specified in array. Useful if you want to dynamically build the argument list. - func_name.bind(this_value, param1, ..., paramN) Creates a new function object using func_name as the template with the function#s this value bound to this_value, overriding the default. It optionally also binds some of the parameters. Cookies AJAX Server Sent Events Websockets REST GraphQL Rough Notes Javscript Internals and Promises/Async Functions REF -- JAVASCRIPT INTERTALS ==================== JavaScript hosted in an enironment. E.g. your browser, or nodejs. The host, has a Javascript engine that takes the code and executes it. E.g. of engines include Google V8, rhINO,and Spider Monkey to name just a few. All JS code must run inside something... this is the execution context. It is a "wrapper" or "container" of sorts, that stores variables and in which a piece of code is evaluated and runs. See. From SO - and Execution context is a concept in the language spec that, in layman's terms, roughly equates to the 'environment' a function executes in; that is, variable scope, function arguments, and the value of the this object. The context stack is a collection of execution contexts. Execution context is different and separate from the scope chain in that it is constructed at the time a function is invoked (whether directly – func(); – or as the result of a browser invocation, such as a timeout expiring). The execution context is composed of the activation object (the function's parameters and local variables), a reference to the scope chain, and the value of this. The call stack can be thought of as an array of execution contexts. At the bottom of the stack is the global execution context. Each time a function is called, its parameters and this value are stored in a new 'object' on the stack. From the Spec, with some -: An execution context is a specification device that is used to track the runtime evaluation of code by an ECMAScript implementation. At any point in time, there is at most one execution context per agent that is actually executing code. This is known as the agent's running execution context. All references to the running execution context in this specification denote the running execution context of the surrounding agent. The execution context stack is used to track execution contexts. The running execution context is always the top element of this stack. implementation specific state is necessary to track the execution progress of its associated code. Each execution context has at least these state components: 1. Code evaluation state All state needed to perform, suspend, and resume evaluation of the code associated with this execution context 2. Function. If this execution context is evaluating the code of a function object, then the value of this component is that function object. If the context is evaluating the code of a Script or Module, the value is null. 3. Realm The Realm Record from which associated code accesses ECMAScript resources. 4. Script or Module The Module Record or Script Record from which associated code originates. If there is no originating script or module, as is the case for the original execution context created in InitializeHostDefinedRealm, the value is null. Execution contexts for ECMAScript code have these additional state components: 5. Lexical Environment Identifies the Lexical Environment used to resolve identifier references made by code within this execution context. 6. Variable Environment Identifies the Lexical Environment whose EnvironmentRecord holds bindings created by VariableStatements within this execution context. The DEFAULT EXECUTION CONTEXT is the GLOBAL EXECUTION CONTEXT - Code not inside any function - Associated with the global object (e.g., Window if running in a browser) Also, callbacks from from things like timeouts execute in the GLOBAL execution context. In the browser console type... > var b = 39393939393; < undefined > > b < 39393939393 > # Now we can see that code in the global execution context belongs to the global object, which > # for a browser, is the window object. > window.b < 3939393939 Same with functions, for example... > function JEH() { var a; } < undefined > JEH < f JEH() { var a; } > window.JEH < f JEH() { var a; } EXECUTION CONTEXT OBJECT: 2 phases: creation and then execution. | +---- Variable Object | Code is scanned at load time for function declarations. For each function an entry into the VO is made that records | things like the arguments passed into the function. Also done for variables, which are added as properties to the | VO and initially set to undefined. This is refered to as HOISTING - they are available before the execution phase | starts, which is why we can write: | my_func(); | ... | function my_function() { ... } | | Note, how this wouldn't work if we used a function variable, because although the VARIABLE my_func is hoisted, | it is hoisted and undefined (until it is defined lol). | my_func(); # Can't call undefined | var my_func = function { ... }; | | | Another example of variable hoisting... | function b() { | console.log(bbb); // OK: bbb is defined in environment VO, with a value of undefined | var bbb = 10; | } | b(); // Outputs "undefined" | | function c() { | console.log(ccc); // ERROR: ccc is not defined (not in environment VO) | ccc = 10; | } | c(); // Raises a ReferenceError exception! | +---- Scope Chain | Scoping determines where, in terms location in the code, a variable is accessed. A variable scoped locally to a function | can be accessed within that function, but not in the scope outside that function for example. However, a function A closed | by another function B, can access variables in B's scope. Or a normal function can access variables from the global scope. | | JS is lexically scoped which means that scope is determined by somethings position in the code. | +---- "This" variable. Set in the creation phase. What "this" refers to depends on the context. In the global context it refers to the global object (window for browsers). In a regular function context it also refers to the global object. For a method call this points to the object that is calling the method. NOTE: This is not assigned a value until a function where it is defined is actually called, Thus, "this" is NOT lexically scoped! E.g.: function test1() { console.log(this); } test1(); // Outputs Test1 == [object Window] var test2 = { my_method: function() { console.log("Test2 == " + this); function test3() { console.log("Test3 == " + this); } test3(); }, }; test2.my_method(); // Outputs Test2 == [object Object] // Test3 == [object Window] << NOTE: MAY SURPRISE YOU! EXECUTION STACK = order in which functions are called SCOPE CHAIN = order in which functions are written in the code - i.e. their lexical relationship to one another. Thus the execution stack does NOT define where variables can be accessed... it is the scope chain that does this! The execution context will store the scope chain, but do not effect the scope chain. PROMISES ======== Callback hell ------------- function get_pr_requests(account_details) { ask_server_for_pr_reqs( server_address, account_details, (status, pr_list) => { if (status == OK) { pr_list.map( pr_item => { ask_server_for_pr_details( server_address, account_details, (status, pr_deets) => { ask_server_for_files( ..., (status, file_list) => { file_list.map( file => { ask_server_for_file( ... (status, file) => { .... and so one ... nesting deeper and deeper! } ) }) } ) } ) }) } } ); } This continual nesting of functions makes it very hard to read and understand this code. This triangular shape of continuall nested callbacks is what is refered to as callback hell. Without the ES6 arrow function it would look even worse as the binding of the "this" keyword would also need to be managed! Promises to the rescue (>=ES6) ------------------------------- Promise: - Object that keeps track about whether a certain event has happened already. - Determines what happens after the event has happened - Implements the concept of a future value that we are expecting Promise states: PROMISE PRODUCED | | v PENDING ---event---> SETTLES/RESOLVED ---succcess---> FULFILLED | +------------failure----> REJECTED JS: const my_promise = new Promise( executor ); ^^^^^^^^ This is a function that is called as soon as the promise is created and usually executes something ASYNCHRONOUS like a Fetch. The executor function takes two arguments: 1. A CALLBACK function for when the executor wants to inform the promise that the event it was handling was succcessfull. I.e., it wants to RESOLVE the promise. It takes one argument, which is the result that the promise should return (the future value that was expected). 2. A CALLBACK function for when the executor wants to inform the promise that the event it has handling failred. It wants to REJECT the promise. EG: // // CREATE a promise // const get_pr_requests = new Promise((resolve, reject) => { ask_server_for_pr_reqs( //< This is the async function our executor will run server_address, account_details, (status, pr_list) => { //< This is the function "ask_server_for_pr_reqs" calls back // when it has finished doing its work. if (status == OK) { resolve(pr_list); } //< We then call the Promise resolve() or else { reject(status); } // reject() depending on whether // "ask_server_for_pr_reqs" succeeded. } ) }); // // Create another promise, this time as a function that returns a promise. // const get_pr_deets = pr_id => { return new Promise( (resolve, reject) => { ask_server_for_pr_details( ..., (status, pr_deets) => { if (status == OK) { resolve(pr_deets); } else { reject(status); } } }); }; // // CONSUME a promise by using then() and catch() methods. // then() is the callback to execute when the promise is RESOLVED // catch() is the callback to execute when the promise is REJECTED // get_pr_requests.then( pr_list => { // pr_list is what get_pr_requests passed to resolve() // The promise was RESOLVED - it completed successfully. return get_pr_deets(pr_list[0]); // Return a NEW PROMISE allows us to **CHAIN** promises // (rather than using the previous pattern of continually // nesting callbacks, which is what lead to callback hell) }).then( (pr_deets) => { // Handle the promise returned by the previous next() - this is CHAINING! }).catch( error => { // The promise was REJECTED console.log(error); }); ASYN / AWAIT (>= ES8) ====================== Makes it easier to _consume_ promises. The promise creation still remains the same... async function func_name(...) { ... } // New type of JS function that is asynchonrous // so will keep running in the background on another thread // the result of which will be popped back into the event // Q when its ready. An async function keeps running the the background, and importantly only in async functions can await's be used. Importantly, like the previous promise consumption, the call to the asyn function does not block... instead it just chuggs away in the background. // The function will keep executing in the background. An await will block until the promise // is fulfilled. async function load_pr_stuff() { try { const pr_reqs = await get_pr_requests; // CONSUME promise using await. // ^^^^ // instead of .next() // ^^^^ // pr_reqs gets the RESULT of the promise. const pr_deets = await get_pr_deets(pr_reqs[0]); // Like the chained .next() above. } catch (error) { // Any REJECT is caught as an error. console.log(error); // Handle the error somehow } } This turns a ton of callbacks or chained promisises into something like looks a lot more proceedural and is therefore a lot easier to grok! NICE NICE NICE! An async function returns a promise. So if, inside the async you return something of interest, you can get at it using the .next() method: load_pr_stuff().next(...) Basically async functions let us go from X.then( a => { return someFuncA(a); // Return new promise } ).then ( b => { return someFuncB(b); // Return new promise } ) ... .then ( z => { return someFuncZ(z); // Return new promise } ) To: async function A() { const a = await X() ... const b = await someFuncA(a); ... const c = await someFuncB(b); ... const z = await someFuncY(y); return z; } Which is a little neater and allows our reasoning to be more "linear" and flow, rather than having to think about the "house keeping" of callbacks. AJAX WITH PROMISES AND AWAIT ============================ Can use XMLHTTPRequest interface. There is a newer version of this called FETCH. XMLHttpRequest has better browser support because it is older, but FETCH is more modern. fetch(URL) // Returns a promise... yay! If you see error containing "No-Access-Control-Allow-Origin" it is talking about a JS policy that prevents a page making AJAX requests to a domain different to its own domain. Cross-Origin Resource Sharing (CORS). See. ". " Can use a proxy to get around this - e.g., crossorigin.me - it is a CORS proxy that you can use for free To use prefix the URL of the API end-point you are using with "". Eg, to use the metaweather free API, which does not implement CORS use: fetch("<num>").next(...)...; So, to continue with FETCH: Javscript Objects, Prototical Inheritance etc OBJECTS: -------- Test For Object Properties property_name in object_name Does not evaluate the property just says if present Checks for bowth own and prototype properties obj.hasOwnProperty() to check for specifically own properties Remove property delete obj.property_name NOTE: This only works on own properties Enumerate properties: for(property in object) {...} or var props = Object.keys(object); for(var i=0; i < props.length; ++i) { ... } The for-in loop also enumerates prototype properties, while Object.keys() returns only own (instance) properties Constructor: A constructor is simply a function that is used with new to create an object. Constructors allow you to initialize an instance of a type in a consistent way, performing all of the property setup that is necessary before the object can be used. Make sure to always call constructors with new; otherwise, you risk changing the global object instead of the newly created object. Function name with capital is convention to represent object Eg var cat = { name: "kitty", speak: function() { console.log(this.name + " says meow"); } } Translates into function Cat(name) { this.name = name; this.speak = function() { console.log(this.name + " says meow"); }; } Prototype: A recipe for a object. The shared nature of prototypes makes them ideal for defining methods once for all objects of a given type. It’s much more efficient to put the methods on the prototype and then use this to access the current instance. function Person(name) { this.name = name; } Person.prototype.sayName = function() { console.log(this.name); }; Or on mass Person.prototype = { constructor: NAME, // Using the object literal notation to overwrite the prototype changed the constructor property so that it now points to Object u instead of Person. This happened because the constructor property exists on the prototype, not on the object instance. When a function is created, its prototype property is created with a constructor property equal to the function. sayName: function() { ... }, ... } Checking for properties in the prototype... function hasPrototypeProperty(object, name) { return name in object && !object.hasOwnProperty(name); } Each instance has pointer back to prototype through internal property [[Prototype]] You can read the value of the [[Prototype]] property by using the Object.getPrototypeOf() method on an object: var prototype = Object.getPrototypeOf(object); You can also test to see if one object is a prototype for another by using the isPrototypeOf() var object = {}; console.log(Object.prototype.isPrototypeOf(object)); You can also store other types of data on the prototype, but be careful when using reference values. Because these values are shared across instances, you might not expect one instance to be able to change values that another instance will access. Inheritance - Prototype Chaining: Prototype is also an object, it has its own prototype and inherits properties from that. This is the prototype chain: An object inherits from its prototype, while that prototype in turn inherits from its prototype, and so on. Methods inherited from Object: valueOf() - lets you do +/-/<gt; etc operations by returning value toString() - Called if valueOf() returns reference instead of primative. Also when JS expects string. propertyIsEnumerable() hasOwnProperty() ifPrototypeOf() Object.prototype - DONT CHANGE: All objects inherit from Object.prototype by default, so changes to Object.prototype affect all objects. Simple Inheritance Explicitly specify [[Prototype]] with the Object.create(obj-for-proto, [prop-descr]) method: var book = { title: "The Principles of Object-Oriented JavaScript" }; // is the same as var book = Object.create(Object.prototype, { title: { configurable: true, enumerable: true, value: "The Principles of Object-Oriented JavaScript", writable: true } }); Or do MyObject.prototype = new OtherObject(); MyObject.prototype.constructor = MyObject; Or MyObject.prototype = Object.create(OtherObject.prototype, { constructor: { value: MyObject; }}); Always make sure that you overwrite the prototype before adding properties to it, or you will lose the added methods when the overwrite happens. Calling SuperClass Constructor: function Rectangle(length, width) { this.length = length; this.width = width; } Rectangle.prototype.getArea = function() { return this.length * this.width; }; Rectangle.prototype.toString = function() { return "[Rectangle " + this.length + "x" + this.width + "]"; }; // inherits from Rectangle function Square(size) { Rectangle.call(this, size, size); // optional: add new properties or override existing ones here } Square.prototype = Object.create(Rectangle.prototype, { constructor: { configurable: true, enumerable: true, value: Square, writable: true } }); Call supertype method: // call the supertype method Square.prototype.toString = function() { var text = Rectangle.prototype.toString.call(this); return text.replace("Rectangle", "Square"); }; Module Pattern: The module pattern is an object-creation pattern designed to create singleton objects with private data. The basic approach is to use an immediately invoked function expression (IIFE) that returns an object. An IIFE is a function expression that is defined and then called immediately to produce a result. That function expression can contain any number of local variables that aren’t accessible from outside that function. Because the returned object is defined within that function, the object’s methods have access to the data. var yourObject = (function() { // private data variables return { // public methods and properties }; }()); Scope safe constructors: function Person(name) { if (this instanceof Person) { // called with "new" this.name = name; } else { // called without "new" return new Person(name); } } HTML 5 Canvas MDN Canvas Tutorials, which are rather good! TODO: Read the following... Realllllly cool use of Cavas: JavaScript NES Emulator and Spectrum emulator. RECTANGLES ---------- filling, stroking and clearing fillRect(x,y,w,h) - fills rect strokeRect(x,y,w,h) - draws outline. Uses current strokeStyle, lineWidth lineJoin and miterLimit setings. clearRect(x,y,w,h) fillStyle is the colour we'll fill with strokeStyle is the outline colour Current canvas state includes - Trsnformations - Clipping regtion - Attributes - globalAlpha - globalCompositeOperation - strokeStyle - textAlign - textBaseLine - lineCap, lineJoin, lineWidthm miterLmiit - fillStype - font - shardowBlur, shadowColor, shadowOffsetX, shadowOffsetY Not part of state - the current path/bitmap being manipulated. Save and restore canvas state using context.save() and context.restore() Paths ----- Use to create arbirary shapes: a list of points and lines to be drawn between them. Only one current path per context state. Current path is not saved when context.save() is called. Current path concept to transform ONLY the current path on the canvas. ctx.beginPath(), ctx.closePath() - start and stop a path. Current transformation effects only things drawn in the current path. ctx.moveTo(x,y) - move pen without drawing ctx.lineTo(x,y) - draw line from current pen position to new position ctx.stroke() - actually fillin the lines. ctx.lineWidth, lineJoin (miter, bebel, round), lineCap (butt, round, square) ctx.arc(x, y, radius, startAngle, endAngle, anticlockwise) ctx.bezierCurveTo(cp1x, cp1y, cp2x, cp2y, x, y) ctx.quadraticCurveTo(cpx, cpy, x, y) Clipping -------- Combining the save() and restore() functions with the Canvas clip region limits the drawing area for a path and its subpaths transforms ----------- apply to shapes and paths drawn after the setTransform() or other transformation function call We must move the point of origin to the center of our shape to rotate it around its own center ctx.setTransform(1,0,0,1,0,0); // Identity // then set point of origin ctx.translate // then rotate ctx.rotate Gradients -------- ctx.fillStyle = "black" ctx.fillStyle = "#rrggbb" ctx.fillStyle = rgba(r,b,g,alpha) ctx.fill() g = ctx.createLinearGradient(x1, y1, x2, y2); - draws gradient along line defined by (x1,y1) to (x2,y2) Next add color stops g.addColorStop(where, 'rgb(r,g,b)'); where is a number between 0 and 1 the second parameter is evaled by the function then set fillStyle ctx.fillStyle = g This can also be applied to the strokeStyle ctx.strokeStyle = g
https://jehtech.com/javascript.html
CC-MAIN-2021-25
refinedweb
5,087
57.87
Answered by: VS2012 Documentation Hello, I've just installed VS2012 and all available docs using HelpViewer 2 and noticed there are some docs missing. For example, web development docs are missing, also EF5 code first namespaces are missing, RIA services, and others. So, my question is: will Microsoft add those missing docs in the future? Also, on the Help->Order DVD menu on VS there is a link to download an ISO file containing the help docs but when you access that link there is no such a file, is that a mistake or there will be a link to that file in the future? Thank you very much. Juan Carlos GalvezThursday, September 06, 2012 12:55 PM Question Answers All replies Unfortunately the offline help doesn't have all the same content as the online help. I suggest you make a suggestion at Certainly many other people have made the same observation and have requested the Web section for Offline viewing. When I open "Help->Order DVD" I get a local file displaying (my install base path will be different than yours) C:\VS11\Common7\IDE\1033\VisualStudio2012HelpContentMedia.htm Rob Rob Chandler Help MVP Friday, September 07, 2012 8:35 AMModerator - Proposed as answer by Rob Chandler [Help MVP]Moderator Saturday, September 15, 2012 1:37 AM Thank you Rob for your answer, I will make that suggestion on connect. I also get a local file displaying, is that page where the link is, it saids: "Create an installation disk by downloading the ISO image from the download location. If you aren't familiar with this type of file, see Using ISO Image Files. " By clicking on "download location" it takes you to this address: and there is no link to an iso file containing the help contents (I can not see one). Juan CarlosFriday, September 07, 2012 4:20 PM Have already made 3 suggestions, one for all MSDN docs, one for web development docs and one for Entity framework docs, so please, if you are reading this and also would like to see all MSDN documentation available offline go to the following link and vote: If you would like to see just web development docs off-line please go to the following link and vote: If you would like to see all Entity Framework docs off-line please go to the following link and vote:, September 07, 2012 5:16 PM Hi Juan, I also saw this. Maybe Microsoft wants to add it in the future. I checked the ISO images to see if they contain a folder with the documentation but I didn't a folder with offline documentation (Or it is stored somewhere else as it was with VS 2010). So at the moment I do not have any workaround on this issue. (I checked the VS 2012 Premium ISO) With kind regards, KonradFriday, September 07, 2012 6:57 PMModerator Thanks Juan With regards to the ISO download you can send a connect bug report or email the help team via hlpfdbk@microsoft.com Rob Rob Chandler Help MVP, September 08, 2012 11:24 AMModerator - Hi Juan- Availability if the ISO will depend on the language, can you let me know what language you are looking for? - SamanthaTuesday, September 11, 2012 3:57 PM Hi Samantha, thanks for your answer, I´m looking for an ISO in the English language. Juan Carlos GalvezWednesday, September 12, 2012 12:42 PM Thanks Rob, I've already done that. Thank you, Juan CarlosWednesday, September 12, 2012 12:43 PM Thank you Konrad for your answer, let's see if Microsoft can make that ISO available. I don't really know why the offline help system is so incomplete; in VS2010 it was already incomplete but in VS2012 is even worst. Juan CarlosWednesday, September 12, 2012 12:47 PM Thanks Samantha. Will that ISO contain all documentation available online or just a subset? If it is just a subset is there a chance MS will include topics like web development and EF code first? Best regards, Juan Carlos P.S.: FOR ALL READERS: MAY BE THERE IS STILL TIME TO INFLUENCE ON THE ISO CONTENT, PLEASE READ MY POST ABOVE AND GO TO THE LINKS AND VOTE!!!!Saturday, September 15, 2012 1:50 PM Hello Juan Carlos, Last I heard the ISO will be a subset of the online content and will not contain more than the books offered for download via manage content. The intent of the ISO is to provide a install location for offline help for people who cannot connect to the internet. Best option is the one you have taken by submiting to us in UserVoice and having people who agree vote for it. - JasonWednesday, September 19, 2012 1:28 PM Hi Juan- The online content is always the most complete and most up-to-date content set. The offline books are a subset of the online content, and the ISO images are a further subset of the offline books. As there is a space limitation on the disk, the documentation that will be on the ISO is prioritized by customer usage. If by EF code you’re referring to ADO.NET Entity Framework this will be included on the ISO under .NET Framework 4.5. Kind regards- SamanthaThursday, September 20, 2012 7:43 PM Thanks Samantha. I assume ADO has just been added in response to Juan's request (and votes) in UserData? Or was it already in offline and we missed it? :-) Are there any other new modules coming to offline soon? I know web help has been requested many time in the past. Rob Rob Chandler Help MVP | mshcmigrate.helpmvp.com | hv2.helpmvp.comFriday, September 21, 2012 12:39 AMModerator Thanks Samantha, please notice that the current offline content on ADO.NET Entity Framework is missing the entire code first documentation (the entire System.Data.Entity namespace is missing). One more thing, what if you just split the entire help content in several ISOs or provide the content in the form of ZIPed files and make them available for download. Once compressed they are no so big as one may think, for example, I have downloaded the entire silverlight content using PackageThis and once compressed it is just 20MB, MVC4 content is 8MB. Or could Microsoft provide us with a tool like PackageThis so we can download the content, I would download the entire content my self and then upload it for the community to use, the problem right now is that PackageThis is very unstable. Thank you. Juan Carlos GalvezMonday, September 24, 2012 4:08 PM Hi Rob, ADO.NET Entity Framework is already available offline but is missing parts, for example, the entire System.Data.Entity namespace. Do you know if there are any plans to retake PackageThis and make it usable? For what I see they (MS) are not planning to make the help content available, I don't understand why, if PackageThis can download and "package" any portion of the online help my guess is that Microsoft can do it too. Juan CarlosMonday, September 24, 2012 4:14 PM PackageThis ... Started a new thread here Rob Chandler Help MVP | mshcmigrate.helpmvp.com | hv2.helpmvp.comTuesday, September 25, 2012 7:52 PMModerator Hi Juan- Thanks for the feedback and suggestions concerning ISOs and downloading of content. As we focus on getting this initial version of the offline books and ISO media published for customer download and usage, there will be some gaps between online coverage and offline books (this is likely why you can’t find the System.Data.Entity namespace in the offline books). I’ll forward your comments regarding splitting the help content over a number of ISOs and/ or utilizing PackageThis to the appropriate team for consideration as these are great suggestions for future updates to the offline content and download media. Kind regards- SamanthaTuesday, September 25, 2012 9:12 PM Hi Rob- It should have already been included in the offline books to best of my knowledge. The offline books are updated regularly so it's best to check back every once in a while to see what has been updated and/ or added. Kind regards- SamanthaTuesday, September 25, 2012 9:36 PM Thank you Samantha, <o:p></o:p> I'm wishing to have something similar to what we had several years ago when msdn subscribers were able to download several ISOs containing what was called "MSDN Library" I'm sure that the volume of information has increased since then but maybe you could separate all the info by topics or something like that. Also you could use some form of compression like using DAA images instead of ISOs, (DAA images are compressed).<o:p></o:p> Thank you once again.<o:p></o:p> Juan Carlos<o:p></o:p> Tuesday, September 25, 2012 9:40 PM - Its now mid October can I inquire if the English ISO for VS2012 Help is now available? Anders2006Tuesday, October 16, 2012 6:56 AM - Yes, I want to have the same answer, When can I have the downloadable VS2012 Help available?Thursday, October 18, 2012 1:28 PM Offline download is now available. Pl. search for VS2012 Documentation and you will have link to download iso image. link is, October 25, 2012 5:18 AM
http://social.msdn.microsoft.com/Forums/en-US/4f114a0d-969e-4dc5-afbe-09b36ebf2db1/vs2012-documentation?forum=devdocs
CC-MAIN-2014-15
refinedweb
1,559
58.01
Bug #14348 Conflict between DUNE and MicroBooNE code 0% Description DUNE is trying to adapt MicroBooNE code for data overlay. Currently dunetpc presents in dune/DataOverlay in develop branch a more or less exact copy of uboone/DataOverlay. That includes a data product. ROOT will not allow running with dictionaries from two classes with the same name. A sharing plan must be developed. History #1 Updated by Tingjun Yang almost 4 years ago Matt, I notice in the dune/DataOverlay/DataOverlay/CMakeLists.txt there are a lot of library names that have ub in them, e.g. LIBRARY_NAME ub_RawDigitAdderAna Can you rename them to dune35_RawDigitAdderAna etc.? Also please make sure all the LIBRARY_NAMEs are different from the ones in uboonecode. Tingjun #2 Updated by Matthew Thiesse almost 4 years ago Hi all, I've just pushed changes to dunetpc where the library names should all be different from the original ones in uboonecode. Could someone please test and make sure the cross-compilation issues don't still exist? Matt #3 Updated by Lynn Garren almost 4 years ago In preparation for this weeks' release, I have made the standard multiexperiment build. The build appears to be fine, but 76 of 202 tests fail! #4 Updated by Lynn Garren almost 4 years ago [garren@woof geometry.d]$ lar -c ./test_geometry.fcl %MSG-i MF_INIT_OK: lar 02-Nov-2016 11:48:52 CDT JobSetup Messagelogger initialization complete. %MSG terminate called after throwing an instance of 'cet::coded_exception<art::errors::ErrorCodes, &art::ExceptionDetail::translate>' what(): ---- FatalRootError BEGIN Fatal Root Error: @SUB=TInterpreter::ReadRootmapFile class art::Wrapper<std::vector<mix::EventMixingSummary> > found in libdune_DataOverlay_DataOverlayProducts_dict.so is already in libuboone_DataOverlay_DataOverlayProducts_dict.so ---- FatalRootError END Aborted #5 Updated by Matthew Thiesse almost 4 years ago Will a new namespace / product name solve the problem? (temporarily, of course, until someone makes a general LArSoft implementation of DataOverlay (again, not me)) #6 Updated by Lynn Garren almost 4 years ago All names need to be unique, so hopefully that would solve the problem. #7 Updated by Matthew Thiesse almost 4 years ago Try pulling dunetpc and testing again. I renamed the data product from "mix::EventMixingSummary" to "dunemix::EventMixingSummary". If that's not enough, I can rename EventMixingSummary to something else. #8 Updated by Lynn Garren almost 4 years ago Thank you. That seems to have done the trick. All unit tests now pass. I think Wes may be the original author of this code. #9 Updated by Lynn Garren almost 4 years ago - Status changed from New to Resolved - Assignee set to Matthew Thiesse The immediate problem is resolved. A new ticket will be opened to track the longer term objective of moving shared code into larsoft. Also available in: Atom PDF
https://cdcvs.fnal.gov/redmine/issues/14348
CC-MAIN-2020-45
refinedweb
454
57.37
I can easily redirect the standard output to the terminal but getting the standard input to redirect to the terminal isn't working. I'm stumped. Easy newbie mistake?Easy newbie mistake?Code: #include <iostream> #include <fstream> #include <string> using namespace std; int main(int argc, char* argv[]){ string username; char c; ifstream termin("/dev/tty"); ofstream termout("/dev/tty"); termout << "Enter SQL user name: "; termout.flush(); // termin.getline(username, 16); //didn't work // termin >> username; //Me neither // while ((c = termin.get()) > ' ');//Nope cout << username << endl; } [edit] does work but, of course, that won't handle redirected input.does work but, of course, that won't handle redirected input.Code: while (isgraph(c = cin.get())) username += c; [/edit]
http://cboard.cprogramming.com/cplusplus-programming/26142-redirecting-cin-printable-thread.html
CC-MAIN-2014-52
refinedweb
118
51.95
computes versions of Arellano’s [Are08] model of sovereign default. The model describes interactions among default risk, output, and an equilibrium interest rate that includes a premium for endogenous default risk. The decision maker is a government of a small open economy that borrows from risk-neutral foreign creditors. The foreign lenders must be compensated for default risk. The government borrows and lends abroad in order to smooth the consumption of its citizens. The government repays its debt only if it wants to, but declining to pay has adverse consequences. The interest rate on government debt adjusts in response to the state-dependent default probability chosen by government. The model yields outcomes that help interpret sovereign default experiences, including - countercyclical interest rates on sovereign debt - countercyclical trade balances - high volatility of consumption relative to output Notably, long recessions caused by bad draws in the income process increase the government’s incentive to default. This can lead to - spikes in interest rates - temporary losses of access to international credit markets - large drops in output, consumption, and welfare - large capital outflows during recessions Such dynamics are consistent with experiences of many countries. Output, Consumption and Debt¶ A small open economy is endowed with an exogenous stochastically fluctuating potential output stream $ \{y_t\} $. Potential output is realized only in periods in which the government honors its sovereign debt. The output good can be traded or consumed. The sequence $ \{y_t\} $ is described by a Markov process with stochastic density kernel $ p(y, y') $. Households within the country are identical and rank stochastic consumption streams according to $$ \mathbb E \sum_{t=0}^{\infty} \beta^t u(c_t) \tag{1} $$ Here - $ 0 < \beta < 1 $ is a time discount factor - $ u $ is an increasing and strictly concave utility function Consumption sequences enjoyed by households are affected by the government’s decision to borrow or lend internationally. The government is benevolent in the sense that its aim is to maximize (1). The government is the only domestic actor with access to foreign credit. Because household are averse to consumption fluctuations, the government will try to smooth consumption by borrowing from (and lending to) foreign creditors. Asset Markets¶ The only credit instrument available to the government is a one-period bond traded in international credit markets. The bond market has the following features - The bond matures in one period and is not state contingent. - A purchase of a bond with face value $ B' $ is a claim to $ B' $ units of the consumption good next period. - To purchase $ B' $ next period costs $ q B' $ now, or, what is equivalent. For selling $ -B' $ units of next period goods the seller earns $ - q B' $ of today’s goods. - If $ B' < 0 $, then $ -q B' $ units of the good are received in the current period, for a promise to repay $ -B' $ units next period. - There is an equilibrium price function $ q(B', y) $ that makes $ q $ depend on both $ B' $ and $ y $. Earnings on the government portfolio are distributed (or, if negative, taxed) lump sum to households. When the government is not excluded from financial markets, the one-period national budget constraint is $$ c = y + B - q(B', y) B' \tag{2} $$ Here and below, a prime denotes a next period value or a claim maturing next period. To rule out Ponzi schemes, we also require that $ B \geq -Z $ in every period. - $ Z $ is chosen to be sufficiently large that the constraint never binds in equilibrium. Financial Markets¶ Foreign creditors - are risk neutral - know the domestic output stochastic process $ \{y_t\} $ and observe $ y_t, y_{t-1}, \ldots, $ at time $ t $ - can borrow or lend without limit in an international credit market at a constant international interest rate $ r $ - receive full payment if the government chooses to pay - receive zero if the government defaults on its one-period debt due When a government is expected to default next period with probability $ \delta $, the expected value of a promise to pay one unit of consumption next period is $ 1 - \delta $. Therefore, the discounted expected value of a promise to pay $ B $ next period is $$ q = \frac{1 - \delta}{1 + r} \tag{3} $$ Next we turn to how the government in effect chooses the default probability $ \delta $. Government’s Decisions¶ At each point in time $ t $, the government chooses between - defaulting - meeting its current obligations and purchasing or selling an optimal quantity of one-period sovereign debt Defaulting means declining to repay all of its current obligations. If the government defaults in the current period, then consumption equals current output. But a sovereign default has two consequences: Output immediately falls from $ y $ to $ h(y) $, where $ 0 \leq h(y) \leq y $. - It returns to $ y $ only after the country regains access to international credit markets. The country loses access to foreign credit markets. Equilibrium¶ Informally, an equilibrium is a sequence of interest rates on its sovereign debt, a stochastic sequence of government default decisions and an implied flow of household consumption such that - Consumption and assets satisfy the national budget constraint. - The government maximizes household utility taking into account - the resource constraint - the effect of its choices on the price of bonds - consequences of defaulting now for future net output and future borrowing and lending opportunities - The interest rate on the government’s debt includes a risk-premium sufficient to make foreign creditors expect on average to earn the constant risk-free international interest rate. To express these ideas more precisely, consider first the choices of the government, which - enters a period with initial assets $ B $, or what is the same thing, initial debt to be repaid now of $ -B $ - observes current output $ y $, and chooses either - to default, or - to pay $ -B $ and set next period’s debt due to $ -B' $ In a recursive formulation, - state variables for the government comprise the pair $ (B, y) $ - $ v(B, y) $ is the optimum value of the government’s problem when at the beginning of a period it faces the choice of whether to honor or default - $ v_c(B, y) $ is the value of choosing to pay obligations falling due - $ v_d(y) $ is the value of choosing to default $ v_d(y) $ does not depend on $ B $ because, when access to credit is eventually regained, net foreign assets equal $ 0 $. Expressed recursively, the value of defaulting is$$ v_d(y) = u(h(y)) + \beta \int \left\{ \theta v(0, y') + (1 - \theta) v_d(y') \right\} p(y, y') dy' $$ The value of paying is$$ v_c(B, y) = \max_{B' \geq -Z} \left\{ u(y - q(B', y) B' + B) + \beta \int v(B', y') p(y, y') dy' \right\} $$ The three value functions are linked by$$ v(B, y) = \max\{ v_c(B, y), v_d(y) \} $$ The government chooses to default when$$ v_c(B, y) < v_d(y) $$ and hence given $ B' $ the probability of default next period is $$ \delta(B', y) := \int \mathbb 1\{v_c(B', y') < v_d(y') \} p(y, y') dy' \tag{4} $$ Given zero profits for foreign creditors in equilibrium, we can combine (3) and (4) to pin down the bond price function: $$ q(B', y) = \frac{1 - \delta(B', y)}{1 + r} \tag{5} $$ Definition of Equilibrium¶ An equilibrium is - a pricing function $ q(B',y) $, - a triple of value functions $ (v_c(B, y), v_d(y), v(B,y)) $, - a decision rule telling the government when to default and when to pay as a function of the state $ (B, y) $, and - an asset accumulation rule that, conditional on choosing not to default, maps $ (B,y) $ into $ B' $ such that Computation¶ Let’s now compute an equilibrium of Arellano’s model. The equilibrium objects are the value function $ v(B, y) $, the associated default decision rule, and the pricing function $ q(B', y) $. We’ll use our code to replicate Arellano’s results. After that we’ll perform some additional simulations. The majority of the code below was written by Chase Coleman. It uses a slightly modified version of the algorithm recommended by Arellano. - The appendix to [Are08] recommends value function iteration until convergence, updating the price, and then repeating. - Instead, we update the bond price at every value function iteration step. The second approach is faster and the two different procedures deliver very similar results. Here is a more detailed description of our algorithm: - Guess a value function $ v(B, y) $ and price function $ q(B', y) $. - At each pair $ (B, y) $, - update the value of defaulting $ v_d(y) $. - update the value of continuing $ v_c(B, y) $. - Update the value function $ v(B, y) $, the default rule, the implied ex ante default probability, and the price function. - Check for convergence. If converged, stop – if not, go to step 2. We use simple discretization on a grid of asset holdings and income levels. The output process is discretized using Tauchen’s quadrature method. Numba has been used in two places to speed up the code. """ Authors: Chase Coleman, John Stachurski """ import numpy as np import random import quantecon as qe from numba import jit class Arellano_Economy: """ Arellano 2008 deals with a small open economy whose government invests in foreign assets in order to smooth the consumption of domestic households. Domestic households receive a stochastic path of income. Parameters ---------- β : float Time discounting parameter γ : float Risk-aversion parameter r : float int lending rate ρ : float Persistence in the income process η : float Standard deviation of the income process θ : float Probability of re-entering financial markets in each period ny : int Number of points in y grid nB : int Number of points in B grid tol : float Error tolerance in iteration maxit : int Maximum number of iterations """ def __init__(self, β=.953, # time discount rate): # Save parameters self.β, self.γ, self.r = β, γ, r self.ρ, self.η, self.θ = ρ, η, θ self.ny, self.nB = ny, nB # Create grids and discretize Markov process self.Bgrid = np.linspace(-.45, .45, nB) self.mc = qe.markov.tauchen(ρ, η, 0, 3, ny) self.ygrid = np.exp(self.mc.state_values) self.Py = self.mc.P # Output when in default ymean = np.mean(self.ygrid) self.def_y = np.minimum(0.969 * ymean, self.ygrid) # Allocate memory self.Vd = np.zeros(ny) self.Vc = np.zeros((ny, nB)) self.V = np.zeros((ny, nB)) self.Q = np.ones((ny, nB)) * .95 # Initial guess for prices self.default_prob = np.empty((ny, nB)) # Compute the value functions, prices, and default prob self.solve(tol=tol, maxit=maxit) # Compute the optimal savings policy conditional on no default self.compute_savings_policy() def solve(self, tol=1e-8, maxit=10000): # Iteration Stuff it = 0 dist = 10. # Alloc memory to store next iterate of value function V_upd = np.zeros((self.ny, self.nB)) # == Main loop == # while dist > tol and maxit > it: # Compute expectations for this iteration Vs = self.V, self.Vd, self.Vc EV, EVd, EVc = (self.Py @ v for v in Vs) # Run inner loop to update value functions Vc and Vd. # Note that Vc and Vd are updated in place. Other objects # are not modified. _inner_loop(self.ygrid, self.def_y, self.Bgrid, self.Vd, self.Vc, EVc, EVd, EV, self.Q, self.β, self.θ, self.γ) # Update prices Vd_compat = np.repeat(self.Vd, self.nB).reshape(self.ny, self.nB) default_states = Vd_compat > self.Vc self.default_prob[:, :] = self.Py @ default_states self.Q[:, :] = (1 - self.default_prob)/(1 + self.r) # Update main value function and distance V_upd[:, :] = np.maximum(self.Vc, Vd_compat) dist = np.max(np.abs(V_upd - self.V)) self.V[:, :] = V_upd[:, :] it += 1 if it % 25 == 0: print(f"Running iteration {it} with dist of {dist}") return None def compute_savings_policy(self): """ Compute optimal savings B' conditional on not defaulting. The policy is recorded as an index value in Bgrid. """ # Allocate memory self.next_B_index = np.empty((self.ny, self.nB)) EV = self.Py @ self.V _compute_savings_policy(self.ygrid, self.Bgrid, self.Q, EV, self.γ, self.β, self.next_B_index) def simulate(self, T, y_init=None, B_init=None): """ Simulate time series for output, consumption, B'. """ # Find index i such that Bgrid[i] is near 0 zero_B_index = np.searchsorted(self.Bgrid, 0) if y_init is None: # Set to index near the mean of the ygrid y_init = np.searchsorted(self.ygrid, self.ygrid.mean()) if B_init is None: B_init = zero_B_index # Start off not in default in_default = False y_sim_indices = self.mc.simulate_indices(T, init=y_init) B_sim_indices = np.empty(T, dtype=np.int64) B_sim_indices[0] = B_init q_sim = np.empty(T) in_default_series = np.zeros(T, dtype=np.int64) for t in range(T-1): yi, Bi = y_sim_indices[t], B_sim_indices[t] if not in_default: if self.Vc[yi, Bi] < self.Vd[yi]: in_default = True Bi_next = zero_B_index else: new_index = self.next_B_index[yi, Bi] Bi_next = new_index else: in_default_series[t] = 1 Bi_next = zero_B_index if random.uniform(0, 1) < self.θ: in_default = False B_sim_indices[t+1] = Bi_next q_sim[t] = self.Q[yi, int(Bi_next)] q_sim[-1] = q_sim[-2] # Extrapolate for the last price return_vecs = (self.ygrid[y_sim_indices], self.Bgrid[B_sim_indices], q_sim, in_default_series) return return_vecs @jit(nopython=True) def u(c, γ): return c**(1-γ)/(1-γ) @jit(nopython=True) def _inner_loop(ygrid, def_y, Bgrid, Vd, Vc, EVc, EVd, EV, qq, β, θ, γ): """ This is a numba version of the inner loop of the solve in the Arellano class. It updates Vd and Vc in place. """ ny, nB = len(ygrid), len(Bgrid) zero_ind = nB // 2 # Integer division for iy in range(ny): y = ygrid[iy] # Pull out current y # Compute Vd Vd[iy] = u(def_y[iy], γ) + \ β * (θ * EVc[iy, zero_ind] + (1 - θ) * EVd[iy]) # Compute Vc for ib in range(nB): B = Bgrid[ib] # Pull out current B current_max = -1e14 for ib_next in range(nB): c = max(y - qq[iy, ib_next] * Bgrid[ib_next] + B, 1e-14) m = u(c, γ) + β * EV[iy, ib_next] if m > current_max: current_max = m Vc[iy, ib] = current_max return None @jit(nopython=True) def _compute_savings_policy(ygrid, Bgrid, Q, EV, γ, β, next_B_index): # Compute best index in Bgrid given iy, ib ny, nB = len(ygrid), len(Bgrid) for iy in range(ny): y = ygrid[iy] for ib in range(nB): B = Bgrid[ib] current_max = -1e10 for ib_next in range(nB): c = max(y - Q[iy, ib_next] * Bgrid[ib_next] + B, 1e-14) m = u(c, γ) + β * EV[iy, ib_next] if m > current_max: current_max = m current_max_index = ib_next next_B_index[iy, ib] = current_max_index return None Results¶ Let’s start by trying to replicate the results obtained in [Are08]. In what follows, all results are computed using Arellano’s parameter values. The values can be seen in the __init__ method of the Arellano_Economy shown above. - For example, r=0.017matches the average quarterly rate on a 5 year US treasury over the period 1983–2001. Details on how to compute the figures are reported as solutions to the exercises. The first figure shows the bond price schedule and replicates Figure 3 of Arellano, where $ y_L $ and $ Y_H $ are particular below average and above average values of output $ y $. - $ y_L $ is 5% below the mean of the $ y $ grid values - $ y_H $ is 5% above the mean of the $ y $ grid values The grid used to compute this figure was relatively coarse ( ny, nB = 21, 251) in order to match Arrelano’s findings. Here’s the same relationships computed on a finer grid ( ny, nB = 51, 551) In either case, the figure shows that - Higher levels of debt (larger $ -B' $) induce larger discounts on the face value, which correspond to higher interest rates. - Lower income also causes more discounting, as foreign creditors anticipate greater likelihood of default. The next figure plots value functions and replicates the right hand panel of Figure 4 of [Are08]. We can use the results of the computation to study the default probability $ \delta(B', y) $ defined in (4). The next plot shows these default probabilities over $ (B', y) $ as a heat map. As anticipated, the probability that the government chooses to default in the following period increases with indebtedness and falls with income. Next let’s run a time series simulation of $ \{y_t\} $, $ \{B_t\} $ and $ q(B_{t+1}, y_t) $. The grey vertical bars correspond to periods when the economy is excluded from financial markets because of a past default. One notable feature of the simulated data is the nonlinear response of interest rates. Periods of relative stability are followed by sharp spikes in the discount rate on government debt. import matplotlib.pyplot as plt %matplotlib inline ae = Arellano_Economy(β=.953, # time discount factor) Running iteration 25 with dist of 0.34324232989002823 Running iteration 50 with dist of 0.09839155779848241 Running iteration 75 with dist of 0.029212095591656606 Running iteration 100 with dist of 0.00874510696905162 Running iteration 125 with dist of 0.002623141215579494 Running iteration 150 with dist of 0.0007871926699110077 Running iteration 175 with dist of 0.00023625911163449587 Running iteration 200 with dist of 7.091000628989264e-05 Running iteration 225 with dist of 2.1282821137447172e-05 Running iteration 250 with dist of 6.387802962137812e-06 Running iteration 275 with dist of 1.917228964032347e-06 Running iteration 300 with dist of 5.754352905285032e-07 Running iteration 325 with dist of 1.7271062091595013e-07 Running iteration 350 with dist of 5.1837215409022974e-08 Running iteration 375 with dist of 1.555838125000264e-08 Compute the bond price schedule as seen in figure 3 of Arellano (2008) #("Bond price schedule $q(y, B')$") # Extract a suitable plot grid x = [] q_low = [] q_high = [] for i in range(ae.nB): b = ae.Bgrid[i] if -0.35 <= b <= 0: # To match fig 3 of Arellano x.append(b) q_low.append(ae.Q[iy_low, i]) q_high.append(ae.Q[iy_high, i]) ax.plot(x, q_high, label="$y_H$", lw=2, alpha=0.7) ax.plot(x, q_low, label="$y_L$", lw=2, alpha=0.7) ax.set_xlabel("$B'$") ax.legend(loc='upper left', frameon=False) plt.show() Draw a plot of the value functions #("Value Functions") ax.plot(ae.Bgrid, ae.V[iy_high], label="$y_H$", lw=2, alpha=0.7) ax.plot(ae.Bgrid, ae.V[iy_low], label="$y_L$", lw=2, alpha=0.7) ax.legend(loc='upper left') ax.set(xlabel="$B$", ylabel="$V(y, B)$") ax.set_xlim(ae.Bgrid.min(), ae.Bgrid.max()) plt.show() Draw a heat map for default probability xx, yy = ae.Bgrid, ae.ygrid zz = ae.default_prob # Create figure fig, ax = plt.subplots(figsize=(10, 6.5)) hm = ax.pcolormesh(xx, yy, zz) cax = fig.add_axes([.92, .1, .02, .8]) fig.colorbar(hm, cax=cax) ax.axis([xx.min(), 0.05, yy.min(), yy.max()]) ax.set(xlabel="$B'$", ylabel="$y$", title="Probability of Default") plt.show() Plot a time series of major variables simulated from the model T = 250 y_vec, B_vec, q_vec, default_vec = ae.simulate(T) # Pick up default start and end dates start_end_pairs = [] i = 0 while i < len(default_vec): if default_vec[i] == 0: i += 1 else: # If we get to here we're in default start_default = i while i < len(default_vec) and default_vec[i] == 1: i += 1 end_default = i - 1 start_end_pairs.append((start_default, end_default)) plot_series = y_vec, B_vec, q_vec titles = 'output', 'foreign assets', 'bond price' fig, axes = plt.subplots(len(plot_series), 1, figsize=(10, 12)) fig.subplots_adjust(hspace=0.3) for ax, series, title in zip(axes, plot_series, titles): # determine suitable y limits s_max, s_min = max(series), min(series) s_range = s_max - s_min y_max = s_max + s_range * 0.1 y_min = s_min - s_range * 0.1 ax.set_ylim(y_min, y_max) for pair in start_end_pairs: ax.fill_between(pair, (y_min, y_min), (y_max, y_max), color='k', alpha=0.3) ax.grid() ax.plot(range(T), series, lw=2, alpha=0.7) ax.set(title=title, xlabel="time") plt.show()
https://lectures.quantecon.org/py/arellano.html
CC-MAIN-2019-35
refinedweb
3,242
55.24
tied Awake Current 65 mA + 1 VDC ref. for battery monitor <--- recompute below figures! Time Asleep seconds: 86400 Time Awake seconds: 30 Sleep/Wake Cycle seconds: 86430 Average Current mA: 0.03 Battery Life (hours) 105631.45 Days 4401.31 Months 146.71 Years 12.23 <--- shelf life will reduce this! Author: ArduinoAndy Date: 4/18/2010 Revision: 1.0.b """ from synapse.pinWakeup import * from synapse.platforms import * sleepCounter = 0 secondCounter = 0 BUTTON_PIN = GPIO_5 portalAddr = '\x00\x00\x01' # hard-coded address for Portal # Since there are currently no ZIC2410 based SNAP Engines, # there are currently no GPIO on ZIC2410, just plain IO. if platform == "ZIC2410": LED_PIN = 1 else: POR How fast do you think I could send an image? Mowcius The?
https://forum.arduino.cc/index.php?amp;action=printpage;topic=1569.0
CC-MAIN-2019-43
refinedweb
122
71.61
Type was not found or was not a compile type constant at compile time. BUT I have imported import flash.display.MovieClip; amd my vector variable declaration is correct. private var myVect:Vector.<MovieClip > = new Vector.<MovieClip > (5,true); I am even copying and pasting from a tutorial so this is very strange. copy and paste the error message. try import flash.display.MovieClip; private var myVect:Vector.<MovieClip> = new Vector.<MovieClip>(5,true); 1046: Type was not found or was not a compile-time constant: MoveiClip That is th error that appears in the compiler errors window. (esdebon - that's exactly the same code that I posted) that is not exactly the same code that I posted You need add: import flash.display.MovieClip; I didn't make it perfectly clear in the first post - but it is there and in my code. That was the first thing I look for as it often happens to me. tick file/publish settings/swf and tick "permit debugging". take a screenshot showing the error message and attach it here. take a sceenshot of the first 20 or 30 lines of that class showing you import statement and class name. attach it here. Sorry won't let me insert image BUT I have enabled debugging and I get those three errors about the same MovieClip. The error I quoted above and the following. 1120: access of undefined property MovieClip (twice) package { import flash.display.MovieClip; import flash.media.Sound; import flash.events.MouseEvent; import flash.display.Sprite; import flash.events.Event; public class as3circle extends Sprite { public var keyboard_input:keys; public var circle_hero = new circle ; private var energyHit:Boolean = false; private var enemy:Enemy = new Enemy(); private var myVect:Vector.<MovieClip > = new Vector.<MovieClip > (5,true); public function as3circle() { //Gerry hack. Make the helicopter smaller via code as I can't edit it properly circle_hero.scaleX = .25; circle_hero.scaleY = .25; addChild(circle_hero); circle_hero.init(); var keyboard_sprite = new Sprite(); addChild(keyboard_sprite); keyboard_input = new keys(keyboard_sprite); //add the enemies for (var i:int=0; i< 5; i++) { //enemy = new Enemy ; enemy.x = Math.random() * stage.stageWidth; enemy.y = 0 + i * stage.stageHeight / 6; myVect[i] = enemy;//populate the vector array with enemies. Vectors only hold one type but they are so efficient. addChild(enemy); enemy.cacheAsBitmap = true; } stage.addEventListener(Event.ENTER_FRAME,on_enter_fram e); that error message won't be triggered by anything you've shown. tick file/publish settings/swf and tick "permit debugging". copy and paste the complete error message there's another as3circle class being used by whatever fla you're using to test. if the code you've shown has been saved to as3circle.as, try using a new directory to save your fla and your class. if you haven't saved your shown code to that file, save it and retest. Thanks. I cut and pasted and also changed the classes to have capital letters (upper case) and now all works - God only knows why but it does in this format and it didn't before. An enigma. Cheers you're welcome.
http://forums.adobe.com/message/4565701
CC-MAIN-2014-15
refinedweb
512
61.02
That's a page to share helpful short notes with fellow students. Thanks to @gabe for getting this started. Contents Scatter plots are good when data is 2-dimensional. Not so good for 125 dimensions. Data is linear when all data is on a straight line – this is rare, e.g. price,, per square foot, , is the same, , for all houses ( ) or more generally: Outliers are data points which don’t fit easily with the majority of the data. Noise is when data is randomly distributed around mean (not good for scatter plots, use bar charts instead). Bar charts are useful to group data into intervals and thus eliminate some random noise and show global trends. It is a cumulative tool. Histogram is a special type of bar chart, which examines only one dimension of data, plotted against frequency on the y-axis, e.g. age histogram: plots how many people are in 0-10, 11-20, 21-30 etc brackets. Bar charts and Histograms both aggregates the data. Pie charts are useful to visualize relative data quickly and intuitively (e.g. Party A got 25% of the vote, Party B got 15%, Party C 2% & remainder didn’t vote). Proportions can be seen quickly. Optional. Can use Udacity web interface to plot charts or to make your own Python charts, you need NumPy and Matplotlib installed. Refer to Plotting Graphs with Python for information on that. This will plot a bar chart in Terminal: from matplotlib import pyplot from pylab import randn x = randn(1000) y = pyplot.hist(x, bins=100) pyplot.show() It shows that statistics is deep and often manipulated. Example, while looking on individual major, females seems to be favored but on aggregate date the males are being favored. A fair coin has a 50% chance of coming up heads: Loaded coin example: (always true).(always true). Loaded coin with 2 heads:and . Where these are independent events. P(H,H) = (two heads in a row) = P(H).P(H) = 0.25 for fair coin. A truth table shows all outcomes: (HH,HT,TH,TT). So,chance each . Always . If, then: So Pand . For 3 flips with loaded coin,. Dependent events: Event A influences event B, or B is dependent on A (e.g, becoming professor depends on being smart). Let's say half of total population is smart:: i.e, probability of being prof is, prob of being prof if smart is and prob of being prof if , e.g., cancer test. i.e., 10% of the general population has cancer and 90% no cancer. Test: i.e. if the person has cancer, the test will be positive (i.e., correct) in 90% of cases – this is the sensitivity of the test. And negative (i.e., false negative or incorrect) in 10% of cases. Test: i.e., if the person does not have cancer, the test will be positive (i.e., false positive or incorrect) in 20% of cases. And negative (i.e., correct, all clear) in 80% of cases – the latter is the specificity of the test. Notes: Knowing the prior is not always easy in practice. Sensitivity and specificity are distinct numbers. They don't have to be equal, or sum to 1. Truth table (sum = 1): \neg\neg , e.g. two coins (x and y) in a bag (slightly different from class example). is fair so and is loaded . There's a equal chance of picking either., e.g. two coins (x and y) in a bag (slightly different from class example). is fair so and is loaded . There's a equal chance of picking either. To solve, make truth table, 3 columns (pick, flip, flip), 8 rows: (so 2 rows match)(so 2 rows match) Named after Reverend Thomas Bayes. Very important theory in probability. Cancer test example … i.e 1% of general population have this cancer… i.e 1% of general population have this cancer … i.e. for those with cancer: 90% correctly diagnosed as positive… i.e. for those with cancer: 90% correctly diagnosed as positive … i.e. for those without cancer: 90% of correctly diagnosed as negative (so test misdiagnoses 10% as positive)… i.e. for those without cancer: 90% of correctly diagnosed as negative (so test misdiagnoses 10% as positive) Draw a Venn diagram of two intersecting circles (a small one for "cancer" (1%) and a larger one (about 10%) for "positive test"). You can see that, if in a random test of the general population 10% (of 99% of the population) are given a false positive (B), this number outweighs the 90% (of 1% of the population) given a true positive (A). A and B are the joints. The probability of a positive result being correct in a screening of the general population is thus only. Conversely, the probability of a positive result being incorrect in a screening of the general population is. (A + B) is the normaliser , so the positive-test probabilities sum to 1, and can be expressed as percentages. %% i.e. in a random test of the general population, a positive result for this cancer only has 8.3% accuracy. This is a posterior. Similarly for a false positive … %% i.e. in a random test of the general population, a positive result has 91.7% chance of being wrong. As above, this is a posterior probability. This may seem counterintuitive. The main reason that the test gives a high proportion of false positives is that the actual incidence of this cancer in the general population (the prior) is very small (99% are cancer-free). So a small percentage (10%) of that 99% that test false-positive still make a large number of people, when compared with those with cancer (max 1%, even if the sensitivity is perfect). … more to follow … Maximum Likelihood Estimator (MLE) looks at a given data set and uses it to make the best guess of future outcomes. E.g. if past die throws show an equal number of ones, twos, threes etc., you can estimate that it is most likely that the die is fair and predict an equallikelihood of each number being thrown in the future. P(1) = P(2) = P(3) = P(4) = P(5) = P(6) = Extreme example: say past coin flips show only heads 100 times. This could be a fair coin, i.e. P(H) = 0.5, with a very unlikely outcome: P =. Or most likely, it is a weighted coin where P(H) = 1 . It could also be almost any other type of loaded coin P(H) = , where , but the most likely is when P(H) = 1 . If you plot likelihood vs you get a curve with the MLE at max point. Extreme, extreme example: say only 1 coin flip: a head. MLE gives P(H) = 1 , i.e. 100% weighted coin. This is silly, so in these cases, with small data sets, use … Laplacian Estimator: Add fake data to smooth results e.g. Dice throw data {3,4,6}{3,4,6,1,2,3,4,5,6}, added one of each throw. e.g. Coin flip {H}{H,H,T} gives a better result . Now estimate is . (sum of values, i.e. + etc where is a value, divided by number of values, ). Dividing by number of terms is called normalising.(sum of values, i.e. + etc where is a value, divided by number of values, ). Dividing by number of terms is called normalising. mean of {1,2,6} is 3 (because). If, then . In particular, if, then . i.e. adding a constant to all values, moves the mean by too. Similarly, if, then . i.e. multiplying all values by constant , multiplies the mean by too. median of {1,2,3,4,100} is 3 (median is middle value when numbers ordered). When even no. of terms, pick one of two, or take mean of both. Useful in typical house price example, as it effectively disregards very expensive outlier. mode of {1,1,1,2,3,3,100} is 1 (most frequent value. When more than one possibility, pick one). Useful for multi-modal or bi-modal data (where data has "bumps", it picks the value corresponding to top of highest bump). : Standard Deviation.: Standard Deviation. : Variance (Measures spread of data away from the mean).: Variance (Measures spread of data away from the mean). We only need to know, (sum of values), and (sum of squares) to compute the formula above If, then . i.e. adding constantto all values has no effect on the standard deviation. But, multiplying all values by constant multiplies the standard deviation by too. [extra detail: effectively means that whether is positive or negative, you take the positive value of ] : Standard Score: Standard Score Whereis a point in a Gaussian distribution that you want to calculate a standard score for. Is negative when on left of mean. Is zero when = mean.
https://www.udacity.com/wiki/st101/revision-notes
CC-MAIN-2016-40
refinedweb
1,483
68.06
The StrongDoc Python SDK for interacting with the StrongDoc API. Project description StrongDoc Python SDK by StrongSalt This is a Python SDK for the StrongDoc service, produced by StrongSalt. The API endpoint for Python clients of Strongdoc is implemented with gRPC. Important Links Documentation: ReadTheDocs Website: strongsalt.com Installation The API is available as a Python Package. You must first do: pip3 install strongsalt-strongdoc-python-sdk Then, import it into your files at the top of your files: from strongdoc.api import account, document, login, search ======= History 1.0.0 (2020-XX-XX) - First release Project details Download files Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
https://pypi.org/project/strongsalt-strongdoc-python-sdk/0.0.8/
CC-MAIN-2021-39
refinedweb
119
67.65
Ok, when I have problems I do try to search ebay, use the search function of the forums, so if I'm asking a often asked question, sorry I tried, alright on to the problem. I'm writing a program to input user info/stats and output html, as a way to learn basic C++ coding and make something kinda usefull . I go through all the input, and when I check the HTML the first letter in all the places where a variable was, is "truncated" from the beginning by one character.. I go through all the input, and when I check the HTML the first letter in all the places where a variable was, is "truncated" from the beginning by one character. Here's the code (Also any input on how to display quotes other than << (char) 34 << would be appreciated ):): Code://---Header---// #include <cstdlib> #include <iostream> #include <stdio.h> #include <fstream> //---End Header---// //---Shortcuts---// using namespace std; //---End Shortcuts---// int main(int argc, char *argv[]) { string NewPlayerName; string PlayerName; string FileName; string ProfilePicName; cout<<"New Player\n\n"; cout<<"First/Last Name: "; cin.get(); getline(cin , NewPlayerName , '\n'); PlayerName = NewPlayerName; FileName = NewPlayerName += ".html"; ofstream Playername( FileName.c_str() ); //Where I would have loads of HTML cout<< NewPlayerName << "\n"; cout<< FileName << "\n"; cout<<"Profile Picture Name (Include the extension ex: .jpg): "; cin.get(); getline(cin , ProfilePicName , '\n'); cout<< ProfilePicName; Playername<< PlayerName << "," << FileName << "," << ProfilePicName << "\n"; system("PAUSE"); return EXIT_SUCCESS; } //That's better ;)
https://cboard.cprogramming.com/cplusplus-programming/69232-problem-first-letter-my-strings-being-truncated-except-first-string.html
CC-MAIN-2017-13
refinedweb
241
57.5
You have a tuple of integers—but you want a single integer. What can you do? Problem Formulation and Solution Overview Given a tuple of values. t = (1, 2, 3) Goal: Convert the tuple to a single integer value. If you simply pass a tuple t into the int(t) built-in function, Python will raise a TypeError: int() argument must be a string, a bytes-like object or a number, not 'tuple'. t = (1, 2, 3) int(t) This doesn’t work! Here’s the error message that appears if you try to do this direct conversion from tuple to int: TypeError: int() argument must be a string, a bytes-like object or a number, not 'tuple' In principle, there are two ways of converting a tuple to an integer and avoiding this TypeError: - Select one of the tuple elements tuple[i]using tuple indexing of the i-th tuple element. - Aggregate the tuple elements to a single integer value, e.g., summing over all tuple elements or combining their string aggregation. Let’s get a quick overview in our interactive Python shell: Exercise: Modify method 2 to calculate the average and round to the next integer! Let’s dive into each of the methods. Method 1: sum() The first way of converting a tuple to an integer is to sum up all values. The sum() function is built-in in Python and you can use it on any iterable: The syntax is sum(iterable, start=0): Here’s how you can use the sum() function to sum over all values in an iterable (such as a tuple): # Method 1: sum() t = (1, 2, 3) i = sum(t) print(i) # 6 In this case, it calculates 1+2+3=6. You can learn more about the sum() function on this Finxter blog article. But what if you want to use all tuple values as digits of a larger integer value? Method 2: str() + list comprehension + join() List comprehension is a compact way of creating lists. The simple formula is [expression + context]. - Expression: What to do with each list element? - Context: What elements to select? The context consists of an arbitrary number of forand ifstatements. You can use it in combination with the sum() function to calculate the integer 123 from the tuple (1, 2, 3)—by using the tuple values as digits of the larger integer. # Method 2: str() + list comprehension + join() t = (1, 2, 3) i = ''.join(str(x) for x in t) print(int(i)) # 123 Well, to be frank, we didn’t even use list comprehension here—the correct term for str(x) for x in t is “generator expression”. The difference to list comprehension is that it creates a generator instead of a list. If you like functional programming, you may like the following method: Method 3: str() + map() + join() The map() function creates a new iterable from an iterable by applying a function to each element of the original iterable: You can pass the str() function into the map() function to convert each tuple element to a string. Then, you can join all strings together to a big string. After converting the big string to an integer, you’ve successfully merged all tuple integers to a big integer value. # Method 3: str() + map() + join() t = (1, 2, 3) i = ''.join(map(str, t)) print(i) # 123 There are many details to the string.join() method. You can read the detailed tutorial on the Finxter blog. Here’s the short version: The'. Method 4: Multiple Assignments If you simply want to get multiple integers by assigning the individual tuple values to integer variables, just use the multiple assignment feature: # Method 4: multiple assignments t = (1, 2, 3) a, b, c = t print(a) print(b) print(c) ''' 1 2 3 ''' Variables a, b, and c have the values 1, 2, and 3, respectively. Method 5: Reduce Function After writing this article, I realized that there’s a fifth way to convert a tuple to an integer value: To convert a tuple to an integer value, use the reduce() function from the functools library in combination with the lambda function to aggregate the elements using any binary aggregator function such as multiplication, addition, subtraction like so: - Multiplication: functools.reduce(lambda aggregate, element: aggregate * element, t) - Addition: functools.reduce(lambda aggregate, element: aggregate + element, t) - Subtraction: functools.reduce(lambda aggregate, element: aggregate - element, t) Here’s a basic example using the multiplication aggregation for starters: import functools t = (1, 2, 3) res = functools.reduce(lambda aggregate, element: aggregate * element, t) print(res) # 6 Here’s a basic example using the addition aggregation: import functools t = (1, 2, 3) res = functools.reduce(lambda aggregate, element: aggregate + element, t) print(res) # 6 Here’s a basic example using the subtraction aggregation: import functools t = (1, 2, 3) res = functools.reduce(lambda aggregate, element: aggregate - element, t) print(res) # -4 In case you need some repetition or additional information on the reduce() function, run this video: 💡 Info: The reduce() function from Python’s functools module aggregates an iterable to a single element. It repeatedly merges two iterable elements into a single one as defined in the function argument. By repeating this, only a single element will remain — the return.
https://blog.finxter.com/python-tuple-to-integer/
CC-MAIN-2022-21
refinedweb
879
51.18
So they can be reported via telemetry Which histograms? Created attachment 525925 [details] [diff] [review] wip Chromium histogram data structures + accompanying macros. here is a WIP. Created attachment 527162 [details] [diff] [review] histogram support for telemetry This lays the foundation for collecting interesting stats via histograms. I reflected chromium's excellent histogram datastructures into javascript. This allows us to accumulate histogram data in C++ via histogram.h macros and via JavaScript. I exposed histograms via xpconnect, but the actual objects returned are pure javascript objects + a few jsnatives. This means that within JavaScript histograms are a little slow to create and fast to use. Created attachment 527360 [details] Sample visualization Here is a picture of an addon implementing about:histogram with this api Created attachment 528165 [details] [diff] [review] fix bustage on windows Need this to build on windows Comment on attachment 527162 [details] [diff] [review] histogram support for telemetry >diff --git a/xpcom/base/nsITelemetry.idl b/xpcom/base/nsITelemetry.idl >+ * The Original Code is Mozilla Communicator client code, copied from >+ * xpfe/appshell/public/nsIAppShellService.idl Given that this is just how IDLs work, I wouldn't say this. But if there is substantive copying, then you need to leave the original copyright date, not 2011. >+interface nsICmdLineService; definitely don't want this... this interface hasn't existed since Firefox 1.5 >+[scriptable, uuid(5c9afdb5-0532-47f3-be31-79e13a6db642)] >+interface nsITelemetry : nsISupports >+{ >+ /* >+ * Returns an object containing data from all of the currently registered histograms. >+ * { name1: {data1}, name2:{data2}...} >+ * where data is consists of the following properties: >+ * min - Minimal bucket size >+ * max - Maximum bucket size >+ * histogram_type - 0:Exponential, 1:Linear >+ * counts - array representing contents of the buckets in the histogram >+ * sum - sum of the bucket contents >+ */ >+ void getHistograms(); As far as I can tell, all of these methods should be returning 'jsval', not void. mrbkap should confirm this, but you end up with the correct C++ signatures this way and don't need to hack into xpconnect to set proper return values. >+ >+ /* >+ * Create and return a histogram where bucket sizes increase exponentially. Parameters: >+ * name - Unique histogram name >+ * min - Minimal bucket size >+ * max - Maximum bucket size >+ * bucket_count - number of buckets in the histogram. >+ * The returned object has the following functions: >+ * add(int) - Adds an int value to the appropriate bucket >+ * ranges() - Returns an array with calculated bucket sizes >+ * snapshot() - Returns a snapshot of the histogram with the same data fields as in getHistograms() >+ */ These params should use javadoc, e.g. @param name - Unique histogram name. The rest of this is JSAPI stuff that really needs to be reviewed by mrbkap or gal or somebody who really knows JSAPI. Created attachment 528394 [details] [diff] [review] histogram support for telemetry Updated patch that addresses bsmedberg's comments. Using jsvals in idl, changed one of the methods to a readonly property, fixed license comments. Got rid of 2 sources of .ranges in js objects. Comment on attachment 528394 [details] [diff] [review] histogram support for telemetry Review of attachment 528394 [details] [diff] [review]: Why call a file nsTelemetryImpl.cpp? Why not just nsTelemetry.cpp? ::: xpcom/base/nsITelemetry.idl @@ +39,5 @@ +#include "nsISupports.idl" + +[scriptable, uuid(5c9afdb5-0532-47f3-be31-79e13a6db642)] +interface nsITelemetry : nsISupports +{ All of the functions in this interface need a JSContext. We actually have an IDL marking for that now [implicit_jscontext] which takes a JSContext * as the final parameter of each function. It seems like you should use that here. ::: xpcom/base/nsTelemetryImpl.cpp @@ +70,5 @@ + if (!xpConnect) + return NS_ERROR_FAILURE; + + nsresult rv = xpConnect->GetCurrentNativeCallContext(&ncc); + NS_ENSURE_SUCCESS(rv, rv); Using [implicit_jscontext] allows you to get rid of this. @@ +78,5 @@ + + rv = ncc->GetJSContext(cx); + NS_ENSURE_SUCCESS(rv, rv); + + *obj = JS_NewObject(*cx, classp, NULL, NULL); You need to check for failure here. More generally, most JS_* functions can fail. If a JS_* function returns a boolean and isn't marked in the documentation as being infallible, then you have to propagate the failure return value to the caller. That's going to mean that all of the other functions that return void here (I'm thinking of FillRanges and ReflectHistogramSnapshot in particular) need to return bool. JSHistogram_Add also will need to propagate failure information. It's probably also worth detecting when something failed and returning NS_ERROR_FAILURE from the IDL-defined functions. @@ +152,5 @@ + "JSHistogram", /* name */ + JSCLASS_HAS_PRIVATE, /* flags */ + JS_PropertyStub, JS_PropertyStub, JS_PropertyStub, JS_StrictPropertyStub, + JS_EnumerateStub, JS_ResolveStub, JS_ConvertStub, JS_FinalizeStub, + NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL I think you can use JSCLASS_NO_OPTIONAL_MEMBERS here. Created attachment 528492 [details] [diff] [review] histogram support for telemetry Thanks for the quick review. I addressed your comments in this patch. Comment on attachment 528492 [details] [diff] [review] histogram support for telemetry Looks good. The style is odd, but I don't really know what xpcom style is supposed to look like. nsTelemetry.cpp should be called Telemetry.cpp, and everything in that file should be wrapped in namespace mozilla {}, and probably an inner namespace too. (In reply to comment #11) > nsTelemetry.cpp should be called Telemetry.cpp, and everything in that file > should be wrapped in namespace mozilla {}, and probably an inner namespace too. good points. I'll address those in a follow up. (In reply to comment #12) > (In reply to comment #11) > > nsTelemetry.cpp should be called Telemetry.cpp, and everything in that file > > should be wrapped in namespace mozilla {}, and probably an inner namespace too. > > good points. I'll address those in a follow up. Did you file a bug for the follow up? This patch also added an API but it's unclear whether it got super-review, Blake, are you happy to just count your review as a super-review? Comment on attachment 528492 [details] [diff] [review] histogram support for telemetry Sure! I drafted up some docs at Trevor and I have tidied the doc up a bit; it's done.
https://bugzilla.mozilla.org/show_bug.cgi?id=649502
CC-MAIN-2017-09
refinedweb
962
56.66
Many times we need to check if a string has a sequence of characters and take some action based on the result. Example, if you have a list of student records and you want to fetch a student record based on student last name. The solution is to iterate over student records and for each record check if the name of student contains the desired last name. There are a couple of methods in which this can be done in java. java.lang.Stringclass has a containsmethod which takes another string as argument and checks for the presence of string inside another string. It returns trueif the string on which it is called has the string which is supplied to contains method as argument, falseotherwise. Example, "java".contains("String contains")will return falsesince “java” does not contain “String contains” and "javascript".contains("java")will return true since “javascript” contains “java”. Remember that containsdoes a case sensitive comparison. contains example Below is an example that uses contains method to test for the presence of a string inside another string. public class OverloadingDemo { public static void main(String[] args) { String lastName = "Snow"; String name = "John Snow"; // check if last name is present in name if (name.contains(lastName)) { System.out.println(lastName + " is present in " + name); } else { System.out.println(lastName + " is not present in " + name); } } } Above code prints below output Snow is present in John Snow Method 2: Using indexOf java.lang.String class has an indexOf method which takes a string as argument and returns an integer. This integer is the index of first occurrence of the supplied string argument inside the string on which indexOf is called. If the supplied string argument is not present in the string on which this method is called, -1 is returned. Thus, in order to test if a string is present inside a string, indexOf with -1 can be used. Note that string indexing starts at 0 meaning that the first character is at index 0, second at index 1 and so on. Example, "javascript".indexOf("java") will return 0; "burger".indexOf("urge") returns 1. indexOf example Example program demonstrating the use of indexOf method to test if a string is present inside another string. public class OverloadingDemo { public static void main(String[] args) { String pizza= "Pizza"; String burger = "Burger"; // check if last name is present in name if (pizza.indexOf(burger) > -1) { System.out.println(burger + " is present in " + pizza); } else { System.out.println(burger + " is not present in " + pizza); } } } Remember that indexOf does a case sensitive comparison. Thus, "hamburger".indexOf("burger") will return 3 while "hamburger".indexOf("Burger") will return -1. Above program will print the following output. Burger is not present in Pizza
https://codippa.com/how-to-check-if-string-contains-another-string-in-java/
CC-MAIN-2021-04
refinedweb
453
65.32
in reply to Strange error dumping tainted data I think you need to try another approach. Instead of using an 'S' namespace, try putting all the variables you need to save into a global hash (%::S will do). use Storable; $S{scalar} = 5; @{$S{array}} = (5, 6, 7, 8); %{$S{hash}} = (hi => 1, there => 2); Storable::store \%S, 'state.sav'; %S = %{ Storable::retrieve('state.sav') }; [download] $"=$,,$_=q>|\p4<6 8p<M/_|<('=> .q>.<4-KI<l|2$<6%s!<qn#F<>;$, .=pack'N*',"@{[unpack'C*',$_] }"for split/</;$_=$,,y[A-Z a-z] {}cd;print lc [download] I am curious as to why you would suggest using a hash instead of a namespace. Is there a performance or security reason for changing it, or is it just a personal preference thing? There is a great deal of code already written using this method, so I wouldn't want to change it without cause. However, if there is a reason that it should be changed, I would definitly like to know! I was able to find a work-around, so my implementation is functional. I decided to use Data::Dumper instead of Storable for a couple of reasons. With another project, I had to rebuilt a lot of data after upgrading to a newer release of Perl that was not backwards compatible with the preious version of Storable. Also, I occasionally need to view and edit the information stored, and that is just easier with code that has been dumped. Thank you for the reply! A foolish day Just another day Internet cleaning day The real first day of Spring The real first day of Autumn Wait a second, ... is this poll a joke? Results (422 votes), past polls
http://www.perlmonks.org/?node_id=441951
CC-MAIN-2014-15
refinedweb
290
73.07
Originally posted by Barkat Mardhani: q2 is interesting. Left most operand gets the value first. I did not think that way... The question contains a series of simple assignment operators where all of the operands are array access expressions. Starting from the left, the array index expression is evaluated before the right hand operand of the simple assignment operator. Evaluation of the array index expression causes method m to be invoked. The input parameter is the postfix increment expression with the operand i. Since the postfix increment expression returns the original value of the operand, the value zero is passed to method m along with a String containing the character a. Method m returns the value that was passed in as an input parameter. In this case, the return value is zero and method m prints [a,0]. As a side effect of the postfix increment expression, the value of variable i is one after the array index expression is evaluated. The right hand operand of the first simple assignment operator is evaluated next. The right hand operand is another array access expression similar to the first. The only difference is that the value of variable i is now one greater than it was at the time when the previous array access expression was evaluated. This time, method m returns one and prints [b,1]. The final array access expression is evaluated next. Method m returns 2 and prints [c,2]. The statement contains an addition operation. The left operand is a postfix operation and it is evaluated first. The result of the postfix operation is zero, but variable i is incremented as a side effect. The right hand operand of the addition operation is the result of method m. As a side effect, method m prints the current value of variable i which is one. Method m then returns the value zero. The result of the addition operation is zero and that is the value that is assigned to variable i. Originally posted by G Jha: Apologies to the old timer, I mean to "rach hand-ers" (is that the highest level?). Originally posted by G Jha: Great question Dan!! BTW, when I tried the first question I asked (credit goes to Vel Pariasamy and "the notes" for both the questions), I could not believe the answer (i=0) and it puzzled me for a long time.I thought it was an error. Good thing I tried it out by writing a small program. I think the way I understood postfix (and the way its taught almost every where) is at fault. Postfix to me meant (earlier): use the current value and than increment the value of operand. But that does not work here. If that was the case we should have had value 2 for i and not 0. So something fundamental was at fault. The way postfix works is, value of operand is incremented but the return value is one less. So k++ translates to k = k+1; return (k-1); This has been losely translated to "Use the current value and then increment", which works most of the times but not all.
http://www.coderanch.com/t/239428/java-programmer-SCJP/certification/Precedence-Associativity
CC-MAIN-2014-42
refinedweb
526
65.32
9737/differences-between-chain-state-database-hyperledger-fabric What are the main difference between chain and state database in Hyperledger fabric. I'm confusing whether they both are same. There are two place which "store" data in Hyperledger Fabric: 1. the ledger 2. the state database The ledger is the actual "blockchain". It is a file-based ledger which stores serialized blocks. Each block has one or more transactions. Each transaction contains a read-write set which modifies one or more key/value pairs. The ledger is the definitive source of data and is immutable. The state database holds the last known committed value for any given key. It is populated when each peers validates and commits a transaction. The state database can always be rebuilt from re-processing the ledger. There are currently two options for the state database: an embedded LevelDB or an external CouchDB. As an aside, if you are familiar with Hyperledger Fabric channels, there is a separate ledger for each channel as well. Great info here. How would you go about re-processing the ledger? Would you happen to know how long this would take? Thanks There is no benchmark because it all depends on "Length of string".. It would be quicker to reprocess the ledger but there are a lot of chances it wouldn't be successful (Lot of issues posted by people regarding this on the internet even after following the steps right) The safer choice would be to backup the stateDB Hey.. This link should give all the details you need.. Hyperledger Composer is an application development framework ...READ MORE To answer your first query.. Blockchain is ...READ MORE Coins are cryptocurrencies that are independent and ...READ MORE While hyperledger composer is a set of ...READ MORE Summary: Both should provide similar reliability of ...READ MORE This will solve your problem import org.apache.commons.codec.binary.Hex; Transaction txn ...READ MORE To read and add data you can ...READ MORE Hashgraph uses Superior distributed ledger technology. Hashgraph ...READ MORE On higher level comparison, there are quite ...READ MORE OR At least 1 upper-case and 1 lower-case letter Minimum 8 characters and Maximum 50 characters Already have an account? Sign in.
https://www.edureka.co/community/9737/differences-between-chain-state-database-hyperledger-fabric?show=9738
CC-MAIN-2022-40
refinedweb
371
68.47
thanks. but how do I do square root and percentage maths on this? thanks. but how do I do square root and percentage maths on this? here is the code I wrote: import javax.swing.*; import java.awt.MenuBar; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; public class NewCalculator implements... i have used a null layout because according to about.com, using null will allow me to lay the contents manually. package name; //swing library found in javax called to use the graphical contents. import javax.swing.*; //creating the contents for the calculator public class calc { JButton btn1= new... this is the code used to make the calculator work, I have not fully finished it yet. I'm am new to Java programming (at beginners level). //listen to action from the buttons import... what do you mean 'XYZ of NORTH'? do you means the XYZ coordinates? --- Update --- i don't get the third part, could you explain that more clearly, plz. --- Update --- //to assign import... it does not work, will you be able to show me a code to write and try. Cos I tried your method as how I understood it and it did not seem to work. import javax.swing.*; //lays out a grid by row... i tried adding another JFrame for the textbox but that did not work. because i seem to only make one visible with JFrame and not both. import javax.swing.*; //lays out a grid by row and column.... import javax.swing.*; //lays out a grid by row and column.... import javax.swing.*; //lays out a grid by row and column.... 2590 i just need to insert the textbox at the top but I do not know how to. plz help 2589 this is how the calculator should look like how do i change the pl.add("center",pl) to cos if i remove it then the buttons and components in the calculator is positioned incorrectly. I am coding a simple calculator in Eclipse version 4.3.1 and I get this message when I run the program: Exception in thread "main" java.lang.IllegalArgumentException: adding container's parent to...
http://www.javaprogrammingforums.com/search.php?s=4acbb94b779904a5425db9c0775c44da&searchid=1461245
CC-MAIN-2015-14
refinedweb
359
77.43
We have an array A, with n elements. We have to check whether the array is pairwise sorted or not. Suppose the array is like {8, 10, 18, 20, 5, 15}. This is pairwise sorted as (8, 10), (18, 20), (5, 15) are sorted. If the array has an odd number of elements, then the last one will be ignored. The approach is too simple, by taking I from 0 to n-1, we will see if the ith element is less than the i+1th element or not, if not, then return false, otherwise increase I by 2. #include <iostream> #include <cmath> using namespace std; bool isPairwiseSorted(int arr[], int n) { if(n <= 1) return true; for(int i = 0; i<n; i += 2){ if(arr[i] > arr[i + 1]) return false; } return true; } int main() { int arr[] = {8, 10, 18, 20, 5, 15}; int n = sizeof(arr)/sizeof(arr[0]); if(isPairwiseSorted(arr, n)){ cout << "This is pairwise sorted"; } else { cout << "This is not pairwise sorted"; } } This is pairwise sorted
https://www.tutorialspoint.com/check-if-a-given-array-is-pairwise-sorted-or-not-in-cplusplus
CC-MAIN-2021-43
refinedweb
172
65.66
Your app can present an interface allowing the user to edit and send a mail message or an SMS message. Two view controller classes are provided by the Message UI framework; you’ll need to import MessageUI. In addition, the Social framework lets you post to Twitter or Facebook on the user’s behalf. You’ll need to import Social. The classes are: UIActivityViewController (Chapter 13) also provides a unified interface for permitting the user to choose any of the built-in messaging milieus and to send a message through it. However, the Message UI framework and the Social framework remain important, because the user can be presented with a message form without having to pass through an activity view, and because you can fill in fields, such as the To field in a mail composition form, that UIActivityViewController doesn’t let you fill in. New in iOS 8, you write your own share extension to appear in the top row of a UIActivityViewController in any app. This book doesn’t discuss how to write a share extension. The MFMailComposeViewController class, a UINavigationController, allows the user to edit a mail message. The user can ... No credit card required
https://www.safaribooksonline.com/library/view/programming-ios-8/9781491909720/ch20.html
CC-MAIN-2018-34
refinedweb
198
62.17
> There's a bug report on SF that notes there is a difference between: > > def f(x): > class Foo: > x = x > > and > > x = 1 > class Foo: > x = x > > The latter works because the class namespace uses LOAD_NAME and finds > a global binding for x. The fact that x is also a local is invisible > to LOAD_NAME. > > The former fails because x is none of locals, globals, or builtins, > although it is bound in an enclosing scope. LOAD_NAME knows nothing > about free variables, however, so it just blows up. > > Do we want to do anything about this apparent inconsistency? > > LOAD_NAME is obviously necessary to make stuff like exec work at all, > and after a recent bug fix, it evens works as documented for nested > scopes. But the docs for a class namespace (there aren't any, right?) > don't suggest there is anything special going on. > > I imagine it would be possible to stop using LOAD_NAME for classes, > but I'm not sure if that's a good thing. It could presumably break > code that relies on LOAD_NAME's old fashioned search. It also seems > like a non trivial amount of work because we'd need a new LOAD/STORE > combo that only searched a locals dict. (Maybe that's not so hard.) > > I think module namespaces also use LOAD_NAME, but it's not clear why. > Isn't a module's locals the same as its globals? If so, LOAD_GLOBAL > could be used for all names. > > Any opinion on whether this is worth fixing? And is it a bug fix or a > new feature? I just tried this in 2.1 (without nested scopes enabled) and there the first example fails too. While it's slightly confusing, it's consistent with the rule that class bodies don't play the nested scopes game, and I think it shouldn't be fixed. Otherwise you'd have the confusing issue that a function inside a class can't see the class scope, but a class inside a function can see the function scope. Better if neither can see the other. --Guido van Rossum (home page:)
https://mail.python.org/pipermail/python-dev/2002-April/023428.html
CC-MAIN-2019-39
refinedweb
352
73.78
\input texinfo @c -*-texinfo-*- @c %**start of header @setfilename nettle.info @settitle The Nettle low-level cryptographic library. @c %**end of header @syncodeindex fn cp @dircategory GNU Libraries @direntry * Nettle: (nettle). A low-level cryptographics library. @end direntry @set UPDATED-FOR 0.2 @c Latin-1 doesn't work with tex output. @c Also lookout for é characters. @set AUTHOR Niels Möller @ifinfo Draft manual for the Nettle library. This manual corresponds to version @value{UPDATED @sp 10 @c @center @titlefont{Nettle Manual} @title Nettle Manual @subtitle For the Nettle Library version @value{UPDATED-FOR} @author @value{AUTHOR} @c The following two commands start the copyright page. @page @vskip 0pt plus 1fill, Introduction, (dir), (dir) @comment node-name, next, previous, up @top This document describes the nettle low-level cryptographic library. You can use the library directly from your C-programs, or (recommended) write or use an object-oriented wrapper for your favourite language or application. This manual coresponds to version @value{UPDATED-FOR} of the library. * Introduction:: * Conventions:: * Example:: * Reference:: * Installation:: * Index:: @end menu @end ifnottex @node Introduction, Copyright, Top, Top @comment node-name, next, previous, up @chapter Introduction @emph, banchmarks, documentation, etc. For this first version, the only application using Nettle is LSH, and it uses an object-oriented abstraction on top of the library. @node Copyright, Conventions, Introduction, Top @comment node-name, next, previous, up @chapter Copyright Nettle is distributed under the GNU General Public License (see the file COPYING for details). However, many of the individual files are dual licensed under less restrictive licenses like the GNU Lesser General Public License, or public domain. Consult the headers in each file for details. It is conceivable that future versions will use the LGPL rather than the GPL, mail me if you have questions or suggestions. A list of the supported algorithms, their origins and licenses: @table @emph @item AES The implementation of the AES cipher (also known as rijndael) is written by Rafael Sevilla. Released under the LGPL. @item ARCFOUR The implementation of the ARCFOUR (also known as RC4) cipher is written by Niels Möller. Released under the LGPL. @item BLOWFISH The implementation of the BLOWFISH cipher is written by Werner Koch, copyright owned by the Free Software Foundation. Also hacked by Ray Dassen and Niels Möller. Released under the GPL. @item CAST128 The implementation of the CAST128 cipher is written by Steve Reid. Released into the public domain. @item DES The implementation of the DES cipher is written by Dana L. How, and released under the LGPL. @item MD5 The implementation of the MD5 message digest is written by Colin Plumb. It has been hacked some more by Andrew Kuchling and Niels Möller. Released into the public domain. @item SERPENT The implementation of the SERPENT cipher is written by Ross Anderson, Eli Biham, and Lars Knudsen, adapted to LSH by Rafael Sevilla, and to Nettle by Niels Möller. @item SHA1 The implementation of the SHA1 message digest is written by Peter Gutmann, and hacked some more by Andrew Kuchling and Niels Möller. Released into the public domain. @item TWOFISH The implementation of the TWOFISH cipher is written by Ruud de Rooij. Released under the LGPL. @end table @node Conventions, Example, Copyright, Top @comment node-name, next, previous, up @chapter Conventions For each supported algorithm, there is an include file that defines a @emph{context struct}, a few constants, and declares functions for operating on the state. The context struct encapsulates all information needed by the algorithm, and it can be copied or moved in memory with no unexpected effects. The functions for similar algorithms are similar, but there are some differences, for instance reflecting if the key setup or encryption function differ for encryption and encryption, and whether or not key setup can fail. There are also differences that doesn't show in function prototypes, but which the application must nevertheless be aware of. There is no difference between stream ciphers and block ciphers, although they should be used quite differently by the application. If your application uses more than one algorithm, you should probably create an interface that is tailor-made for your needs, and then write a few lines of glue code on top of Nettle. By convention, for an algorithm named @code{foo}, the struct tag for the context struct is @code{foo_ctx}, constants and functions uses prefixes like @code{FOO_BLOCK_SIZE} (a constant) and @code{foo_set_key} (a function). In all functions, strings are represented with an explicit length, of type @code{unsigned}, and a pointer of type @code{uint8_t *} or a @code{const uint8_t *}. For functions that transform one string to another, the argument order is length, destination pointer and source pointer. Source and destination areas are of the same length. Source and destination may be the same, so that you can process strings in place, but they must not overlap in any other way. @node Example, Reference, Conventions, Top @comment node-name, next, previous, up @chapter Example A simple example program that reads a file from standard in and writes its SHA1 checksum on stdout should give the flavour of Nettle. @example /* FIXME: This code is untested. */ #include <stdio.h> #include <stdlib.h> #include <nettle/sha1.h> #define BUF_SIZE 1000 static void display_hex(unsigned length, uint8_t *data) @{ static const char digits[16] = "0123456789abcdef"; unsigned i; for (i = 0; i<length; i++) @{ uint8_t byte = data[i]; printf("%c%c ", digits[(byte / 16) & 0xf], digits[byte & 0xf]); @} @} int main(int argc, char **argv) @{ struct sha1_ctx ctx; uint8_t buffer[BUF_SIZE]; uint8_t digest[SHA1_DIGEST_SIZE]; sha1_init(&ctx); for (;;) @{ int done = fread(buffer, 1, sizeof(buffer), stdin); if (done <= 0) break; sha1_update(&ctx, done, buf); @} if (ferror(stdin)) return EXIT_FAILURE; sha1_finish(&ctx); sha1_digest(&ctx, SHA1_DIGEST_SIZE, digest); display_hex(SHA1_DIGEST_SIZE, digest); return EXIT_SUCCESS; @} @end example @node Reference, Installation, Example, Top @comment node-name, next, previous, up @chapter Reference This chapter describes all the Nettle functions, grouped by family. * Hash functions:: * Cipher functions:: * Miscellaneous functions:: @end menu @node Hash functions, Cipher functions, Reference, Reference @comment node-name, next, previous, up @section Hash functions A cryptographic @dfn{hash function} is a function that takes variable size strings, and maps them to strings of fixed, short, length. There are naturally lots of collisions, as there are more possible 1MB files than 20 byte strings. But the function is constructed such that is hard to find the collisions. More precisely, a cryptographic hash function @code{H} should have the following properties: @table @emph @item One-way Given a hash value @code{H(x)} it is hard to find a string @code{x} that hashes to that value. @item Collision-resistant It is hard to find two different strings, @code{x} and @code{y}, such that @code{H(x)} = @code{H(y)}. @end table Hash functions are useful as building blocks for digital signatures, message authentication codes, pseudo random generators, associating unique id:s to documents, and many other things. @subsection @acronym{MD5} MD5 is a message digest function constructed by Ronald Rivest, and described in @cite{RFC 1321}. It outputs message digests of 128 bits, or 16 octets. Nettle defines MD5 in @file{<nettle/md5.h>}. @deftp {Context struct} {struct md5_ctx} @end deftp @defvr Constant MD5_DIGEST_SIZE The size of an MD5 digest, i.e. 16. @end defvr @defvr Constant MD5_DATA_SIZE The internal block size of MD5. Useful for some special constructions, in particular HMAC-MD5. @end defvr @deftypefun void md5_init (struct md5_ctx *@var{ctx}) Initialize the MD5 state. @end deftypefun @deftypefun void md5_update (struct md5_ctx *@var{ctx}, unsigned @var{length}, const uint8_t *@var{data}) Hash some more data. @end deftypefun @deftypefun void md5_final (struct md5_ctx *@var{ctx}) Performs final processing that is needed after all input data has been processed with @code{md5_update}. @end deftypefun @deftypefun void md5_digest (struct md5_ctx *@var{ctx}, unsigned @var{length}, uint8_t *@var{digest}) Extracts the digest, writing it to @var{digest}. @var{length} may be smaller than @code{MD5_DIGEST_SIZE}, in which case only the first @var{length} octets of the digest are written. This functions doesn't change the state in any way. @end deftypefun The normal way to use MD5 is to call the functions in order: First @code{md5_init}, then @code{md5_update} zero or more times, then @code{md5_final}, and at last @code{md5_digest} zero or more times. To start over, you can call @code{md5_init} at any time. @subsection @acronym{SHA1} SHA1 is a hash function specified by @dfn{NIST} (The U.S. National Institute for Standards and Technology. It outputs hash values of 160 bits, or 20 octets. Nettle defines SHA1 in @file{<nettle/sha1.h>}. The functions are analogous to the MD5 ones. @deftp {Context struct} {struct sha1_ctx} @end deftp @defvr Constant SHA1_DIGEST_SIZE The size of an SHA1 digest, i.e. 20. @end defvr @defvr Constant SHA1_DATA_SIZE The internal block size of SHA1. Useful for some special constructions, in particular HMAC-SHA1. @end defvr @deftypefun void sha1_init (struct sha1_ctx *@var{ctx}) Initialize the SHA1 state. @end deftypefun @deftypefun void sha1_update (struct sha1_ctx *@var{ctx}, unsigned @var{length}, const uint8_t *@var{data}) Hash some more data. @end deftypefun @deftypefun void sha1_final (struct sha1_ctx *@var{ctx}) Performs final processing that is needed after all input data has been processed with @code{sha1_update}. @end deftypefun @deftypefun void sha1_digest (struct sha1_ctx *@var{ctx}, unsigned @var{length}, uint8_t *@var{digest}) Extracts the digest, writing it to @var{digest}. @var{length} may be smaller than @code{SHA1_DIGEST_SIZE}, in which case only the first @var{length} octets of the digest are written. This functions doesn't change the state in any way. @end deftypefun @node Cipher functions, Miscellaneous functions, Hash functions, Reference @comment node-name, next, previous, up @section Cipher functions A @dfn{cipher} is a function that takes a message or @dfn{plaintext} and a secret @dfn{key} and transforms it to a @dfn{ciphertext}. Given only the ciphertext, but not the key, it should be hard to find the cleartext. Given matching pairs of plaintext and ciphertext, it should be hard to find the key. To do this, you first initialize the cipher context for encryption or decryption with a particular key, then use it to process plaintext och ciphertext messages. The initialization is also called @dfn{key setup}. With Nettle, it is recommended to use each context struct for only one direction, even if some of the ciphers use a single key setup function that can be used for both encryption and decryption. There are two main classes of ciphers: Block ciphers and stream ciphers. A block cipher can process data only in fixed size chunks, called @dfn{blocks}. Typical block sizes are 8 or 16 octets. To encrypt arbitrary messages, you usually have to pad it to an integral number of blocks, split it into blocks, and then process each block. The simplest way is to process one block at a time, independent of each other. That mode of operation is called @dfn{ECB}, Electronic Code Book mode. However, using ECB is usually a bad idea. For a start, plaintext blocks that are equal are transformed to ciphertext blocks that are equal; that leaks information about the plaintext. Usually you should apply the cipher is some feedback mode, @dfn{CBC} (Cipher Block Chaining) being one of the most popular. A stream cipher can be used for messages of arbitrary length; a typical stream cipher is a keyed pseudorandom generator. To encrypt a plaintext message of @var{n} octets, you key the generator, generate @var{n} octets of pseudorandom data, and XOR it with the plaintext. To decrypt, regenerate the same stream using the key, XOR it to the ciphertext, and the plaintext is recovered. @strong{Caution:} The first rule for this kind of cipher is the same as for a One Time Pad: @emph{never} ever use the same key twice. A common misconception is that encryption, by itself, implies authentication. Say that you and a friend share a secret key, and you receive an encrypted message, apply the key, and get a cleartext message that makes sense to you. Can you then be sure that it really was your friend that wrote the message you're reading? The anser is no. For example, if you were using a block cipher in ECB mode, an attacker may pick up the message on its way, and reorder, delete or repeat some of the blocks. Even if the attacker can't decrypt the message, he can change it so that you are not reading the same message as your friend wrote. If you are using a block cipher in CBC mode rather than ECB, or are using a stream cipher, the possibilities for this sort of attack are different, but the attacker can still make predictable changes to the It is recommended to @emph{always} use an authentication mechanism in addition to encrypting the messages. Popular choices are Message Authetication Codes like HMAC-SHA1, or digital signatures. Some ciphers have so called "weak keys", keys that results in undesirable structure after the key setup processing, and should be avoided. In Nettle, the presence of weak keys for a cipher mean that the key setup function can fail, so you have to check its return value. In addition, the context struct has a field @code{status}, that is set to a non-zero value if key setup fails. When possible, avoid algorithm that have weak keys. There are several good ciphers that don't have any weak keys. @subsection AES AES is a quite new block cipher, specified by NIST as a replacement for the older DES standard. It is the result of a competition between cipher designers, and the winning design, constructed by Joan Daemen and Vincent Rijnmen. Before it won the competition, it was known under the name RIJNDAEL. Like all the AES candidates, the winning design uses a block size of 128 bits, or 16 octets, and variable keysize, 128, 192 and 256 bits (16, 24 and 32 octets) being the allowed key sizes. It does not have any weak keys. Nettle defines AES in @file{<nettle/aes.h>}. @deftp {Context struct} {struct aes_ctx} @end deftp @defvr Constant AES_BLOCK_SIZE The AES blocksize, 16 @end defvr @defvr Constant AES_MIN_KEY_SIZE @end defvr @defvr Constant AES_MAX_KEY_SIZE @end defvr @defvr Constant AES_KEY_SIZE Default AES key size, 32 @end defvr @deftypefun void aes_set_key (struct aes_ctx *@var{ctx}, unsigned @var{length}, const uint8_t *@var{key}) Initialize the cipher. The same function is used for both encryption and decryption. @end deftypefun @deftypefun void aes_encrypt (struct aes_ctx *@var{ctx}, unsigned @var{length}, const uint8_t *@var{dst}, uint8_t *@var{src}) Encryption function. @var{length} must be an integral multiple of the block size. If it is more than one block, the data is processed in ECB mode. @code{src} and @code{dst} may be equal, but they must not overlap in any other way. @end deftypefun @deftypefun void aes_decrypt (struct aes_ctx *@var{ctx}, unsigned @var{length}, const uint8_t *@var{dst}, uint8_t *@var{src}) Analogous to @code{aes_encrypt} @end deftypefun @subsection ARCFOUR ARCFOUR is a stream cipher, also known under the trade marked name RC4, and it is one of the fastest ciphers around. A problem is that the key setup of ARCFOUR is quite weak, you should never use keys with structure, keys that are ordinary passwords, or sequences of keys like "secret:1", "secret:2", @enddots{}. If you have keys that don't look like random bit strings, and you want to use ARCFOUR, always hash the key before feeding it to ARCFOUR. For example @example /* A more robust key setup function for ARCFOUR */ void my_arcfour_set_key(struct arcfour_ctx *ctx, unsigned length, const uint8_t *key) @{ struct sha1_ctx hash; uint8_t digest[SHA1_DIGEST_SIZE]; sha1_init(&hash); sha1_update(&hash, length, key); sha1_final(&hash); sha1_digest(&hash, SHA1_DIGEST_SIZE, digest); arcfour_set_key(ctx, SHA1_DIGEST_SIZE, digest); @} @end example Nettle defines ARCFOUR in @file{<nettle/arcfour.h>}. @deftp {Context struct} {struct arcfour_ctx} @end deftp @defvr Constant ARCFOUR_BLOCK_SIZE The ARCFOUR blocksize, 16 @end defvr @defvr Constant ARCFOUR_MIN_KEY_SIZE Minimum key size, 1 @end defvr @defvr Constant ARCFOUR_MAX_KEY_SIZE Maximum key size, 256 @end defvr @defvr Constant ARCFOUR_KEY_SIZE Default ARCFOUR key size, 16 @end defvr @deftypefun void arcfour_set_key (struct arcfour_ctx *@var{ctx}, unsigned @var{length}, const uint8_t *@var{key}) Initialize the cipher. The same function is used for both encryption and decryption. @end deftypefun @deftypefun void arcfour_crypt (struct arcfour_ctx *@var{ctx}, unsigned @var{length}, const uint8_t *@var{key}) Encrypt some data. The same function is used for both encryption and decryption. Unlike the block ciphers, this function modifies the context, so you can split the data into arbitrary chunks and encrypt them one after another. The result is the same as if you had called @code{arcfour_crypt} only once with all the data. @end deftypefun @subsection CAST128 @subsection BLOWFISH @subsection DES @subsection SERPENT @subsection TWOFISH @node Miscellaneous functions, , Cipher functions, Reference @comment node-name, next, previous, up @section Miscellaneous functions @node Installation, Index, Reference, Top @comment node-name, next, previous, up @chapter Installation Nettle uses @command{autoconf} and @command{automake}. To build it, unpack the source and run @example ./configure make make check make install @end example to install in the default location, @file{/usr/local}. The library is installed in @file{/use/local/lib/libnettle.a} and the include files are installed in @file{/use/local/include/nettle/}. Only static libraries are installed. @node Index, , Installation, Top @comment node-name, next, previous, up @unnumbered Function and Concept Index @printindex cp @bye
https://git.lysator.liu.se/briansmith/nettle/-/blame/08b250a612b20b3d5b37f10db07f5831110ae2c6/nettle.texinfo
CC-MAIN-2021-25
refinedweb
2,882
53
Observations & Surprises This project has been a very interesting journey researching a wide variety of invisible potential hazards, designing systems to measure invisible hazards, building wearable instrumentation and testing my environment to see what invisible hazards might be present. It is probably obvious from the content of my blogs that I learned a lot, actually way too much to fit into a few blogs, but the big surprise for me was how much fun it was. I anticipated the usual thrill I get from designing things and making them work, but I did not foresee how much fun it would be to use the instrumentation to examine my environment. It is a bit like the first time you got to play with a magnifying glass – you just run around looking at absolutely everything in a new way. It was also surprising to me how many people around me took an interest and wanted to examine their own environments. Normally talking about my projects is a good way to elicit glazed looks of boredom, but with this project, so many people wanted to borrow instrumentation it was tough to hang onto it long enough to take my own measurements. The Kit I am very happy the EXP432P401R was the required processor module for this design challenge as I might not have discovered it otherwise. This module is a very powerful, very capable and cost-effective platform for applications like this and will definitely be a favourite choice for future projects. The development environment was very easy to learn and use, especially since there were good examples available for most of the functionality I wanted to implement. The comprehensive kit of modules supplied with the challenge (thanks Texas Instruments and element14) really allowed a complete wireless instrument with LCD to be implemented without even having to use wires and cables. Normally building such a platform would be an ambitious undertaking on its own, but with these plug-and-play booster packs and existing software examples, it enables projects to start with a complete, highly functional system and go beyond just getting some computer hardware to work. Highlights I got to design a custom sensor booster pack and the clear documentation available from Texas Instruments allowed it to work flawlessly without rework, respin or modification. It is really worth taking the time to do the job well – the gratification (and relief ) is immense. I also got to design many 3D printed parts, continuing my mechanical design learning journey. It has been a long project with many little problems to overcome, but all the things I've learned and all the things I've accomplished in this project have made it a truly fabulous experience. This is probably my last blog during this challenge as I have other projects that need attention, but you never know – I certainly will continue to work on the system and use it – the novelty has not worn off yet. I did want to publish the software I used in the project - for completeness. However, I don't claim any kind of quality for the software, it lacks error checking and handling among other issues. One feature I didn't mention in my other blogs is if the right switch is held down during boot, the sensor system will run stand-alone, without WiFi. IHEF Sensor MQTT Publishing Firmware // Invisible Hazardous Environmental Factors (IHEF) Monitoring System // Gas sensor, UV measurement and MQTT publishing software // by Doug Wong // 2017 - 06 // rev 01 #include <SPI.h> #include <WiFi.h> #include <WifiIPStack.h> #include <Countdown.h> #include <MQTTClient.h> #include <OneMsTaskTimer.h> #include <LCD_SharpBoosterPack_SPI.h> #include <Wire.h> // network name also called SSID char ssid[] = "AndroidAP"; //network name - this should be altered for your system *** // network password char password[] = "aaaaaa"; //network password - this should be altered for your system *** // Cloud Settings #define MQTT_MAX_PACKET_SIZE 100 #define SERVERURLLEN 14 #define IOTFSERVER "xxx.xxx.x.xx" //server URL - this should be altered for your system *** char organization[] = ""; char typeId[] = "iotsample-ti-energia"; char pubtopic[] = "IHEF"; char deviceId[] = "000000000000"; char clientId[64]; uint8_t macOctets[6]; // DAS Variables LCD_SharpBoosterPack_SPI myScreen; int AlcPin = A11; //MQ3 - Alcohol int COPin = A14; //MQ7 - Carbo Monoxide int AQPin = A13; //MQ135 - Air Quality int CO2Pin = A8; //CO2 int UVPin = A9; //Ultraviolet Light int AlcValue = 0; //MQ3 - Alcohol int COValue = 0; //MQ7 - Carbo Monoxide int AQValue = 0; //MQ135 - Air Quality int CO2Value = 0; //CO2 int UVValue = 0; //Ultraviolet Light int AlcHpin = 31; //MQ3 Heater int COHpin = 38; //MQ7 Heater int AQHpin = 32; //MQ135 Heater String AlcStr; //string to display alcohol value String COStr; //string to display CO value String AQStr; //string to display air quality value String CO2Str; //string to display CO2 value String UVStr; //string to display UV value float AlcR; //floating point value for alcohol float COR; //floating point value for CO float AQR; //floating point value for air quality float CO2R; //floating point value for CO2 float UVR; //floating point value for UV float AlcS; //floating point value for saved alcohol float COS; //floating point value for saved CO float AQS; //floating point value for saved air quality float CO2S; //floating point value for saved CO2 float UVS; //floating point value for saved UV int SCTR = 0; //seconds counter int PCTR = 0; //publish counter int PubFlag = 0; const int buttonPin = PUSH2; // the number of the pushbutton pin int buttonState = 0; // variable for reading the pushbutton status int WiFiFlag = 1; //flag to enable WiFi char mqttAddr[SERVERURLLEN]; int mqttPort = 1883; MACAddress mac; WifiIPStack ipstack; MQTT::Client<WifiIPStack, Countdown, MQTT_MAX_PACKET_SIZE> client(ipstack); void setup() { uint8_t macOctets[6]; // setup LCD to display sensor data pinMode(AlcHpin, OUTPUT); //heater control pin pinMode(COHpin, OUTPUT); //heater control pin pinMode(AQHpin, OUTPUT); //heater control pin // initialize the pushbutton pin as an input: pinMode(buttonPin, INPUT_PULLUP); // setup LCD to display sensor data myScreen.begin(); myScreen.clearBuffer(); myScreen.setFont(0); Serial.begin(115200); // read the state of the pushbutton value: buttonState = digitalRead(buttonPin); //if the pushbutton is pressed on startup disable WiFi if (buttonState == LOW) { WiFiFlag = 0; } if (WiFiFlag){ // attempt to connect to Wifi network: myScreen.text(5, 1, "Connecting..."); myScreen.flush(); // Connect to WPA/WPA2 network. Change this line if using open or WEP network: WiFi.begin(ssid, password); while ( WiFi.status() != WL_CONNECTED) { // flash + while we wait to connect myScreen.text(86, 1, "+"); myScreen.flush(); delay(200); myScreen.text(86, 1, " "); myScreen.flush(); delay(100); } myScreen.text(5, 1, "WiFi Connected "); myScreen.text(5, 16, "Waiting for ip"); myScreen.flush(); while (WiFi.localIP() == INADDR_NONE) { // wait for an ip addresss delay(300); } // We are connected and have an IP address. myScreen.text(5, 1, "IP obtained"); myScreen.text(5, 16, WiFi.localIP()); mac = WiFi.macAddress(macOctets); // Use MAC Address as deviceId sprintf(deviceId, "%02x%02x%02x%02x%02x%02x", macOctets[0], macOctets[1], macOctets[2], macOctets[3], macOctets[4], macOctets[5]); sprintf(clientId, "d:%s:%s:%s", organization, typeId, deviceId); sprintf(mqttAddr, IOTFSERVER); } delay(400); //to allow the text to be read before erasing myScreen.clear(); myScreen.text(5, 1, "STARTING DAS"); myScreen.flush(); delay(300); //to allow the text to be read before erasing myScreen.clear(); myScreen.clearBuffer(); //display sensor labels myScreen.setFont(1); myScreen.text(5, 1, "SENSORS"); myScreen.setFont(0); myScreen.text(5, 22, "Alc"); myScreen.text(5, 37, "CO"); myScreen.text(5, 52, "AQ"); myScreen.text(5, 67, "CO2"); myScreen.text(5, 82, "UV"); myScreen.flush(); } void loop() { int rc = -1; if (SCTR >= 0 && SCTR < 60) //turn on alcohol heater for 60 seconds digitalWrite(AlcHpin, 1); //turn on heater digitalWrite(COHpin, 0); //turn off heater digitalWrite(AQHpin, 0); //turn off heater if (SCTR > 58 && SCTR < 120) //turn on CO heater for 60 seconds { digitalWrite(AlcHpin, 0); //turn off heater digitalWrite(COHpin, 1); //turn on heater digitalWrite(AQHpin, 0); //turn off heater } if (SCTR > 118 && SCTR < 180) //turn on AQ heater for 60 seconds { digitalWrite(AlcHpin, 0); //turn off heater digitalWrite(COHpin, 0); //turn off heater digitalWrite(AQHpin, 1); //turn on heater } SCTR++; //increment seconds counter PCTR++; //increment publish counter if (SCTR > 179) //reset seconds counter { SCTR = 0; } if (PCTR > 6) //reset publish counter { PCTR = 0; } //Read Sensors AlcValue = analogRead(AlcPin); //read Alcohol sensor COValue = analogRead(COPin); //read CO sensor AQValue = analogRead(AQPin); //read Air Quality sensor CO2Value = analogRead(CO2Pin); //read CO2 sensor UVValue = analogRead(UVPin); //read UV sensor AlcR = (float)AlcValue; COR = (float)COValue; AQR = (float)AQValue; CO2R = (float)CO2Value; UVR = (float)UVValue; if (SCTR == 178) //save good alcohol reading { AlcS = AlcR; } if (SCTR == 118) //save good CO reading { COS = COR; } if (SCTR == 58) //save good AQ reading { AQS = AQR; } AlcStr = String(AlcValue); //convert reading to ASCII for display COStr = String(COValue); //convert reading to ASCII AQStr = String(AQValue); //convert reading to ASCII CO2Str = String(CO2Value); //convert reading to ASCII UVStr = String(UVValue); //convert reading to ASCII myScreen.setFont(0); myScreen.text(40, 22, AlcStr + " "); //display alcohol myScreen.text(40, 37, COStr + " "); //display CO myScreen.text(40, 52, AQStr + " "); //display Air Quality myScreen.text(40, 67, CO2Str + " "); //display CO2 myScreen.text(40, 82, UVStr + " "); //display UV myScreen.text(70, 22, "ppm"); //display units myScreen.text(70, 37, "ppm"); //display units myScreen.text(70, 52, "ppm"); //display units myScreen.text(70, 67, "ppm"); //display units myScreen.text(70, 82, "idx"); //display units myScreen.flush(); delay (1000); if (WiFiFlag) { if (PCTR == 5) //publish on the 5th second of every 6 seconds { if (!client.isConnected()) { // if (WiFi.status() == WL_CONNECTED) { while (rc != 0) { rc = ipstack.connect(mqttAddr, mqttPort); } MQTTPacket_connectData connectData = MQTTPacket_connectData_initializer; connectData.MQTTVersion = 3; connectData.clientID.cstring = clientId; rc = -1; while ((rc = client.connect(connectData)) != 0) ; } //make up messages to publish data and send char ALCjson[12] = "Alc: "; dtostrf(AlcS,1,2, &ALCjson[5]); // ALCjson[1] = '{'; ALCjson[10] = '}'; ALCjson[11] = '\0'; MQTT::Message message; message.qos = MQTT::QOS0; message.retained = false; message.payload = ALCjson; message.payloadlen = strlen(ALCjson); rc = client.publish(pubtopic, message); if (rc != 0) { // error code processing } char COjson[12] = "CO : "; dtostrf(COS,1,2, &COjson[5]); // COjson[1] = '{'; COjson[10] = '}'; COjson[11] = '\0'; message.payload = COjson; message.payloadlen = strlen(COjson); rc = client.publish(pubtopic, message); if (rc != 0) { // error code processing } char AQjson[12] = "AQ: "; dtostrf(AQS,1,2, &AQjson[5]); // AQjson[1] = '{'; AQjson[10] = '}'; AQjson[11] = '\0'; message.payload = AQjson; message.payloadlen = strlen(AQjson); rc = client.publish(pubtopic, message); if (rc != 0) { // error code processing } char CO2json[12] = "CO2: "; dtostrf(CO2R,1,2, &CO2json[5]); // CO2json[1] = '{'; CO2json[10] = '}'; CO2json[11] = '\0'; message.payload = CO2json; message.payloadlen = strlen(CO2json); rc = client.publish(pubtopic, message); if (rc != 0) { // error code processing } char UVjson[12] = "UV: "; dtostrf(UVR,1,2, &UVjson[5]); // UVjson[1] = '{'; UVjson[10] = '}'; UVjson[11] = '\0'; message.payload = UVjson; message.payloadlen = strlen(UVjson); rc = client.publish(pubtopic, message); if (rc != 0) { // error code processing } } } } IHEF MQTT Subscriber Firmware /*[] = "aaaaaa"; //network name – change to your system *** // your network password char password[] = "aaaaaa"; //network password – change to your system*** // MQTTServer to use char server[] = "xxx.xxx.x.xx"; //server URL – change to your system*** // String dstring; String astring; char dchar[22]; LCD_SharpBoosterPack_SPI myScreen; //callback section retrieves subscribed data and displays it void callback(char* topic, byte* payload, unsigned int length) { char *cstring = (char *) payload; char *dstring = (char *) payload; for (int i=0; i<=10; i++) { dstring[i] = cstring[i]; } if (cstring[1] == 108) // ALC { myScreen.text(5, 17, dstring); myScreen.text(65, 17, " ppm "); } if (cstring[2] == 32) // CO { myScreen.text(5, 32, dstring); myScreen.text(65, 32, " ppm "); } if (cstring[1] == 81) // AQ { myScreen.text(5, 47, dstring); myScreen.text(65, 47, " ppm "); } if (cstring[2] == 50) // CO2 { myScreen.text(5, 62, dstring); myScreen.text(65, 62, " ppm "); } if (cstring[0] == 85) // UV { myScreen.text(5, 77, subscribed to client.poll(); delay(1000); } It has been fun and informative reading other entries in this challenge, and interacting with participants, I hope everyone enjoyed it as much as I did. Links to all blogs and videos that document this project are listed here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 of 22 - blog 1 Safe and Sound - Hazardous Factors System - Development Plan - blog 2 Safe and Sound - Hazardous Factor - UV Light - blog 3 Safe and Sound - Hazardous Factor - Air Quality - blog 4 Safe and Sound - Hazardous Gasses PCB - blog 5 Safe and Sound - Hazardous Factor - Radon - blog 6 Safe and Sound - Invisible Hazards System - Kit Unboxing - blog 7 Safe and Sound - MSP-EXP432P401 & Sharp LCD - blog 8 Safe and Sound - Hazardous Factors MQTT Broker - blog 9 Safe and Sound - Hazardous Factors Sensor PCB - blog 10 Safe and Sound - Hazardous Environmental Factors - ELF - blog 11 Safe and Sound - Hazardous Factors MQTT Subscriber & Publisher - blog 12 Safe and Sound - Hazardous Factors System - ARM Car - blog 13 Safe and Sound - Environmental Factors - Wearables - blog 14 Safe and Sound - Environmental Factors - Microwaves - blog 15 Safe and Sound - Environmental Factors - GAS Sensors - blog 16 Safe and Sound - Hazardous Factors Monitoring System - Gas Sensors Module - blog 17 Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 18 Safe and Sound - Cell Phone Shield Test - blog 19 Safe and Sound - Invisible Hazards Project Spin-offs - blog 20 Safe and Sound - Gas Sensor Demo - blog 21 Safe and Sound - Ultraviolet Light Tests - blog 22 Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System Conclusions - blog 23 Safe and Sound Kit Unboxing MSP-EXP432P401R Publishing Sensor Data to an MQTT Broker Safe and Sound Hazardous Factors Sensor PCB MQTT Publisher and Subscriber Wearable Environmental Factors Instruments Gas Sensors Module Power Up Invisible Hazardous Environmental Factors System I have been waiting for a week to do some ultraviolet light tests - the sun just never seems to shine when I need it. I calibrated the UV sensor output to match the UV Index and wanted to test it in real sunlight. The UV Index was developed in Canada in 1992 and subsequently adopted by the World Health Organization and the World Meterological Organization in 1994. This table shows the UV Index scale and what it means: The weather forecasts here show the UV Index for every hour. In the video below, I strapped the wearable sensors to a beer stein so they could be consistently aimed at the sun and stationary for the video. Note that the MQTT subscriber shows the UV Index with more resolution in case it is of interest. (delayed of course by about 11 seconds due to publishing schedules) The video demonstrates sunglasses and clothing work well to reduce UV exposure. By the way it is pretty cool that the system can access my Wi-Fi quite far from the house. UPDATE I did a quick experiment on dwinhold suggestion to see if I could measure sunscreen lotion performance. In the following 3 images the actual UV Index is always 5.48 as shown in the first image with no sunscreen. The second image shows the reading with a clear plastic sheet over the sensor. (It attenuates the UV Index to 4.52) The third image shows the reading with a clear plastic sheet plus SPF30 sunscreen lotion. (It attenuates the UV Index to 3.11) The sunscreen lotion was applied in a thin coating - hard to measure or describe the thickness of the coating, but is visible in the images on the right side of the plastic sheet. If the readings are accurate the clear plastic reduced the UV Index by 0.91 and the sunscreen lotion with plastic sheet reduced it by 2.37. Therefore the sunscreen lotion is contributing a reduction of 1.41 in the UV Index. I suspect the influence of visible light is making these differences smaller than true values, but even in this test sunscreen lotion significantly outperformed the plastic sheet. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 It has been a very hectic week including a softball tournament on the weekend, but I did manage to squeeze in some work on calibrating my gas sensor module which is based on the TI MSP EXP432P401R launchpad. The 18 turn offset and gain pots on my custom sensor card make it easy to adjust the sensor outputs to fit any two point calibration. If linearization is needed, it would be done in software, however I don't have a way to map such curves yet. All sensors have been zeroed and the CO2 sensor is calibrated. The following video demonstrates the alcohol sensor, the CO2 sensor and the UV sensor in action. The other 2 sensors are also working in the video, I just wasn't blowing any gasses specifically at them. All gas sensors are setup to be quite sensitive, making it easy to detect when the gasses present stray away from normal concentrations. This does result in it being quite easy to make them reach the maximum ADC reading. The ADC inputs are protected from over-voltage by buffer amplifiers that have the same supply voltage as the EXP432P401R. These tests were fun to do, partly because everything was working well and partly because I got to try a new liqueur - it is a new experience for me to have to drink to get data. Actually that isn't quite true - back in university I participated in blind testing to determine if people could determine domestic beer brands by taste alone. I couldn't, but it was fun trying. This was just given to me for Father's Day, and it is the only alcohol in the house, so of course I "had" to use it for the alcohol tests. The 3 MQx gas sensors work in sequence, one after the other to avoid having all heaters on at the same time. There is a yellow LED next to the sensor to indicate which heater is on. The heaters are on for 60 seconds, to evaporate and old gasses on the sensor element, and off for 120 seconds to allow the sensor element to cool off and start responding to new ambient gas concentrations. The CO2 sensor is working great and it is the key gas sensor to audit air quality in my workplace. I'm not expecting any real nasty gasses at work. Addendum - Office Air Quality Audit: I took my gas sensor in to work today and wore it all day to audit air quality wherever I was. I got lots of questions about the project and a few comments about Predator and other sci-fi shows. In my office CO2 was about 420 ppm - the unoccupied areas were just under 400 ppm. I was in a heavy duty meeting for 3.5 hours in the morning with 20 upper management staff. The CO2 levels rose to 780 ppm. I had one other meeting in the afternoon for an hour with 5 staff. The CO2 levels rose from 400 to 550 ppm in one hour. These levels aren't dangerous but I was surprised at how much people influenced the readings. (How significant are people as greenhouse gas machines? ) This project really has been a learning experience - with several interesting surprises. This instrumentation and the accompanying research have already turned out to be very useful in so many ways - all the more reasons why I am glad I participated in this challenge. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 This The deadline for this challenge has been extended again, so I can squeeze in a few more blogs. Perhaps some real applications of all this instrumentation I have put together. This blog shows some quick tests I did to see if shielding makes a difference to cell phone radiation. These tests are a follow up to an earlier blog on microwave radiation. To set up for the test, I made a shield from two 3D printed shells sandwiching a layer of aluminum foil between them. The shell and foil covered 5 of the 6 sides of the phone - about 1mm from the back of the phone and about 2mm from the sides. I ran some tests with and without the shield to see if it made a difference - and it definitely did. I was a bit surprised by the results. The main scenario that I am interested in is the case where the phone is in a pants pocket as studies show this results in lower testosterone and lower sperm count. So I placed the phone and meter in appropriate locations on a Hybrid III crash test dummy and took some readings. These particular dummies have seen some major trauma (explosions) and you can see they look a bit charred, but the geometry is still good - this is a 50th percentile male. These readings are the maximums I saw in this geometry. The shielded maximum was a rare spike, it spent most of its communication time at about 1 mW/m2. The unshielded maximum is closer to its normal value ~ 150 mW/m2. In this experiment the shielded case yielded 10 to 100 times less radiation density at the location of interest. This is not a particularly scientific experiment, but the results do suggest it might be worth investigating shielding in a more scientific way. I did not check to see how cell phone performance was impacted by the shield - I imagine the shield didn't help communications ... To get a bit more of a feel for what the readings look like in real time, I made a video of typical readings. Viewers can decide if the readings are meaningful for themselves. The other geometry of interest is holding the phone at your ear. Here are some images showing a reading with the meter where an ear might be and what happens if a metal plate is inserted between the phone and the meter. Note the units change in these images - one is mW the other is uW, so the last image is 4.6 mW/m2 One observation is that the field strength seems to be lower at the face of the phone compared to the sides - by about 50%. The other observation is that the metal plate cuts the field strength by more than a factor of 100. Again, I did not determine how this plate impacts cell phone communications performance. These experiments are not trying to determine what level of radiation is safe, just trying to get a feel for whether partial shielding can reduce radiation exposure. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 This design challenge is nearing its final deadline so the pressure as been building to complete the project. I finally finished building all the hardware and all the hardware is working well. The past week has seen a lot of 3D design work and 3D printing and mechanical building, but also powered up the full system for the first time. The subscriber power monitor is showing 5.08 volts at 10 mA. The publisher power monitor is showing 4.97 volts at 190 mA. Here are the four instruments that make up the Invisible Hazardous Environmental Factors system. Note the 2 USB power monitor modules are not part of the system - I was just checking how much current the systems consume. (10 mA and 240 mA respectively) If you look closely - you can see the CO2 is reading 463 ppm, which is bang on - a really nice quick sensor. Here are the 4 IHEF instruments on one forearm. They barely fit. Here is the IHEF system running. After wearing the system around for a while I am re-thinking my desire to build a Pip Boy - the weight of the full system is non-trivial. There are a lot of LEDs on the embedded modules - I like the way they shine through the plastic housings. You can just see the green coming out the side - the yellow are mostly visible in the video. As with any project of this complexity, there was a lot to learn and a lot of issues to work through, but on all the major tasks careful planning and design paid off. The plusses The not so plus issues Summary The project and plan morphed a bit based on what I learned along the way, but all in the interests of achieving the primary objectives. The project did cover the hazards of invisible environmental factors, how to measure them and what can be done to minimize them. The project did manage to use 6 TI modules, including 2 of the EXP432P401R MCUs. The project did end up to be fully functional, robust, wearable and useful. I already have multiple requests to borrow it - and it has only been working for a matter of hours. Overall the project was both fun and educational, even though I don't generally enjoy dwelling on dangers and hazards. I've enjoyed experimenting with lots of TI modules in the past but EXP432P401R MCU is going to be my new favourite for complex microcontroller projects - this project didn't even cause it to break a sweat, either in speed or resources. It is easy to use and the price is attractive for an ARM Cortex M4 module. If you are thinking about entering a design challenge like this, I heartily recommend it - there is tremendous satisfaction in completing such a project. Next Steps Although the system is complete, I still have some time and some tasks I would like accomplish: I have to be on the road over the next little while, so my project time will be severely limited, but we will see what can be managed... All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 This update documents progress on power up of the custom gas and UV sensor module. I did run into a few snags getting the card to work, or rather getting the software to work. The hardware on the card is designed properly, but it has just been too long since I designed the card and my software assumptions were somewhat inexplicable. After backtracking my way through everything, I finally got it sorted out. I will post an update to my pinout table at the end of this blog in case anyone else has similar problems. I did go one step at a time to minimize the risk of frying sensors or cards, so the following video uses resistors in place of sensors to make sure the software and hardware are working properly: I still have to perform some calibration once the sensors are burned in. Packaging this module involves a lot of tricky features, and multiple parts which will take a couple of days to model. Hopefully I can get the 3D print to work without iterating. Here is an updated BoosterPack pinout table for the various modules associated with this design challenge: The yellow cells are just the pins I am using in my project. The deadline for this project is starting to put stress on progress, but with this latest milestone, the remaining work is more about finding enough time than overcoming major problems. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 I This is the last of the hazardous environmental factors research blogs for this project, subsequent blogs in this challenge will deal with hardware builds, software programs, functional tests and test results. Microwaves are used for cell phones, Wi-Fi, Bluetooth, Zigbee, GPS, some cordless phones, and microwave ovens. The microwave oven is proof that a high enough exposure can be harmful. But what is the mechanism that makes microwaves cook food? It is pretty common knowledge that it is heating up the water molecules in food, but it turns out it is not exciting the resonant frequency of water molecules, (the resonant frequency of water molecules is over 21 GHz) the oscillating electromagnetic field is acting on the water molecule dipoles. Water molecules conceptually have a plus side and a negative side so they try to align with the prevailing electric field – as the field oscillates (reverses), the molecules flip to stay aligned. This rapid rotation of molecules causes friction between molecules and thus heat. If 2 tires on a vehicle were touching as they rolled along a road, they would generate extreme friction and heat because although they are turning in the same direction, at the point of contact the tires are traveling in opposite directions. It isn't just water that responds to oscillating fields, other dipole molecules and salt ions also are also affected. There is also nothing magic about the frequency used in microwave ovens, a fairly wide range of frequencies would have similar results. It is mainly regulations that dictate the frequency used. (2.45 GHz) Humans can dissipate well over 100 Watts, so it takes significant rf radiation (over 4 W/kg) to cause excess heating. Regulations (0.4 W/kg) were developed long ago to keep human exposure well below levels where excess heating would become a problem. And if heat from microwaves is occurring, you would feel it as heat – it would heat the outer 1 cm of your skin – not much would penetrate further. Although your eyes are more susceptible especially to ionizing radiation. Okay, so the risk of getting cooked by microwaves is very low and you would feel it if it was occurring, but lower levels of microwave are still causing dipole molecules in our bodies to vibrate or rotate rapidly – what effect does this have on our physiology? There are lots of studies on this, often finding some correlation with adverse effects at exposure levels orders of magnitude below regulatory limits, but generally not dramatic influences. It may speed up activity in some cells, but I don't have much info on this. We know that DNA is affected by electric fields and in fact electrophoresis is a technique that uses this property to selectively move DNA around. So DNA can probably be jostled around by electromagnetic oscillations. There doesn't seem to be much literature around on whether DNA is too constrained to be spinning and flipping, but it is conceivable that every once in a while the jostling is severe enough to overstress some DNA and cause breaks or mutation and some studies show this. I could go on with further speculation, but I don't have enough data to support it so I will get back to real studies and measurements. There is concern that cell phones cause brain cancer and there are some serious studies investigating this possibility. Some significant studies indicate that heavy cell phone use could double the risk of brain cancer, but symptoms might not show up for one or more decades. Keep in mind that deaths from brain cancer are about 1/375th of the chance of death from other types of cancer, so doubling the risk still makes it a relatively small risk. I have collected a lot of data and reports correlating cell phone emissions with a myriad of symptoms from obesity and headaches to autism and insomnia. Some study the effects all the way down at the cellular level while some are just statistical correlations. One thing that seems to be common is when people are discussing the subject, they tend to dramatize the results, playing down statistics that would provide a better contextual perspective. I don't want to regurgitate all that, but there is one case where the evidence seems to be more widely accepted: When men carry cell phones in their pockets, they tend to have lower testosterone levels and lower sperm counts. In many species, reduced fertility is an early warning of environmental stress so these results are troubling. The process involved when DNA and RNA precisely replicate themselves is complex and fantastic and it is not hard to believe that it doesn't take much interference to mess it up. I have been trying to determine if it is possible to shield a person with a cell phone in their pocket, but it is difficult to do with the setup I have. The cell phone is only periodically transmitting and the power levels seem to be very dynamic. I think I would need at least 2 fast power level sensors and a data acquisition system that could simultaneously sample both sensors. Right now, if I insert a shield, and the readings change, I don't know if they have changed because they were about to change anyway or if the shield caused the change. That being said, I did find some trends that seem to be occurring. The radiation seemed a bit stronger coming from the edges of the phone I was testing and putting a metal shield between an edge and my meter, caused the reading to drop more significantly than doing the same test on the face of the phone. I'm not sure if there any huge conclusions, but wearing metal underwear would likely reduce exposure. These phone shield pockets that are being sold work, but they stop the phone from receiving and you get pretty much the same performance by simply putting the phone in airplane mode. My tests suggest it might be possible to design a directional shield that reduces exposure of the owner while allowing communication with a cell tower, but I need to think a bit more on how to prove performance of such designs. As mentioned, I have collected a pile of information and studies on the hazards of low level EM radiation and much of it is worrisome if not downright scary, but although many symptoms have been linked to EM radiation, the risks do not appear to be high enough and the symptoms do not appear to be severe enough (with proven causality) to warrant immediate regulatory intervention. However, just because the light is green doesn't mean there is no risk to crossing the street. Sometimes it is worth looking both ways before crossing anyway. I won't re-print all the data but here is an example table of some potential symptoms and effects from low-level EM radiation: Notes: In the next section, which shows some actual readings I have been taking around the house, I will list a few practical tips to reduce exposure. One of the main reasons for doing this project is to use the instrumentation to explore my environment and find ways to make it as safe as possible. This image show readings from a decent microwave oven (I've seen worse). The readings drop from 232 mW/m2 at 1 foot to 1 mW/m2 at 6 feet. Safety Tips: It is easy to stay at least 6 feet from running microwave ovens. This image shows readings from a cell phone coming out of airplane mode and reconnecting to a cell tower to get email. Safety Tips: This image shows readings from a Wi-Fi hotspot measured from 6 inches away. This image shows readings from a Wi-Fi hotspot measured from 54 inches away. Safety Tips: This image shows a tablet using Wi-Fi to update its game. Safety Tips: This image shows a couple of Buetooth devices communicating. Safety Tips: This table summarizes some of the readings I took around my house: Note that distance is a big factor in power levels and exposure, a few extra feet from the source can cut exposure levels by orders of magnitude. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 I have been in Washington making a technical presentation in an unbelievably secure building, but now I'm back and it is time to catch up. I am still waiting for some parts for my sensor card – it is starting to look like I will have to kludge some connectors and use lower performance amplifiers to get it working within the schedule. In the mean time I am using the working parts of the system to take some readings in my environment and I'm also doing a lot of 3D design and printing to make all the modules wearable. Rather than try to build suspense, here is a short video showing three wearable instruments on one arm: The concept is to mount all these devices on my forearm where the displays can easily be viewed and the controls can be easily accessed. This arrangement keeps both hands free for other tasks and eliminates the need to carry a tool box and set it down when taking readings. I am experimenting with different friction in the hinges - it is nice to be able to flip the displays up or down just by twitching my arm, but inadvertent flipping may be too big of a drawback. The two flip-up modules have five 3D printed pieces each, plus a stretchy strap and some fasteners. The meters have some foam rubber in the caps so that when they are cinched down, everything remains snug with no rattling. The meter caps are held down with wire-ties, which minimizes the complexity and size of the 3D cases, while providing a very secure, snug fit. (obviously designed by an electronics guy) The Wi-Fi enabled gas sensor display uses seven 3D printed parts – covered in an earlier blog. Considering these modules are first prototypes, I am very happy they work so well. There is still one module not shown – the multi-gas sensor - although most of the electronics are shown working in an earlier blog. Some of the 3D printed parts are finished, but at least one section is not designed and the cards cannot be stacked yet to finalize measurements for it. In a previous blog a discussion came up about the use of (radioactive) Americium in smoke detectors so here is a follow up with some tests. Here is a picture of what my radiation meter reads when next to a smoke detector in my house: Here is a picture of the background radiation in my house: The meter is pretty nice in that it provides an accuracy estimate as well as a reading. The accuracy in these readings is no better than 40% because the meter was not running very long and the amount of radiation is very low. Which means these readings could be the same real value although the smoke alarm area was consistently very slightly higher than other areas. Whatever radiation is reaching the meter is probably gamma radiation as I don't see how alpha particles could reach the meter with any velocity. My conclusion is that any radiation from the smoke detector is pretty similar to background radiation and generally the background radiation will be larger than any contribution from a smoke detector. My next blog will be a discussion of microwave hazards including cell phones and some readings from my environment. After that I will be working on gas sensor software while waiting for parts to arrive. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 This last week has seen a lot of time on mechanical CAD and 3D printing to try and squeeze the MQTT subscriber system into a wearable package. I called it the ARM Car because it looks like a car and it is a TI ARM chip to be worm on an arm. Here is a picture of the ARM Car driving down the information highway: Starting with the high stack of circuit boards - it is non-trivial to figure out how to make it wearable: The package is assembled from 4 main plastic sections, a wrist bracket, a base, a cover and a bezel: Here is a picture of the parts (the bracket is already screwed to the base): Note the battery also has a 3D printed bracket and the rods for the strap are also 3D printed. Here is a picture of the system in operation: Here is another angle showing the height and the fit on my arm: The system was always going to be fairly big, but it turned out to be a nice robust package that can be securely and comfortably strapped to an arm and is super easy to use. The only control needed is the power button on the battery, although the 3 switches on the Launchpad are all still accessible. It isn't too visible in these photos, but the various LEDs inside really illuminate the plastic, creating a nice effect without being annoyingly bright. I have printed some parts for the other 3 armbands (radiation sensor, electromagnetic sensor and chemical sensor), but am still waiting for some parts to show up before they can be finalized. I have a couple of other RF sensors that I may blog about too, but I don't think I will be able to fit them on my arm. When the 4 armbands are all complete I will take some video. Hopefully I will get to a discussion of RF hazards in my next blog. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 I managed to purchase a second WiFi booster pack although the TI discount voucher I won here was not accepted This booster pack has allowed me to assemble a second system consisting of a MSP-EXP432P401RMSP-EXP432P401R a CC3100ModBoost and a 430BOOST-SHARP96430BOOST-SHARP96 I have programmed the second system as an MQTT client subscribing to the IHEF data being published by my sensor platform which has the same cards plus my custom sensor booster pack Both systems use Wi-Fi to access my MQTT broker The following video shows both systems booting up with MQTTLENS running in the background all interacting with my Mosquitto broker. Here is the subscriber program such as it is at this moment: /*[] = "AccessPoint"; // your network password char password[] = "NetworkPassword"; // MQTTServer to use char server[] = "brokerURL"; LCD_SharpBoosterPack_SPI myScreen; //callback section retrieves subscribed data and displays it void callback(char* topic, byte* payload, unsigned int length) { char *cstring = (char *) payload; if (cstring[0] == 49) // ALC { myScreen.text(5, 17, cstring); myScreen.text(65, 17, " ppm "); } if (cstring[0] == 50) // CO { myScreen.text(5, 32, cstring); myScreen.text(65, 32, " ppm "); } if (cstring[0] == 51) // AQ { myScreen.text(5, 47, cstring); myScreen.text(65, 47, " ppm "); } if (cstring[0] == 52) // CO2 { myScreen.text(5, 62, cstring); myScreen.text(65, 62, " ppm "); } if (cstring[0] == 53) // UV { myScreen.text(5, 77, subsrcived to client.poll(); delay(1000); } My next blog will likely be about the invisible hazards of microwaves, but I am also close to starting on packaging all my instrumentation in a wearable format. The main things still missing from my project are some minor components for my custom sensor circuit card, and there is still some software work to produce calibrated sensor readings. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 Extremely This blog shows the Booster Pack PCB I designed to accommodate 5 sensors. After viewing the video - I think it might have been cool to order a red card instead of green. The card was ordered from SeeedStudio and took exactly 7 days from time of order to arrive on my doorstep half way around the planet. I don't yet have all the components to assemble the card, but the card itself and the sensors have come in so I can show roughly how the sensors will be mounted.... This is the tenth blog in this project and it is not even half complete yet, but at least there is steady progress and the biggest uncertainties have been eliminated. (getting MQTT communications running and getting the PCB and sensors delivered) My next blog will likely start to delve into the hazards of ELF, radio waves and microwaves and how I intend to measure them. It is possible I will have an MQTT client system working soon as well. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1 I have been in the throws of struggling with software and numerous other priority interrupts. Still ordering more parts and some have come in, but they will have to wait for another blog. I just have to get something posted even though it is not as complete as I had hoped. This installment describes a bit about trying to get an MQTT broker set up to handle sensor data from my wearable sensor suite. First, I wanted to install my own MQTT data broker so I can keep the data local for now. After choosing Mosquitto as the broker, it took numerous attempts to install properly since not all the necessary files are included in the install file. The ancillary files have to be the correct version and there are many versions to choose from. My computer already had up to 7 versions of some of these files, so finding a working combination was a huge trial and error exercise. The error messages were generally meaningless (to me) and it was not even obvious which of the files were incompatible. So, after scouring the net for every tutorial on the subject and digging through all the forums discussing similar issues, I finally gleaned enough information to get a workable install. None of the files I'm using are the latest version. If I knew what I as doing at the beginning, it probably would have taken 5 minutes instead of 10 hours. My biggest problem with most of these projects is understanding other people's software. Sometimes it is only tenacious persistence that gets you through. To the best of my recollection this is where to get the files I used for installation on Windows 10 (64 bit): I still don't know enough about MQTT (Message Queue Telemetry Transport) to teach anybody about it, but the broker program will accept data on a specified topic from a remote publishing device and allow remote subscriber devices to access the data from any specified topic. Here is a little demo of the system working with simulated sensors... I will publish the Launchpad code if and when it is a little more stable. My next blog will likely be about the custom sensor PCB I designed. All links to blogs related to this project can be found in the first blog here: Safe and Sound - Invisible Hazardous Environmental Factors Monitoring System - blog 1
https://www.element14.com/community/community/design-challenges/texas-instruments-safe-sound-wearables-design-challenge/blog/authors/dougw?start=0
CC-MAIN-2018-05
refinedweb
7,838
58.01
Subsystems The Subsystems filter allows you to quickly evaluate how time in a particular call tree is distributed among various components: user and system code, WPF, LINQ, collections, strings, and more. How subsystems work With a few exceptions (see Special Subsystems below), each subsystem simply groups calls made within a certain namespace or assembly. For example, all calls of the methods declared in the WindowsBase, PresentationCore and PresentationFramework assemblies are grouped under the WPF subsystem. The time shown next to WPF in the Subsystems filter is the total time of all these calls for all selected threads. Total time spent in a particular subsystem summed up for all selected threads. The percentage of time spent in a subsystem relative to the total selected time. To apply a filter by subsystem Select the desired subsystem in the filter. After you select a subsystem, other filters will show data only for the time intervals where the selected subsystem has worked. Special subsystems There is a number of subsystems that stand out of the row. This means that contribution of such subsystems is calculated not by grouping calls from particular assemblies and namespaces but based on other data. System code: all source code that does not match the rules in the chosen active profile and belongs to standard system libraries. User code: all source code that does not match the rules in the chosen active profile and does not belong to standard system libraries. GC Wait: all time intervals where threads wait for other threads to finish the blocking garbage collection. Note that the GC Wait time is calculated somewhat differently comparing to the Garbage Collection event. JIT: all activities related to JIT compilation. Calculated based on ETW events data. SQL query: all activities related to communication with SQL server. Calculated based on ETW events data. File I/O : all activities related to file operations. Note that this subsystem is calculated based not only on file I/O ETW events but also based on grouping calls from the System.IOand other namespaces. That's why File I/O subsystem's time may slightly differ from the time of the File Operations event. Waiting for CPU: indicates that a thread is ready to run on the next available processor. Typically, these are inevitable pauses related to switching a thread between processors or changing thread state from Waiting to Running. Long Waiting for CPU intervals may mean thread starvation and CPU overload. Calculated based on ETW events data. Awaiting Time: (applicable to asynchronous code only) time intervals when async methods waited until their tasks are finished. Learn more about how to analyze asynchronous code.. Calculated based on ETW events data. Configuring subsystems Subsystems in Timeline Viewer is a counterpart of the corresponding feature in Performance Viewer. Therefore, for the information about how to configure Subsystems, refer to the corresponding sections of the Performance Viewer documentation:
https://www.jetbrains.com/help/profiler/2020.2/Subsystems.html
CC-MAIN-2020-50
refinedweb
480
55.95
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. Method Subtotal hi all, I have a problem hearts Making subtotal method , the method for Only thing I can last column displays the data in Saja NOT want to add BETWEEN column 1 and column 2 , I 've Tried differences Only the results are still the same and this is the method that I created def _get_total(self,a): total =0 for o in a : total +=(o['cost_spare_part'] *o['jumlah']) print "ini total=================>>>>>>>>>>",total return total Hi Yusuf, Try like this: def _get_total(self,a): total =0 total += a.cost_spare_part * a.jumlah print "ini total=================>>>>>>>>>>",total return total If call is formatLang (get_total (o)), then o is main object of report, in this case you try: for line in a.part_lines : total +=line.cost_spare_part * line.jumlah What is your o? and how you use and define parts_lines in model and report? UPDATE: Try this, in RML; formatLang (get_total (line(data)) and in code: for line in a: total +=line.cost_spare_part * line.jumlah or.... total +=line['cost_spare_part'] * line['jumlah'] Hi zbik, I already use the method that you created but in the method you created there is an error and this error mean what ? and this error : for line in a.part_lines : AttributeError: 'dict' object has no attribute 'part_lines' [[repeatIn(line(data) ,'o')]] ..... in this case "o" is only one line. It can not work. A list "o" is needed. What is the structure of the variable "data"? How to " o " could work because our time line in the loop for o.parts_lines then there is an error for the line in o.parts_lines object has no attribute Parts_lines how because I 've had some time messing about with " for " the result is still the same If line(data) return list? and in RML you use formatLang (get_total(line(data)) it should work. Hi zbik, thank you for helping me and the advice you give it turns out to work and once again I thank you , if I may be asked for your email ? Hi zbik, I have questions about the report in Excel, this is the case if we take the data period 1 then naturally arises automatically period to 1 but if you want to choose the period to 2 then automatically also the emergence of the period to 2, if for example, want to bring up the data period 1 in period 2? My email: darek@krokus.com.pl. I do not understand the last issue and additionaly what is the structure of your code and data. About This Community Odoo Training Center Access to our E-learning platform and experience all Odoo Apps through learning videos, exercises and Quizz.Test it now Hi Akhil P Sivan [1] A variable is the name of the table on parts_lines or a = parts_lines in this parts_lines table I want to take the price of spare parts and the number but when I took the price ( standard_price ) that are on the object , but when I took my product.product standard_price even error a ={'jumlah': 2.0, 'asset_name': u'Kendaraan', 'plat_no': u'A 2338 AB', 'asset_no': u'1.11 Asset', 'tindakan': False, 'pelaksana': False, 'satuan': u'Unit(s)', 'permasalahan': u'as', 'spare_part': u'ban', 'tanggal': '2015-01-28 06:55:11', 'cost_spare_part': 50000.0} of the answer that you gave no error occurs, the error like this : for o in self : TypeError: 'history_maintenance' object is not iterable [1] How and where you call _get_total? The method to call formatLang (get_total (o)) and this for at RML (report) Hi Yusuf, I made a change in the answer. Please try like that. Are you can calling the 'part_lines' field as one2many from any other object? Where you want to get the 'total_cost' value returning from the function?
https://www.odoo.com/forum/help-1/question/method-subtotal-74866
CC-MAIN-2017-26
refinedweb
652
61.46
{-# LANGUAGE NoImplicitPrelude #-} {-# LANGUAGE MultiParamTypeClasses #-} {-# LANGUAGE FlexibleInstances #-} {-# OPTIONS_GHC -fglasgow-exts #-} {- glasgow-exts are for the rules -} module Synthesizer.FusionList.Signal where import qualified Synthesizer.Plain.Signal as Sig import qualified Synthesizer.Plain.Modifier as Modifier import qualified Data.List as List import qualified Data.StorableVector.Lazy as Vector import Data.StorableVector.Lazy (ChunkSize, Vector) import Foreign.Storable (Storable, ) import qualified Algebra.Module as Module import qualified Algebra.Additive as Additive import Algebra.Additive (zero) import Algebra.Module ((*>)) import qualified Synthesizer.Format as Format import Control.Monad.Trans.State (runState, ) import Data.Monoid (Monoid, mempty, mappend, ) import qualified Data.List.HT as ListHT import Data.Tuple.HT (mapFst, mapSnd, mapPair, fst3, snd3, thd3, ) import Data.Maybe.HT (toMaybe) import NumericPrelude (fromInteger, ) import Text.Show (Show(showsPrec), showParen, showString, ) import Data.Maybe (Maybe(Just, Nothing), maybe) import Prelude ((.), ($), id, const, flip, curry, uncurry, fst, snd, error, (>), (>=), max, Ord, succ, pred, Bool, not, Int, Functor, fmap, (>>), (>>=), fail, return, (=<<), -- fromInteger, ) -- import qualified Prelude as P {- import Prelude hiding ((++), iterate, foldl, map, repeat, replicate, zipWith, zipWith3, take, takeWhile) -} newtype T y = Cons {decons :: [y]} instance (Show y) => Show (T y) where showsPrec p x = showParen (p >= 10) (showString "FusionList.fromList " . showsPrec 11 (toList x)) instance Format.C T where format = showsPrec instance Functor T where fmap = map instance Monoid (T y) where mempty = empty mappend = append {- * functions based on 'generate' -} {-# NOINLINE [0] generate #-} generate :: (acc -> Maybe (y, acc)) -> acc -> T y generate f = Cons . snd . Sig.unfoldR f {-# INLINE unfoldR #-} unfoldR :: (acc -> Maybe (y, acc)) -> acc -> T y unfoldR = generate {-# INLINE generateInfinite #-} generateInfinite :: (acc -> (y, acc)) -> acc -> T y generateInfinite f = generate (Just . f) {-# INLINE fromList #-} fromList :: [y] -> T y fromList = generate ListHT.viewL {-# INLINE toList #-} toList :: T y -> [y] toList = decons toStorableSignal :: Storable y => ChunkSize -> T y -> Vector y toStorableSignal size = Vector.pack size . decons fromStorableSignal :: Storable y => Vector y -> T y fromStorableSignal = Cons . Vector.unpack {-# INLINE iterate #-} iterate :: (a -> a) -> a -> T a iterate f = generateInfinite (\x -> (x, f x)) {-# INLINE iterateAssociative #-} iterateAssociative :: (a -> a -> a) -> a -> T a iterateAssociative op x = iterate (op x) x -- should be optimized {-# INLINE repeat #-} repeat :: a -> T a repeat = iterate id {- * functions based on 'crochetL' -} {-# NOINLINE [0] crochetL #-} crochetL :: (x -> acc -> Maybe (y, acc)) -> acc -> T x -> T y crochetL f a = Cons . Sig.crochetL f a . decons {-# INLINE scanL #-} scanL :: (acc -> x -> acc) -> acc -> T x -> T acc {- scanL f start xs = cons start (crochetL (\x acc -> let y = f acc x in Just (y, y)) start xs) -} scanL f start = cons start . crochetL (\x acc -> let y = f acc x in Just (y, y)) start -- | input and output have equal length, that's better for fusion scanLClip :: (acc -> x -> acc) -> acc -> T x -> T acc scanLClip f start = crochetL (\x acc -> Just (acc, f acc x)) start {-# INLINE map #-} map :: (a -> b) -> (T a -> T b) map f = crochetL (\x _ -> Just (f x, ())) () {-# RULEZ "FusionList.map-crochetL" forall f. map f = crochetL (\x _ -> Just (f x, ())) () ; "FusionList.repeat-iterate" repeat = iterate id ; "FusionList.iterate-generate" forall f. iterate f = generate (\x -> Just (x, f x)) ; "FusionList.take-crochetL" take = crochetL (\x n -> toMaybe (n>zero) (x, pred n)) ; "FusionList.unfold-dollar" forall f x. f $ x = f x ; "FusionList.unfold-dot" forall f g. f . g = \x -> f (g x) ; #-} {-# INLINE unzip #-} unzip :: T (a,b) -> (T a, T b) unzip x = (map fst x, map snd x) {-# INLINE unzip3 #-} unzip3 :: T (a,b,c) -> (T a, T b, T c) unzip3 xs = (map fst3 xs, map snd3 xs, map thd3 xs) {-# INLINE delay1 #-} {- | This is a fusion friendly implementation of delay. However, in order to be a 'crochetL' the output has the same length as the input, that is, the last element is removed - at least for finite input. -} delay1 :: a -> T a -> T a delay1 = crochetL (flip (curry Just)) {-# INLINE delay #-} delay :: y -> Int -> T y -> T y delay z n = append (replicate n z) {-# INLINE take #-} take :: Int -> T a -> T a take = crochetL (\x n -> toMaybe (n>zero) (x, pred n)) {-# INLINE takeWhile #-} takeWhile :: (a -> Bool) -> T a -> T a takeWhile p = crochetL (\x _ -> toMaybe (p x) (x, ())) () {-# INLINE replicate #-} replicate :: Int -> a -> T a replicate n = take n . repeat {-# RULES "FusionList.map/repeat" forall f x. map f (repeat x) = repeat (f x) ; "FusionList.map/replicate" forall f n x. map f (replicate n x) = replicate n (f x) ; "FusionList.map/cons" forall f x xs. map f (cons x xs) = cons (f x) (map f xs) ; "FusionList.map/append" forall f xs ys. map f (append xs ys) = append (map f xs) (map f ys) ; {- should be subsumed by the map/cons rule, but it doesn't fire sometimes "FusionList.map/cons/compose" forall f g x xs. map f ((cons x . g) xs) = cons (f x) (map f (g xs)) ; -} {- this does not fire, since 'map' is inlined, crochetL/cons should fire instead -} "FusionList.map/scanL" forall f g x0 xs. map g (scanL f x0 xs) = cons (g x0) (crochetL (\x acc -> let y = f acc x in Just (g y, y)) x0 xs) ; "FusionList.map/zipWith" forall f g x y. map f (zipWith g x y) = zipWith (\xi yi -> f (g xi yi)) x y ; "FusionList.zipWith/map,*" forall f g x y. zipWith g (map f x) y = zipWith (\xi yi -> g (f xi) yi) x y ; "FusionList.zipWith/*,map" forall f g x y. zipWith g x (map f y) = zipWith (\xi yi -> g xi (f yi)) x y ; #-} {- * functions consuming multiple lists -} {-# NOINLINE [0] zipWith #-} zipWith :: (a -> b -> c) -> (T a -> T b -> T c) zipWith f s0 s1 = Cons $ List.zipWith f (decons s0) (decons s1) {-# INLINE zipWith3 #-} zipWith3 :: (a -> b -> c -> d) -> (T a -> T b -> T c -> T d) zipWith3 f s0 s1 = zipWith (uncurry f) (zip s0 s1) {-# INLINE zipWith4 #-} zipWith4 :: (a -> b -> c -> d -> e) -> (T a -> T b -> T c -> T d -> T e) zipWith4 f s0 s1 = zipWith3 (uncurry f) (zip s0 s1) {-# INLINE zip #-} zip :: T a -> T b -> T (a,b) zip = zipWith (,) {-# INLINE zip3 #-} zip3 :: T a -> T b -> T c -> T (a,b,c) zip3 = zipWith3 (,,) {-# INLINE zip4 #-} zip4 :: T a -> T b -> T c -> T d -> T (a,b,c,d) zip4 = zipWith4 (,,,) {- * functions based on 'reduceL' -} reduceL :: (x -> acc -> Maybe acc) -> acc -> T x -> acc reduceL f x = Sig.reduceL f x . decons {-# INLINE foldL' #-} foldL' :: (x -> acc -> acc) -> acc -> T x -> acc foldL' f = reduceL (\x -> Just . f x) {-# INLINE foldL #-} foldL :: (acc -> x -> acc) -> acc -> T x -> acc foldL f = foldL' (flip f) {-# INLINE lengthSlow #-} {- | can be used to check against native length implementation -} lengthSlow :: T a -> Int lengthSlow = foldL' (const succ) zero {- Do we still need rules for fusion of map f (repeat x) zipWith f (repeat x) ys ? -} {- * Fusion helpers -} {-# INLINE zipWithGenerate #-} zipWithGenerate :: (a -> b -> c) -> (acc -> Maybe (a, acc)) -> acc -> T b -> T c zipWithGenerate h f a y = crochetL (\y0 a0 -> do (x0,a1) <- f a0 Just (h x0 y0, a1)) a y {-# INLINE zipWithCrochetL #-} zipWithCrochetL :: (a -> b -> c) -> (x -> acc -> Maybe (a, acc)) -> acc -> T x -> T b -> T c zipWithCrochetL h f a x y = crochetL (\(x0,y0) a0 -> do (z0,a1) <- f x0 a0 Just (h z0 y0, a1)) a (zip x y) {-# INLINE mixGenerate #-} mixGenerate :: (Additive.C a) => (a -> a -> a) -> (acc -> Maybe (a, acc)) -> acc -> T a -> T a mixGenerate plus f a = crochetL (\y0 a0 -> Just (maybe (y0, Nothing) (\(x0,a1) -> (plus x0 y0, Just a1)) (f =<< a0))) (Just a) {-# INLINE crochetLCons #-} crochetLCons :: (a -> acc -> Maybe (b, acc)) -> acc -> a -> T a -> T b crochetLCons f a0 x xs = maybe empty (\(y,a1) -> cons y (crochetL f a1 xs)) (f x a0) {- {-# INLINE crochetLAppend #-} crochetLAppend :: (a -> acc -> Maybe (b, acc)) -> acc -> a -> T a -> T a -> T b crochetLAppend f a0 x xs ys = maybe empty (\(y,a1) -> cons y (crochetL f a1 xs)) (f x a0) -} {-# INLINE reduceLCons #-} reduceLCons :: (a -> acc -> Maybe acc) -> acc -> a -> T a -> acc reduceLCons f a0 x xs = maybe a0 (flip (reduceL f) xs) (f x a0) {- applyThroughCons :: (a -> Maybe (b,acc)) -> (T a -> acc -> T b) -> T a -> T b applyThroughCons f g = maybe empty (\(x,xs) -> cons (f x) (g xs)) . viewL -} {-# INLINE zipWithCons #-} zipWithCons :: (a -> b -> c) -> a -> T a -> T b -> T c zipWithCons f x xs = maybe empty (\(y,ys) -> cons (f x y) (zipWith f xs ys)) . viewL {-# RULES "FusionList.crochetL/generate" forall f g a b. crochetL g b (generate f a) = generate (\(a0,b0) -> do (y0,a1) <- f a0 (z0,b1) <- g y0 b0 Just (z0, (a1,b1))) (a,b) ; "FusionList.crochetL/crochetL" forall f g a b x. crochetL g b (crochetL f a x) = crochetL (\x0 (a0,b0) -> do (y0,a1) <- f x0 a0 (z0,b1) <- g y0 b0 Just (z0, (a1,b1))) (a,b) x ; "FusionList.crochetL/cons" forall g b x xs. crochetL g b (cons x xs) = crochetLCons g b x xs ; "FusionList.tail/generate" forall f a. tail (generate f a) = maybe (error "FusionList.tail: empty list") (generate f . snd) (f a) ; "FusionList.tail/cons" forall x xs. tail (cons x xs) = xs ; "FusionList.zipWith/generate,*" forall f h a y. zipWith h (generate f a) y = zipWithGenerate h f a y ; "FusionList.zipWith/crochetL,*" forall f h a x y. zipWith h (crochetL f a x) y = zipWithCrochetL h f a x y ; "FusionList.zipWith/*,generate" forall f h a y. zipWith h y (generate f a) = zipWithGenerate (flip h) f a y ; "FusionList.zipWith/*,crochetL" forall f h a x y. zipWith h y (crochetL f a x) = zipWithCrochetL (flip h) f a x y ; "FusionList.mix/generate,*" forall f a y. mix (generate f a) y = mixGenerate (Additive.+) f a y ; "FusionList.mix/*,generate" forall f a y. mix y (generate f a) = mixGenerate (flip (Additive.+)) f a y ; {- this blocks further fusion and is not necessary if the non-cons operand is a 'generate' "FusionList.zipWith/cons,*" forall h x xs ys. zipWith h (cons x xs) ys = zipWithCons h x xs ys ; "FusionList.zipWith/*,cons" forall h x xs ys. zipWith h ys (cons x xs) = zipWithCons (flip h) x xs ys ; -} "FusionList.zipWith/cons,cons" forall h x xs y ys. zipWith h (cons x xs) (cons y ys) = cons (h x y) (zipWith h xs ys) ; "FusionList.zipWith/share" forall (h :: a->a->b) (x :: T a). zipWith h x x = map (\xi -> h xi xi) x ; "FusionList.reduceL/generate" forall f g a b. reduceL g b (generate f a) = snd (recourse (\(a0,b0) -> do (y,a1) <- f a0 b1 <- g y b0 Just (a1, b1)) (a,b)) ; "FusionList.reduceL/crochetL" forall f g a b x. reduceL g b (crochetL f a x) = snd (reduceL (\x0 (a0,b0) -> do (y,a1) <- f x0 a0 b1 <- g y b0 Just (a1, b1)) (a,b) x) ; "FusionList.reduceL/cons" forall g b x xs. reduceL g b (cons x xs) = reduceLCons g b x xs ; "FusionList.viewL/cons" forall x xs. viewL (cons x xs) = Just (x,xs) ; "FusionList.viewL/generateInfinite" forall f x. viewL (generateInfinite f x) = Just (mapSnd (generateInfinite f) (f x)) ; "FusionList.viewL/generate" forall f x. viewL (generate f x) = fmap (mapSnd (generate f)) (f x) ; "FusionList.viewL/crochetL" forall f a xt. viewL (crochetL f a xt) = do (x,xs) <- viewL xt (y,a') <- f x a return (y, crochetL f a' xs) ; #-} {- * Other functions -} null :: T a -> Bool null = List.null . decons empty :: T a empty = Cons [] singleton :: a -> T a singleton = Cons . (: []) {-# NOINLINE [0] cons #-} cons :: a -> T a -> T a cons x = Cons . (x :) . decons length :: T a -> Int length = List.length . decons viewL :: T a -> Maybe (a, T a) viewL = fmap (mapSnd Cons) . ListHT.viewL . decons viewR :: T a -> Maybe (T a, a) viewR = fmap (mapFst Cons) . ListHT.viewR . decons extendConstant :: T a -> T a extendConstant xt = maybe empty (append xt . repeat . snd) $ viewR xt {-# NOINLINE [0] tail #-} tail :: T a -> T a tail = Cons . List.tail . decons head :: T a -> a head = List.head . decons drop :: Int -> T a -> T a drop n = Cons . List.drop n . decons dropMarginRem :: Int -> Int -> T a -> (Int, T a) dropMarginRem n m = mapSnd Cons . Sig.dropMarginRem n m . decons {- This implementation does only walk once through the dropped prefix. It is maximally lazy and minimally space consuming. -} dropMargin :: Int -> Int -> T a -> T a dropMargin n m = Cons . Sig.dropMargin n m . decons index :: Int -> T a -> a index n = (List.!! n) . decons splitAt :: Int -> T a -> (T a, T a) splitAt n = mapPair (Cons, Cons) . List.splitAt n . decons dropWhile :: (a -> Bool) -> T a -> T a dropWhile p = Cons . List.dropWhile p . decons span :: (a -> Bool) -> T a -> (T a, T a) span p = mapPair (Cons, Cons) . List.span p . decons mapAccumL :: (acc -> x -> (acc, y)) -> acc -> T x -> (acc, T y) mapAccumL f acc = mapSnd Cons . List.mapAccumL f acc . decons mapAccumR :: (acc -> x -> (acc, y)) -> acc -> T x -> (acc, T y) mapAccumR f acc = mapSnd Cons . List.mapAccumR f acc . decons cycle :: T a -> T a cycle = Cons . List.cycle . decons {-# NOINLINE [0] mix #-} mix :: Additive.C a => T a -> T a -> T a mix (Cons xs) (Cons ys) = Cons (xs Additive.+ ys) {-# NOINLINE [0] sub #-} sub :: Additive.C a => T a -> T a -> T a sub (Cons xs) (Cons ys) = Cons (xs Additive.- ys) {-# NOINLINE [0] neg #-} neg :: Additive.C a => T a -> T a neg (Cons xs) = Cons (Additive.negate xs) instance Additive.C y => Additive.C (T y) where zero = empty (+) = mix (-) = sub negate = neg instance Module.C y yv => Module.C y (T yv) where (*>) x y = map (x*>) y infixr 5 `append` {-# NOINLINE [0] append #-} append :: T a -> T a -> T a append (Cons xs) (Cons ys) = Cons (xs List.++ ys) concat :: [T a] -> T a concat = Cons . List.concat . List.map decons reverse :: T a -> T a reverse = Cons . List.reverse . decons sum :: (Additive.C a) => T a -> a sum = foldL' (Additive.+) Additive.zero maximum :: (Ord a) => T a -> a maximum = maybe (error "FusionList.maximum: empty list") (uncurry (foldL' max)) . viewL tails :: T y -> [T y] tails = List.map Cons . List.tails . decons init :: T y -> T y init = Cons . List.init . decons sliceVert :: Int -> T y -> [T y] sliceVert n = List.map (take n) . List.takeWhile (not . null) . List.iterate (drop n) zapWith :: (a -> a -> b) -> T a -> T b zapWith f xs0 = let xs1 = maybe empty snd (viewL xs0) in zipWith f xs0 xs1 modifyStatic :: Modifier.Simple s ctrl a b -> ctrl -> T a -> T b modifyStatic modif control x = crochetL (\a acc -> Just (runState (Modifier.step modif control a) acc)) (Modifier.init modif) x {-| Here the control may vary over the time. -} modifyModulated :: Modifier.Simple s ctrl a b -> T ctrl -> T a -> T b modifyModulated modif control x = crochetL (\ca acc -> Just (runState (uncurry (Modifier.step modif) ca) acc)) (Modifier.init modif) (zip control x) -- cf. Module.linearComb linearComb :: (Module.C t y) => T t -> T y -> y linearComb ts ys = sum $ zipWith (*>) ts ys -- comonadic 'bind' -- only non-empty suffixes are processed mapTails :: (T y0 -> y1) -> T y0 -> T y1 mapTails f = generate (\xs -> do (_,ys) <- viewL xs return (f xs, ys)) -- only non-empty suffixes are processed zipWithTails :: (y0 -> T y1 -> y2) -> T y0 -> T y1 -> T y2 zipWithTails f = curry $ generate (\(xs0,ys0) -> do (x,xs) <- viewL xs0 (_,ys) <- viewL ys0 return (f x ys0, (xs,ys))) zipWithRest :: (y0 -> y0 -> y1) -> T y0 -> T y0 -> (T y1, (Bool, T y0)) zipWithRest f xs ys = mapPair (fromList, mapSnd fromList) $ Sig.zipWithRest f (toList xs) (toList ys) zipWithAppend :: (y -> y -> y) -> T y -> T y -> T y zipWithAppend f xs ys = uncurry append $ mapSnd snd $ zipWithRest f xs ys delayLoop :: (T y -> T y) -- ^ processor that shall be run in a feedback loop -> T y -- ^ prefix of the output, its length determines the delay -> T y delayLoop proc prefix = let ys = append prefix (proc ys) in ys delayLoopOverlap :: (Additive.C y) => Int -> (T y -> T y) -- ^ processor that shall be run in a feedback loop -> T y -- ^ input -> T y -- ^ output has the same length as the input delayLoopOverlap time proc xs = let ys = zipWith (Additive.+) xs (delay zero time (proc ys)) in ys -- maybe candidate for Utility recourse :: (acc -> Maybe acc) -> acc -> acc recourse f = let aux x = maybe x aux (f x) in aux
http://hackage.haskell.org/package/synthesizer-0.2/docs/src/Synthesizer-FusionList-Signal.html
CC-MAIN-2014-41
refinedweb
2,742
65.42
Various thoughts and tips on the technology I work with A while back, when I was first doing WCF development I ran into the following exception: AddressAccessDeniedException: HTTP could not register URL<…>. Your process does not have access rights to this namespace.. This screen shot shows the start page of the Http Namespace Manager. All of the actions (Add/Edit/Remove) require elevation. Double clicking an item is the same as clicking the Edit button. The Remove button removes the entry permanently and without confirmation, so use caution. would like to receive an email when updates are made to this post, please register here RSS. Postings are provided "AS IS" with no warranties, and confer no rights. All the content posted here, including code samples, is licensed under a Creative Commons Attribution 3.0 License.
http://blogs.msdn.com/paulwh/archive/2007/05/04/addressaccessdeniedexception-http-could-not-register-url-http-8080.aspx
crawl-002
refinedweb
135
56.55
Vol. 10, Issue 7, 2461-2474, July 1999 *Institut für Biochemie und Molekularbiologie and Institut für Biologie, Universität Freiburg, D-79104 Freiburg, Germany. Many mitochondrial precursor proteins are synthesized with amino-terminal targeting sequences, termed presequences, that direct the proteins to the organelle and across the outer and inner membranes (Ryan and Jensen, 1995 ; Schatz and Dobberstein, 1996 ; Neupert, 1997 ; Pfanner et al., 1997 ; Ryan and Pfanner, 1998 ). In the matrix, the presequences are typically cleaved off by the mitochondrial processing peptidase. A number of mitochondrial preproteins are not synthesized with cleavable targeting signals. A few preproteins were shown to contain the targeting information at the amino-terminal portion of the protein that is to carry a "noncleaved presequence" (Hurt et al., 1985 ; Arakawa et al., 1990 ; Rospert et al., 1993 ; Hahne et al., 1994 ; Jarvis et al., 1995 ); however, most noncleavable preproteins, notably those that are membrane proteins, seem to contain internal targeting information distributed over various regions of the preprotein (Pfanner et al., 1987a ; Smagula and Douglas, 1988 ; Davis et al., 1998 ; Káldi et al., 1998 ). Typical representatives are the members of the large family of inner membrane metabolite carriers, such as the ADP/ATP carrier (AAC). The mitochondrial machinery for the import of presequence-containing preproteins has been studied in detail. The presequences are typically recognized by the surface receptor Tom20, the 20-kDa subunit of the translocase of the outer membrane (Söllner et al., 1989 ; Ramage et al., 1993 ; Brix et al., 1997 ). Subsequently, the preproteins are transferred to the general import pore (GIP) complex where they interact with Tom22 and Tom5 and are translocated through the import channel formed by Tom40 (Vestweber et al., 1989 ; Kiebler et al., 1993 ; Dietmeier et al., 1997 ; Hill et al., 1998 ). The presequences bind to Tim23 of the translocase of the inner membrane and in a membrane potential ( )-dependent reaction move through the inner membrane channel, that is, the Tim core complex formed by Tim23 and Tim17 (Dekker et al., 1993 , 1997 ; Emtage and Jensen, 1993 ; Ryan et al., 1994 ; Bauer et al., 1996 ). Matrix-located heat shock protein 70 (mtHsp70) cooperates with Tim44 to drive the completion of preprotein translocation (Kronidou et al., 1994 ; Rassow et al., 1994 ; Schneider et al., 1994 ; Voos et al., 1996 ; Bömer et al., 1998 ). The inner membrane carriers follow a different import route that converges with the presequence pathway only at the level of the GIP complex. The carrier preproteins such as AAC are preferentially recognized by Tom70 before their transfer to the GIP (Hines et al., 1990 ; Söllner et al., 1990 ). At the trans side of the outer membrane, the presequence and carrier pathways diverge (Moczko et al., 1997 ; Kübrich et al., 1998 ). Recent studies led to the identification of a number of new Tim proteins that mediate the translocation through the intermembrane space and insertion into the inner membrane. Three homologous small Tim proteins of the intermembrane space, Tim9, Tim10, and Tim12, bind the carrier preproteins (Koehler et al., 1998a ,b ; Sirrenberg et al., 1998 ) and transfer them to a translocase of the inner membrane that contains Tim22 and Tim54 (Sirrenberg et al., 1996 ; Kerscher et al., 1997 ). The carrier proteins contain six membrane-spanning segments each and are inserted into the inner membrane in a -dependent manner via Tim22-Tim54. Tim23, Tim17, and Tim22 contain a homologous membrane domain with four predicted membrane-spanning segments, and recent evidence indicates that Tim23 and most likely Tim17 and Tim22 are also imported via the carrier Tim pathway (Kerscher et al., 1997 ; Káldi et al., 1998 ). Little is known about the actual biogenesis of the Tim proteins that are involved in the import of carrier preproteins. For this study, we have analyzed targeting and translocation of the precursors of these Tim proteins. We report that the targeting pathways of Tim22 and Tim54 reveal a new principle of combination of different portions of the main (presequence) pathway and the special (carrier) pathway. The crossing over occurs at the level of the GIP complex. Moreover, import of the small Tims provides the first example for a preferential targeting via Tom5 and not via the trypsin-accessible domains of the larger receptors. Construction of Plasmids for in Vitro Transcription The open reading frames of yeast TIM54 (Kerscher et al., 1997 ), TIM22 (Sirrenberg et al., 1996 ), TIM13 (Accession No. P53299), TIM12 (Jarosch et al., 1996 ), TIM10 (Jarosch et al., 1997 ), TIM9 (Koehler et al., 1998b ), and TIM8 (Accession No. Y13136) were amplified by PCR and individually cloned into pGEM-4Z (Promega, Madison, WI). Tim54 N was obtained by PCR using a downstream vector primer and a primer containing the SP6 polymerase binding site and an 18-nucleotide stretch encoding residues 39-44 of Tim54 (5'-GGA TTA GGT GAC ACT ATA GAA ATG ATC TTT TGG TCT GTG-3'). Import of Preproteins Into Isolated Mitochondria The yeast strains used in this study are shown in Table 1. Mitochondria were isolated from yeast cells grown in YPG media (1% yeast extract, 2% bacto-peptone, and 3% glycerol) according to Daum et al. (1982) and Hartl et al. (1987) . Radiolabeled preproteins were obtained by in vitro transcription and translation reactions using rabbit reticulocyte lysate (Amersham, Arlington Heights, IL) in the presence of [35S]methionine/cysteine (Söllner et al., 1991 ). Mitochondrial in vitro import reactions were performed in BSA-containing buffer (3% [wt/vol] fatty acid-free BSA, 80 mM KCl, 5 mM MgCl2, 10 mM MOPS/KOH, pH 7.2) in the presence of 2 mM ATP and 2 mM NADH. To dissipate the membrane potential, 8 µM antimycin A, 20 µM oligomycin, and 1 µM valinomycin (Sigma, St. Louis, MO) were added to the import reaction. Reticulocyte lysate containing radiolabeled preproteins (2.5-10% [vol/vol] of import reaction) was incubated with mitochondria (25-50 µg protein) at 25°C for varying times. Valinomycin (1 µM) was added to stop import, and samples were subsequently treated with or without proteinase K (50 µg/ml) on ice for 15 min. The protease was inactivated by the addition of 1 mM PMSF, and samples were incubated for a further 10 min at 4°C. For trypsin treatment of accessible Tom receptor domains, mitochondrial samples in SEM buffer (250 mM sucrose, 1 mM EDTA, 10 mM MOPS/KOH, pH 7.2) were incubated with trypsin (20 µg/ml) for 20 min on ice. Trypsin was inactivated on the addition of a 30-fold excess of soybean trypsin inhibitor (Type II-S, Sigma) and samples were incubated for an additional 10 min on ice before further manipulations. For control samples, a 30-fold excess of soybean trypsin inhibitor was added to mitochondria before trypsin addition. Preproteins were imported for 15 min at 25°C before proteinase K digestion. For import of preproteins into ssc1-3 mitochondria (Gambill et al., 1993 ), a 15 min incubation at 37°C was performed with both wild-type and ssc1-3 mitochondria before import studies were performed at 25°C. Swelling of mitochondrial samples was prepared by resuspending the mitochondrial pellets in EM buffer (1 mM EDTA, 10 mM MOPS/KOH, pH 7.2) and incubating the samples on ice for 15 min. ATP was depleted from mitochondrial samples and reticulocyte lysates according to Glick (1995) . Preproteins were imported for 15 min at 25°C before proteinase K digestion. After treatments, mitochondrial pellets were lysed in the appropriate detergent-containing buffer and applied to SDS or blue native polyacrylamide gels. Accumulation of b2(167) -dihydrofolate Reductase Across Mitochondrial Membranes Mitochondria (50 µg) were incubated with 1 µg purified b2(167) -dihydrofolate reductase (DHFR) (Dekker et al., 1997 ) for 15 min at 25°C in the presence of 2 µM methotrexate. After accumulation, mitochondria were reisolated, washed with SEM buffer containing 2 µM methotrexate, and finally resuspended in BSA-containing buffer containing 2 µM methotrexate before use in further import assays. Blue Native Gel Electrophoresis Blue native PAGE was performed essentially as described previously (Schägger and von Jagow, 1991 ; Schägger et al., 1994 ; Dekker et al., 1997 ). Briefly, mitochondrial pellets (25-100 µg protein) were lysed in 50 µl ice-cold digitonin buffer (1% [wt/vol] digitonin, 20 mM Tris-HCl, pH 7.4, 0.1 mM EDTA, 50 mM NaCl, 10% [vol/vol] glycerol, 1 mM PMSF) (Blom et al., 1995 ). After a clarifying spin, 5 µl of sample buffer (5% [wt/vol] Coomassie brilliant blue G-250, 100 mM Bis-Tris, pH 7.0, 500 mM 6-aminocaproic acid) were added, and the samples were electrophoresed at 4°C through a 6-16% polyacrylamide gradient gel. For immunoblotting, the native gel was soaked in blot buffer (20 mM Tris-base, 150 mM glycine, 20% [vol/vol] methanol, 0.08% [wt/vol] SDS) before transfer onto PVDF membranes (Millipore, Bedford, MA) using the semidry blotting technique (Harlow and Lane, 1988 ). Immunodecoration was performed according to standard procedures (Harlow and Lane, 1988 ), and detection was achieved using the ECL method (Amersham). For detection of radiolabeled proteins, the dried gel or PVDF membrane was exposed to phosphorimage storage cassettes before phosphorimage analysis (Molecular Dynamics, Sunnyvale, CA). Miscellaneous Sequence alignments were generated with MegAlign (DNA Star Inc., Madison, WI) using the Clustal method and the PAM250 weight table. SDS-PAGE of larger proteins (e.g., Tim54 and Tim22) was performed according to Laemmli (1970) , and urea SDS-PAGE (Ito et al., 1980 ) was used for the analysis of the small Tim proteins. The Preproteins of Tim22 and Tim54 Require Different Surface Receptors for Import The preproteins of Tim22 and Tim54 were synthesized in vitro in rabbit reticulocyte lysate in the presence of [35S]methionine/cysteine and incubated with isolated yeast wild-type mitochondria. In the presence of a membrane potential across the inner membrane, the preproteins were transported to a protease-protected location (Figure 1A, lanes 1-3 and 5-7). On dissipation of the , import was blocked (Figure 1A, lanes 4 and 8). To determine whether the proteins were correctly imported and assembled, we used blue native electrophoresis of digitonin-lysed mitochondria, which allows a separation of the mitochondrial translocase complexes (Dekker et al., 1996 -1998 ): the large Tom complex, termed the GIP complex (Figure 1B, lane 1); the Tim core complex containing Tim23 and Tim17 (Figure 1B, lane 2); and a ~300-kDa complex containing Tim22, termed the carrier translocase (Figure 1B, lane 3). We found that both imported Tim22 and Tim54 were efficiently assembled into the 300-kDa translocase complex in a -dependent manner (Figure 1B, lanes 4-6 and 8-10). By a pretreatment of the mitochondria with trypsin, the cytosolic domains of the import receptors Tom20, Tom22, and Tom70 are removed (Alconada et al., 1995 ; Dietmeier et al., 1997 ). The import of both Tim22 and Tim54 into trypsin-treated mitochondria was inhibited, indicating a dependence on one or more of these surface receptors (Figure 1C, lane 2). Such pretreatment also inhibited the import of the outer membrane protein porin and a matrix-targeted fusion protein between the presequence of Fo-ATPase subunit 9 and the entire dihydrofolate reductase (Su9-DHFR), which mainly uses Tom20 (Hines et al., 1990 ; Moczko et al., 1994 ; Pfanner et al., 1997 ). The import of AAC, which mainly uses Tom70 as its receptor (Hines et al., 1990 ; Söllner et al., 1990 ), was also inhibited (Figure 1C). It has been shown previously that there is a differential dependence on cytosolic ATP and cofactors for the targeting of preproteins to either Tom20 or Tom70 (Hachiya et al., 1995 ; Komiya et al., 1996 , 1997 ). We asked how the depletion of cytosolic ATP affected the import of Tim22 and Tim54 and found a strong difference between both preproteins. Although the import of Tim54 was inhibited by the ATP depletion, the import of Tim22 was unchanged (Figure 1D, lane 2). As a control, we show that depletion of cytosolic ATP also inhibited the import of the preprotein AAC but not Su9-DHFR (Figure 1D) (Wachter et al., 1994 ). We thus examined the possibility that Tim22 and Tim54 interacted with different receptors by using mitochondria isolated from yeast strains lacking TOM20 or TOM70 genes, respectively. Because a lack of Tom20 causes a reduction in the mitochondrial levels of Tom22 and thus indirectly a reduction of the mitochondrial membrane potential (Lithgow et al., 1994 ; Gärtner et al., 1995b ; Hönlinger et al., 1995b ), we used a tom20 strain where TOM22 was put on a high-copy number plasmid to restore the mitochondrial levels of Tom22 and the membrane potential (Hönlinger et al., 1995b ). Import of the preprotein of Tim22 was strongly inhibited in tom20 mitochondria but practically unchanged in tom70 mitochondria in comparison to wild-type mitochondria (Figure 2, left panel). In contrast, the import of Tim54 was strongly inhibited in tom70 mitochondria, but only mildly affected in tom20 mitochondria (Figure 2, middle panel). Furthermore, the presequence-containing preprotein Su9-DHFR displayed import characteristics similar to those of Tim22 in its receptor requirements (Figure 2, right panel). In the absence of a membrane potential across the inner membrane, import of the preproteins was inhibited in all cases (Figure 2, lanes 5, 10, and 15), confirming the specificity of the import processes into the mutant mitochondria. In addition, we used mitochondria from a yeast strain lacking the small subunit Tom5 of the GIP complex. Tom5 is resistant to a treatment with trypsin and functions after the surface receptors at the entry site of the import pore where the presequence and carrier routes converge (Dietmeier et al., 1997 ). The import of both Tim22 and Tim54 along with Su9-DHFR were inhibited in tom5 mitochondria (Figure 2, bottom panels). We conclude that the preprotein of Tim54 is directed into mitochondria preferentially by Tom70 in an ATP-dependent reaction, whereas the preprotein of Tim22, like the presequence-containing preprotein Su9-DHFR, uses Tom20 as receptor in a manner independent of cytosolic ATP. Both import pathways join at the entry site of the GIP that includes Tom5. Different Tim Pathways for the Preproteins of Tim22 and Tim54 Koehler et al. (1998a) and Sirrenberg et al. (1998) showed that mutations in Tim components of the carrier pathway, including Tim10, caused a strong reduction in the mitochondrial level of Tim22, suggesting that the preprotein of Tim22 itself was imported via the carrier Tim pathway, as shown previously for the homologous proteins Tim23 and Tim17 (Dekker et al., 1997 ; Kerscher et al., 1997 ; Káldi et al., 1998 ). We used two assays to determine which Tim pathway was used by the preprotein of Tim54 in comparison with the import of Tim22. Accumulation of Chemical Amounts of a Presequence-Containing Preprotein in Translocation Contact Sites A matrix-targeted preprotein, consisting of a portion of precytochrome b2 and the entire dihydrofolate reductase [b2(167) -DHFR], can be prepared as a soluble species in large amounts. After stabilization of the DHFR moiety with methotrexate, the preprotein can be accumulated in the mitochondrial import sites, spanning both the Tom machinery and the Tim23-Tim17 machinery (Dekker et al., 1997 ). Thereby the subsequent import of preproteins using the Tim23-Tim17 pathway is impaired in mitochondria with accumulated b2(167) -DHFR. The import of carrier proteins is only slightly affected because the Tom complexes are approximately four times more abundant than the Tim23-Tim17 complexes, and thus most Tom complexes are not occupied by the b2(167) -DHFR preprotein (Dekker et al., 1997 ). We accumulated methotrexate-bound b2(167) -DHFR in mitochondria and tested the import kinetics of different preproteins. Although the import of Tim22 was only slightly inhibited (Figure 3A), a significant reduction in import was observed for the preprotein of Tim54 (Figure 3B). For comparison, the import of AAC was only slightly affected (Figure 3C), but the import of the Rieske Fe/S protein, a typical presequence-containing preprotein, was inhibited (Figure 3D). Furthermore, the analysis of inner-membrane insertion and assembly of the imported preproteins by blue native electrophoresis revealed that Tim54 assembly was reduced in mitochondria containing accumulated preprotein (Figure 3E). A Point Mutation in TIM23 Mitochondria from the yeast mutant tim23-2 carry an amino acid substitution in Tim23 that causes a labilization of the Tim23-Tim17 complex and thus a reduction in preproteins imported via Tim23-Tim17 (Bömer et al., 1997a ; Dekker et al., 1997 ). The import of Tim22 into tim23-2 mitochondria occurred with wild-type rates, like the import of the ADP/ATP carrier (Figure 4A, first and third panels). The import of Tim54 into tim23-2 mitochondria was partly reduced, comparable to the import of the Fe/S protein (Figure 4A, compare second and fourth panels, lanes 5-7 with lanes 1-3; Figure 4B, compare columns 2 and 4 [showing the degree of inhibition]). A Role for Tom5 in Targeting of the Small Tims to Mitochondria Tim9, Tim10, and Tim12 are the three currently known small Tim proteins that are homologous to each other. A search in the yeast genome revealed the presence of two additional small Tim proteins, termed Tim8 and Tim13, with significant homology to the other three Tims, including a complete conservation of four cysteine residues (Figure 6A). The preproteins of the small Tims were synthesized in reticulocyte lysates and labeled with [35S]methionine/cysteine. Like the known small Tims, Tim8 and Tim13 were transported to a protease-protected location in mitochondria (Figure 6B, lane 1). After swelling of the mitochondria that led to an opening of the intermembrane space with an efficiency of ~80-90% (Bömer et al., 1997a ,b ), each small Tim became accessible to protease (Figure 6B, lane 2), demonstrating that Tim8 and Tim13 also were located in the intermembrane space. As control, immunodecoration showed that endogenous Tim10 along with the intermembrane space protein cytochrome b2 were accessible to protease after swelling but not the matrix-located protein Mge1 (Figure 6B, Immunodecoration). We then investigated the targeting principles of the small Tims. No obvious mitochondrial targeting signals are observed in any of the small Tim sequences (Figure 6A), and our unpublished results along with those of Koehler et al. (1998b) showed that the small Tim proteins do not require a membrane potential for their insertion into the intermembrane space. Surprisingly, a pretreatment of the mitochondria with trypsin did not inhibit the import of the small Tims, as shown here with the preproteins of Tim9, Tim10, and Tim13 (Figure 6C, columns 2, 4, and 6), indicating that they did not strictly require mitochondrial surface receptors. Indeed, import of the small Tims was not affected by a deletion of TOM70 (Figure 6D, tom70 ) and was only slightly impaired, in the case of Tim9, by a deletion of TOM20 (Figure 6D, tom20 ). We wondered whether the small Tim proteins showed a requirement for Tom5 as receptor because Tom5 is resistant to trypsin treatment and can suffice as a receptor under bypass import conditions (Dietmeier et al., 1997 ). Indeed, the import of the small Tims was strongly inhibited in tom5 mitochondria (Figure 6D, tom5 ). Previous work showed that the tom5 mitochondria are selectively deficient in Tom5, whereas the other Tom proteins are present in normal amounts and the GIP complex is not altered (Dietmeier et al., 1997 ; Dekker et al., 1998 ). Although the import of preproteins in tom5 mitochondria is generally reduced compared with wild-type mitochondria (Dietmeier et al., 1997 ), the small Tim proteins showed an even stronger reliance on Tom5 for their import compared with Tim22 and Tim54 (Figure 2). We conclude that Tom5, but not the trypsin-accessible surface receptors, plays an important role in the targeting of the small Tims into mitochondria. The biogenesis of the Tim proteins of the carrier import route neither follows one of the known major import pathways for mitochondrial preproteins (Figure 7A, routes I and II) nor fits into a common new mechanism. Three different targeting principles seem to be necessary to import the Tim components of the carrier route (Figure 7B). The preprotein of Tim22 is the first preprotein found that preferentially uses the receptor Tom20 for targeting to the outer membrane but follows the Tim route for carrier proteins (Figure 7B, route III). Tim22 is a quite hydrophobic protein and therefore would have been a typical candidate for binding to Tom70 like the carrier preproteins, but import signals in Tim22 that are not yet defined direct the preprotein to Tom20, which usually functions as a receptor for presequence-containing preproteins. In contrast, Tim54 carries an amino-terminal noncleaved translocation sequence that is positively charged like mitochondrial presequences, yet Tim54 preferentially depends on Tom70 for its targeting to the outer membrane (Figure 7B, route IV). After translocation through the GIP, Tim54 then follows the typical route for presequence-containing preproteins until it reaches the Tim23-Tim17 core complex. The amino-terminal positively charged sequence of Tim54 is required for translocation of the preprotein into the mitochondria, whereas interaction with the outer membrane can occur without this sequence. This indicates that the remainder of Tim54, which includes two predicted hydrophobic segments (Kerscher et al., 1997 ), contains a signal for its interaction with Tom70. Although carrying an abundance of positive residues, the amino-terminal sequence of Tim54 is not predicted to form an amphipathic -helix because of the presence of several helix-breaking prolyl residues, distinguishing this sequence from typical mitochondrial presequences (Roise et al., 1986 ; Von Heijne, 1986 ) and providing an explanation for the only weak dependence on Tom20. Tim54 branches from the main import route at the level of Tim23 before a strict requirement for matrix Hsp70 becomes crucial. It has been observed that a hydrophobic signal anchor following the positively charged amino-terminal region of a preprotein minimizes its requirement for mtHsp70. This is apparently due to the sorting/membrane insertion activity of the hydrophobic segment at an early stage of translocation of an unfolded preprotein (Glick et al., 1993 ; Voos et al., 1993 ; Stuart et al., 1994 ; Gärtner et al., 1995a , 1995b ). In agreement with this model, the first predicted hydrophobic segment of Tim54 is located immediately after the positively charged sequence (Kerscher et al., 1997 ). In an elegant series of experiments, Mihara and colleagues (Hachiya et al., 1995 ; Komiya et al., 1996 , 1997 ) demonstrated that cytosolic cofactors from rabbit reticulocyte lysate are important determinants for the selection of import receptors by preproteins. By using purified preproteins and cytosolic chaperones, they showed that preproteins bound to the mitochondrial import stimulation factor are imported via Tom70 in an ATP-dependent reaction, whereas preproteins interacting with cytosolic Hsp70 preferentially use Tom20 in an ATP-independent manner. In agreement with these observations we found that the import of Tim22 via Tom20 did not require cytosolic ATP, whereas the import of Tim54 via Tom70 was ATP-dependent. Because we used complete rabbit reticulocyte lysate, the full set of cytosolic chaperones was present during the import reaction, suggesting that the preproteins of Tim22 and Tim54 were bound to different chaperones before their delivery to the mitochondria. Some preproteins bound to Tom70 seem to be transferred to Tom20 before their insertion into the GIP, i.e., they require both Tom70 and Tom20 for import (Keil and Pfanner, 1993 ; Keil et al., 1993 ; Hachiya et al., 1995 ; Hönlinger et al., 1995a ; Komiya et al., 1997 ), whereas other preproteins can be directly transferred from Tom70 to the GIP complex (Söllner et al., 1990 ; Steger et al., 1990 ). The preprotein of Tim54 mainly behaves like the latter preproteins. Tim54 bound to Tom70 does not strictly need to be transferred to Tom20 but can be directly transferred to the GIP complex in the absence of Tom20. A third and quite short import pathway is followed by the small Tim proteins (Figure 7B, route V). The small Tims are directly translocated into the intermembrane space without an insertion into the inner membrane because their import does not require an inner membrane potential. Other intermembrane space proteins that only use the Tom machinery are the cytochrome c heme lyase and the cytochrome c1 heme lyase. These preproteins strongly require Tom20 for their transfer to the GIP complex (Lill et al., 1992 ; Steiner et al., 1995 ). For the import of the small Tims, however, the trypsin-accessible surface domains of import receptors were dispensable, including Tom20, Tom22, and Tom70. Here, the trypsin-resistant Tom5 that typically functions as the link between the receptor and the general import pore (Dietmeier et al., 1997 ) plays the crucial role. Tom5 seems to represent the first Tom protein that interacts with the majority of preproteins of the small Tims. Besides the import of apocytochrome c (Stuart et al., 1990a ,b ), the import of the small Tims is therefore one of the simplest mitochondrial membrane translocation mechanisms known to date. In addition to the various targeting pathways, this study led to two additional pieces of information. 1) Two new homologues of the small Tims, termed Tim13 and Tim8, were identified and found to be located in the intermembrane space. The four cysteines that were suggested to be of functional importance for the small Tims by formation of Zn-finger-like motifs are fully conserved in both Tim8 and Tim13. These small Tims were also identified independently as mitochondrial intermembrane space proteins interacting with Tim9 and Tim10 (Koehler et al., 1999 ). 2) Blue native electrophoresis provides a simple and efficient method to assess the correct assembly of in vitro imported Tim22 and Tim54 into a ~300-kDa complex. This complex also contains peripherally associated Tim12 (Koehler et al., 1998a ,b ; Sirrenberg et al., 1998 ; our unpublished results) and is termed the carrier translocase. In summary, we conclude that multiple mechanisms exist for targeting and membrane translocation of mitochondrial preproteins. Depending on the preprotein, distinct pieces of the known major import routes are combined to yield novel pathways. This includes crossing over of pathways at the level of the GIP complex of the outer membrane. For special preproteins like the small Tims, Tom5, which typically functions at the second or third stage of import, can become the first level import component and may thus have receptor-like functions. We thank Drs. Elizabeth Craig, Bernard Guiard, Michiel Meijer, and Falk Martin for yeast strains and preproteins, and Dr. Wolfgang Voos for helpful discussion. We are grateful to Hanne Müller for expert technical assistance. This work was supported by the Deutsche Forschungsgemeinschaft, Sonderforschungsbereich 388 Freiburg, the Fonds der Chemischen Industrie, and a long-term fellowship from the Alexander-von-Humboldt Stiftung to M.T.R. Corresponding author. E-mail address: pfanner{at}uni-freiburg.de. This article has been cited by other articles:
http://www.molbiolcell.org/cgi/content/full/10/7/2461
crawl-002
refinedweb
4,412
52.9
China's coronavirus disrupts global container shipping trade By Julie Zhu HONG KONG, Feb 7 (Reuters) - Goldman Sachs Group Inc GS.N plans to raise $8 billion in only its second buyout fund since the 2008 financial crisis, bolstering its ability to secure deals worldwide, said two people with direct knowledge of the matter. Undeterred by a coron billion in 2007, underscored its commitment to the private equity business. Many banks, including Citigroup Inc C.N and JPMorgan Chase & Co JPM.N, billion for its latest buyout fund. Goldman's new fund will focus on deals where it gets majority control, with the goal of deploying 60% of the capital in America, said the first person. It also plans to make about 25 investments in various sectors, with the deal size ranging between $150 and $600 million. Like its last fund - West Street Capital Partners VII that raised about $7 billion in 2017 - the new fund will seek capital from both intuitional investors and the bank's own employees, said the person. Goldman declined to comment. The sources declined to be identified as they were not authorized to speak to the media. Goldman's private equity arm, established in 1986, has been managed by its merchant banking division. It has raised about $47 billion since inception across eight funds, according to industry data provider Preqin. In 2016, the arm was named West Street Capital Partners, after Goldman's New York City address, to comply with a post-crisis rule that does not allow private equity funds to bear the parent bank's name. It has generated a net internal rate of return (IRR), which deducts management fees, fund expenses and carried interest, of 19%, since 2000, according to the first person. Its last fund has made investments including the $2.7 billion buyout of eye-care manager Capital Vision Services in 2019 and joined energy-focused peer Riverstone Holdings in the $1.6 billion acquisition of Lucid Energy Group's Delaware Basin unit, showed Preqin data. (Reporting by Julie Zhu; Additional reporting by Kane Wu; Editing by Jennifer Hughes & Shri Navaratnam) (.
https://www.nasdaq.com/articles/chinas-coronavirus-disrupts-global-container-shipping-trade-2020-02-07
CC-MAIN-2022-21
refinedweb
351
61.97
Now that we've created a project, package, and view class for our plug-in, we're ready to study some code. Here is everything you need in your HelloWorldView. Copy the contents below into the class you created, replacing the auto-generated content. package com.example.helloworld.views; import org.eclipse.swt.widgets.Composite; import org.eclipse.swt.widgets.Label; import org.eclipse.swt.SWT; import org.eclipse.ui.part.ViewPart; public class HelloWorldView extends ViewPart { Label label; public HelloWorldView() { } public void createPartControl(Composite parent) { label = new Label(parent, SWT.WRAP); label.setText("Hello World"); } public void setFocus() { // set focus to my widget. For a label, this doesn't // make much sense, but for more complex sets of widgets // you would decide which one gets the focus. } } The view part creates the widgets that will represent it in the createPartControl method. In this example, we create an SWT label and set the "Hello World" text into it. This is about the simplest view that can be created.
http://help.eclipse.org/kepler/topic/org.eclipse.platform.doc.isv/guide/firstplugin_view.htm
CC-MAIN-2017-26
refinedweb
168
52.05
This page has moved to ecsharp.net.GitHub doesn't support HTTP redirects, so you'll be redirected via JavaScript in 5 seconds. LeMP Home Page Introduction LeMP is a new open-source LISP-style macro processor for C#, comparable to sweet.js for JavaScript. Are you a good developer, but reluctant to “buy into” commercial tools such as PostSharp to enhance your productivity? If so, LeMP — a preprocessor built on a parser called Enhanced C# — can make you more productive. Design patterns are a valuable conceptual tool for developers, but some of them - especially complex ones like the Visitor Pattern, or ones that require lots of boilerplate like Decorator - arguably demonstrate that the language being used isn’t powerful enough. When used in conventional languages, many design patterns can only work by convention and cannot be encapsulated in a library or component, so they involve repetition and thus violate the DRY principle (don’t repeat yourself). A LISP-style macro processor helps you solve the repetition-of-boilerplate problem, and it also provides a framework in which you can run sophisticated algorithms at compile-time (for example, have a look at LLLPG, just one of many macros included with LeMP.) Examples It’s not just design patterns. Any code pattern that involves unnecessary repetition is a sign of weakness in your programming language. Example: using A really simple example is ‘using’ statements: using System; using System.Linq; using System.Text; using System.Collections; using System.Collections.Generic; using System.IO; using Loyc.Collections; using Loyc.MiniTest; using Loyc.Syntax; Luckily, Visual Studio can add these for us. But wouldn’t it be nice if half the screen wasn’t ‘using’ statements every time you open a file? There is a LeMP macro that lets you collapse these onto a couple of lines: using System(.Linq, .Text, .Collections(, .Generic), .IO, ); using Loyc(.Collections, .MiniTest, .Syntax); The comma , before the closing ) adds an “empty” parameter to the list, which indicates that using System itself is one of the outputs you want to produce. Example: Null checking As long as there is no such thing as non-nullable reference types, we’ll be checking if our method parameters are null, and if we’re extra careful, we might check our return value, too. This can be done in the traditional way, static string Twice(string s) { if (s != null) throw new ArgumentNullException("s"); return s + s; } Or in the new way, using Microsoft Code Contracts: static string Twice(string s) { Contract.Requires(s != null) return s + s; } But with LeMP, it’s a one-liner: static string Twice(notnull string s) => s + s; Your output file will say static string Twice(string s) { Contract.Assert(s != null, "Precondition failed: s != null") return s + s; } Note: This feature does not require the MS Code Contracts rewriter to be installed in Visual Studio, since LeMP has a built-in “rewriter” of its own, and it relies on Contract.Assert, one of the only methods of the Contracts class that does not require the rewriter. This behavior is customizable, e.g. LeMP can be told to use the standard methods instead, such as Contract.Requires and Contract.Ènsures.) The notnull attribute can be applied to the return value, as well, to check at run-time that a method does not return null. However, notnull is not supported on ordinary variables. LeMP also includes other “code contract” attributes. For example, the notnull modifier actually equivalent to either [requires(_ != null)] or [ensures(_ != null)], depending on whether you use it on an argument or return value, respectively. The underscore _ represents the value of a parameter, or a return value, depending on where you have used the contract attribute. Example: Small data types I like to create a lot of small data types, rather than using a few huge ones. And when you’re making small data types, C# is annoying. A simple type isn’t hard: public class Person { public string Name; public DateTime DateOfBirth; public List<Person> Children; }; But this simplicity has a big price: - There’s no constructor, so you must always use property-initializer syntax to create one of these. That could get old fast. And if you ever add a constructor later, you might have to change every place where you created one of those types. - Since there’s no constructor, you can’t easily validate that valid values are used for the fields, and none of your fields have mandatory initialization. - Many of the best developers say you should make your fields read-only if possible. And the style police say you should make them properties instead of fields. So, you probably need a constructor. But adding a constructor is a pain! public class Person { public string Name { get; private set; } public DateTime DateOfBirth { get; private set; } public List<Person> Children { get; private set; } public Person(string name, DateTime dateOfBirth, List<Person> children) { Name = name; DateOfBirth = dateOfBirth; Children = children; // TODO: Add validation code } } It’s too much repetition! - You repeat the class name twice. - You repeat each data type twice. - You repeat each property name twice. - You repeat the name of each constructor parameter twice. - You repeat “public” for each field (and more, if they are properties) LeMP solves these problems with a combination of (1) a macro, and (2) a little syntactical “makeover” of C#. In LeMP you’d write this: public class Person { public this( public string Name { get; private set; }, public DateTime DateOfBirth { get; private set; }, public List<Person> Children { get; private set; }) { // TODO: Add validation code } } Your output file will contain exactly the code listed above, and there is no repetition except for public .. { get; private set; } (but you might not want everything to be a public property anyway, and if you’re using C# 6.0 / VS2015 you can drop the private set part). Great! What’s going on? Enhanced C# includes two syntax changes to support this, each with a supporting macro: - To reduce repetition and ambiguity, Enhanced C# allows thisas a constructor name (a feature borrowed from the D language). A macro changes thisinto Personso that plain C# understands it. - Enhanced C# allows property definitions as method parameters (or wherever an expression is allowed). A macro is programmed to notice properties, and visibility attributes (like public) on variables. When it notices one of those, it responds by transferring it out to the class, and putting a normal argument in the constructor. Finally, it adds a statement at the beginning of the constructor, to assign the value of the argument to the property or field. Learn more Learn more about LeMP in these published articles: - Avoid tedious coding with LeMP, part 1 - Using LeMP as a C# code generator - C# Gets Pattern Matching, Algebraic Data Types, Tuples and Ranges Macro reference manual - Reference manual: main page More links Help wanted Do you have time to make LeMP better? I can’t pay you, since this is all non-profit. However, if you’re an employer maybe you could hire me for consulting work. Seriously: if you don’t hire me I might run out of things to do with C# soon, and then who’s going to maintain LeMP? Sorry, I hope that didn’t sound like a threat. Just sayin’.
https://loyc.net/lemp/
CC-MAIN-2021-43
refinedweb
1,217
55.34
Part 6: And Then We Took It Higher This continues the introduction started here. You can find an index to the entire series here. Poetry for Everyone We’ve made a lot of progress with our poetry client. Our last version (2.0) is using Transports, Protocols, and Protocol Factories, the workhorses of Twisted networking. But there are more improvements to make. Client 2.0 (and also 2.1) can only be used for downloading poetry at the command line. This is because the PoetryClientFactory is not only in charge of getting poetry, but also in charge of shutting down the program when it’s finished. That’s an odd job for something called “ PoetryClientFactory“, it really ought to do nothing beyond making PoetryProtocols and collecting finished poems. We need a way to send a poem to the code that requested the poem in the first place. In a synchronous program we might make an API like this: def get_poetry(host, post): """Return a poem from the poetry server at the given host and port.""" But of course, we can’t do that here. The above function necessarily blocks until the poem is received in entirety, otherwise it couldn’t work the way the documentation claims. But this is a reactive program so blocking on a network socket is out of the question. We need a way to tell the calling code when the poem is ready, without blocking while the poem is in transit. But this is the same sort of problem that Twisted itself has. Twisted needs to tell our code when a socket is ready for I/O, or when some data has been received, or when a timeout has occurred, etc. We’ve seen that Twisted solves this problem using callbacks, so we can use callbacks too: def get_poetry(host, port, callback): """ Download a poem from the given host and port and invoke callback(poem) when the poem is complete. """ Now we have an asynchronous API we can use with Twisted, so let’s go ahead and implement it. As I said before, we will at times be writing code in ways a typical Twisted programmer wouldn’t. This is one of those times and one of those ways. We’ll see in Parts 7 and 8 how to do this the “Twisted way” (surprise, it uses an abstraction!) but starting out simply will give us more insight into the finished version. Client 3.0 You can find version 3.0 of our poetry client in twisted-client-3/get-poetry.py. This version has an implementation of the get_poetry function: def get_poetry(host, port, callback): from twisted.internet import reactor factory = PoetryClientFactory(callback) reactor.connectTCP(host, port, factory) The only new wrinkle here is passing the callback function to the PoetryClientFactory. The factory uses the callback to deliver the poem: class PoetryClientFactory(ClientFactory): protocol = PoetryProtocol def __init__(self, callback): self.callback = callback def poem_finished(self, poem): self.callback(poem) Notice the factory is much simpler than in version 2.1 since it’s no longer in charge of shutting the reactor down. It’s also missing the code for detecting failures to connect, but we’ll fix that in a little bit. The PoetryProtocol itself doesn’t need to change at all so we just re-use the one from client 2.1: class PoetryProtocol(Protocol): poem = '' def dataReceived(self, data): self.poem += data def connectionLost(self, reason): self.poemReceived(self.poem) def poemReceived(self, poem): self.factory.poem_finished(poem) With this change, the get_poetry function, and the PoetryClientFactory and PoetryProtocol classes, are now completely re-usable. They are all about downloading poetry and nothing else. All the logic for starting up and shutting down the reactor is in the main function of our script: def poetry_main(): addresses = parse_args() from twisted.internet import reactor poems = [] def got_poem(poem): poems.append(poem) if len(poems) == len(addresses): reactor.stop() for address in addresses: host, port = address get_poetry(host, port, got_poem) reactor.run() for poem in poems: print poem So if we wanted, we could take the re-usable parts and put them in a shared module that anyone could use to get their poetry (as long as they were using Twisted, of course). By the way, when you’re actually testing client 3.0 you might re-configure the poetry servers to send the poetry faster or in bigger chunks. Now that the client is less chatty in terms of output it’s not as interesting to watch while it downloads the poems. Discussion We can visualize the callback chain at the point when a poem is delivered in Figure 11: Figure 11 is worth contemplating. Up until now we have depicted callback chains that terminate with a single call to “our code”. But when you are programming with Twisted, or any single-threaded reactive system, these callback chains might well include bits of our code making callbacks to other bits of our code. In other words, the reactive style of programming doesn’t stop when it reaches code we write ourselves. In a reactor-based system, it’s callbacks all the way down. Keep that fact in mind when choosing Twisted for a project. When you make this decision: I’m going to use Twisted! You are also making this decision: I’m going to structure my program as a series of asynchronous callback chain invocations powered by a reactor loop! Now maybe you won’t exclaim it out loud the way I do, but it is nevertheless the case. That’s how Twisted works. It’s likely that most Python programs are synchronous and most Python modules are synchronous too. If we were writing a synchronous program and suddenly realized it needed some poetry, we might use the synchronous version of our get_poetry function by adding a few lines of code to our script like these: ... import poetrylib # I just made this module name up poem = poetrylib.get_poetry(host, port) ... And continue on our way. If, later on, we decided we didn’t really want that poem after all then we’d just snip out those lines and no one would be the wiser. But if we were writing a synchronous program and then decided to use the Twisted version of get_poetry, we would need to re-architect our program in the asynchronous style using callbacks. We would probably have to make significant changes to the code. Now, I’m not saying it would necessarily be a mistake to rewrite the program. It might very well make sense to do so given our requirements. But it won’t be as simple as adding an import line and an extra function call. Simply put, synchronous and asynchronous code do not mix. If you are new to Twisted and asynchronous programming, I might recommend writing a few Twisted programs from scratch before you attempt to port an existing codebase. That way you will get a feel for using Twisted without the extra complexity of trying to think in both modes at once as you port from one to the other. If, however, your program is already asynchronous then using Twisted might be much easier. Twisted integrates relatively smoothly with pyGTK and pyQT, the Python APIs for two reactor-based GUI toolkits. When Things Go Wrong In client 3.0 we no longer detect a failure to connect to a poetry server, an omission which causes even more problems than it did in client 1.0. If we tell client 3.0 to download a poem from a non-existent server then instead of crashing it just waits there forever. The clientConnectionFailed callback still gets called, but the default implementation in the ClientFactory base class doesn’t do anything at all. So the got_poem callback is never called, the reactor is never stopped, and we’ve got another do-nothing program like the ones we made in Part 2. Clearly we need to handle this error, but where? The information about the failure to connect is delivered to the factory object via clientConnectionFailed so we’ll have to start there. But this factory is supposed to be re-usable, and the proper way to handle an error will depend on the context in which the factory is being used. In some applications, missing poetry might be a disaster (No poetry?? Might as well just crash). In others, maybe we just keep on going and try to get another poem from somewhere else. In other words, the users of get_poetry need to know when things go wrong, not just when they go right. In a synchronous program, get_poetry would raise an Exception and the calling code could handle it with a try/ except statement. But in a reactive program, error conditions have to be delivered asynchronously, too. After all, we won’t even find out the connection failed until after get_poetry returns. Here’s one possibility: def get_poetry(host, port, callback): """ Download a poem from the given host and port and invoke callback(poem) when the poem is complete. If there is a failure, invoke: callback(None) instead. """ By testing the callback argument (i.e., if poem is None) the client can determine whether we actually got a poem or not. This would suffice for our client to avoid running forever, but that approach still has some problems. First of all, using None to indicate failure is somewhat ad-hoc. Some asynchronous APIs might want to use None as a default return value instead of an error condition. Second, a None value carries a very limited amount of information. It can’t tell us what went wrong, or include a traceback object we can use in debugging. Ok, second try: def get_poetry(host, port, callback): """ Download a poem from the given host and port and invoke callback(poem) when the poem is complete. If there is a failure, invoke: callback(err) instead, where err is an Exception instance. """ Using an Exception is closer to what we are used to with synchronous programming. Now we can look at the exception to get more information about what went wrong and None is free for use as a regular value. Normally, though, when we encounter an exception in Python we also get a traceback we can analyze or print to a log for debugging at some later date. Tracebacks are extremely useful so we shouldn’t give them up just because we are using asynchronous programming. Keep in mind we don’t want a traceback object for the point where our callback is invoked, that’s not where the problem happened. What we really want is both the Exception instance and the traceback from the point where that exception was raised (assuming it was raised and not simply created). Twisted includes an abstraction called a Failure that wraps up both an Exception and the traceback, if any, that went with it. The Failure docstring explains how to create one. By passing Failure objects to callbacks we can preserve the traceback information that’s so handy for debugging. There is some example code that uses Failure objects in twisted-failure/failure-examples.py. It shows how Failures can preserve the traceback information from a raised exception, even outside the context of an except block. We won’t dwell too much on making Failure instances. In Part 7 we’ll see that Twisted generally ends up making them for us. Alright, third try: def get_poetry(host, port, callback): """ Download a poem from the given host and port and invoke callback(poem) when the poem is complete. If there is a failure, invoke: callback(err) instead, where err is a twisted.python.failure.Failure instance. """ With this version we get both an Exception and possibly a traceback record when things go wrong. Nice. We’re almost there, but we’ve got one more problem. Using the same callback for both normal results and failures is kind of odd. In general, we need to do quite different things on failure than on success. In a synchronous Python program we generally handle success and failure with two different code paths in a try/ except statement like this: try: attempt_to_do_something_with_poetry() except RhymeSchemeViolation: # the code path when things go wrong else: # the code path when things go so, so right baby If we want to preserve this style of error-handling, then we need to use a separate code path for failures. In asynchronous programming a separate code path means a separate callback: def get_poetry(host, port, callback, errback): """ Download a poem from the given host and port and invoke callback(poem) when the poem is complete. If there is a failure, invoke: errback(err) instead, where err is a twisted.python.failure.Failure instance. """ Client 3.1 Now that we have an API with reasonable error-handling semantics we can implement it. Client 3.1 is located in twisted-client-3/get-poetry-1.py. The changes are pretty straightforward. The PoetryClientFactory gets both a callback and an errback, and now it implements clientConnectionFailed: class PoetryClientFactory(ClientFactory): protocol = PoetryProtocol def __init__(self, callback, errback): self.callback = callback self.errback = errback def poem_finished(self, poem): self.callback(poem) def clientConnectionFailed(self, connector, reason): self.errback(reason) Since clientConnectionFailed already receives a Failure object (the reason argument) that explains why the connection failed, we just pass that along to the errback. The other changes are all of a piece so I won’t bother posting them here. You can test client 3.1 by using a port with no server like this: python twisted-client-3/get-poetry-1.py 10004 And you’ll get some output like this: Poem failed: [Failure instance: Traceback (failure with no frames): : Connection was refused by other side: 111: Connection refused. ] That’s from the poem_failed errback. In this case, Twisted has simply passed us an Exception rather than raising it, so we don’t get a traceback here. But a traceback isn’t really needed since this isn’t a bug, it’s just Twisted informing us, correctly, that we can’t connect to that address. Summary Here’s what we’ve learned in Part 6: - The APIs we write for Twisted programs will have to be asynchronous. - We can’t mix synchronous code with asynchronous code. - Thus, we have to use callbacks in our own code, just like Twisted does. - And we have to handle errors with callbacks, too. Does that mean every API we write with Twisted has to include two extra arguments, a callback and an errback? That doesn’t sound so nice. Fortunately, Twisted has an abstraction we can use to eliminate both those arguments and pick up a few extra features in the bargain. We’ll learn about it in Part 7. Suggested Exercises - Update client 3.1 to timeout if the poem isn’t received after a given period of time. Invoke the errback with a custom exception in that case. Don’t forget to close the connection when you do. - Study the trapmethod on Failureobjects. Compare it to the exceptclause in the try/ exceptstatement. - Use clientConnectionFailedis called after get_poetryreturns. 42 thoughts on “And Then We Took It Higher” Hi Dave, first of all, thanks for yout tutorial, it’s the best I’ve found to really begin to understand the way twitter works. There are some other tutorials around, but they all are totally obsolete and don’t explain the concepts as you, they’re just an exposition on how to do a specific task. And my doubt: viewing the PoetryProtocol code, I’d like to know why do you need to use poemReceived , why not just adding self.factory.poem_finished(poem) to the connectionLost code. Is it done in order to write a beautiful code or is there any need behind it?. Thanks Hey José, glad you like the tutorial, and that’s a great question. And you are right: there’s isn’t strictly a need for poemReceivedin this case, since the protocol is so simple and our use case is, too. But I like poemReceivedfor a couple reasons. First, it’s a kind of documentation. It tells the person reading the Protocolimplementation about the sort of ‘higher-level’ messages the Protocolis generating from the low-level stream of bytes. And second, it provides a clean place for someone who wants to sub-class our Protocol to post-process the poems as they come in. And by ‘clean’ I mean the method name won’t change even if we update the wire-level protocol implementation. This is a common pattern in the Protocols you find in the Twisted source code. For example, the Protocolthat can receive netstrings has a stringReceivedmethod and the protocol that can receive line-oriented text data has a lineReceivedmethod. In both cases the methods raise NotImplementedErrorto signify that you are expected to sub-class them and override their respective methods. Hi Dave, The timeout I have implemented using callLater() but I was intrigued by the Failure.trap() method. Here’s a stripped version of the twisted-intro/twisted-client-3/get-poetry-1.py where I have wrapped the Exception as a Failure and passed it to callLater(). May I ask if what I did is okay? class PoetryProtocol(Protocol): … def timeOut(self, failure): self.factory.errback(failure) class PoetryClientFactory(ClientFactory): … def buildProtocol(self, address): proto = ClientFactory.buildProtocol(self, address) proto.address = address import random from twisted.internet import reactor # randomize timeouts for now timeout = random.randint(1,3) msg = ‘==> TIMEOUT for %s’ % (proto.address,) exc = PoetryException(msg) f = Failure(exc) proto.callID = reactor.callLater(timeout, proto.timeOut, f) print ‘==> buildProtocol’, address, ‘with TIMEOUT’, timeout return proto def poetry_main(): … def poem_failed(err): print >>sys.stderr, ‘Poem failed:’, err.getErrorMessage() errors.append(err) e = err.trap(PoetryException) if e == PoetryException: print ‘==> PoetryException encountered: ‘, err.getErrorMessage() poem_done() Hey Cyril, I assume in timeOut you meant “self.factory.deferred.errback(failure)”? Anyway, a couple of points: The way you are doing timeouts may not be quite complete. Calling the errback on the deferred will tell the client that the timeout happened, but it won’t stop the poem from being downloaded. And when that finishes, the deferred will be fired a second time (causing an error, since it’s already been fired). So you also need to set the deferredattributed on the factory to Noneso the factory won’t fire it a second time and close the connection as well. Does that make sense? The latest version of Twisted has added support for canceling deferred operations. I write about it in Part 19. When you do e = err.trap(SomeException)and the code makes it to the next line, you can be sure that e == SomeException. So that if statement is unnecessary. However, if the exception doesn’t match the type you pass in, then trap()raise the exception, causing the deferred to move to the next errback in the chain. So if you’re going to use trapin an errback, you need to make sure there is at least on more errback in the chain. If you just want to see whether a failure is wrapping an exception of a certain type, you would use failure.check(PoetryException) == PoetryException. Hi Dave, Sorry about the “unformatted” code above. No, it’s self.factory.errback(failure). I wanted to pass the failure object so that I can pass it on to the factory and noticed that was wrong when you mentioned it. I changed it accordingly. Thank you for those important points, I commented the reactor.stop() line and lo, the deferred is indeed being fired! I changed my exercise based on your comments and came up with the following: class PoetryProtocol(Protocol): address = None poem = ” callID = None def dataReceived(self, data): self.poem += data def connectionLost(self, reason): print ‘==> connectionLost()’, self.address self.poemReceived(self.poem) def poemReceived(self, poem): print ‘==> poem_finished()’, self.address if self.callID: print ‘==> cancelling TIMEOUT…’, self.address self.callID.cancel() self.callID = None self.factory.poem_finished(poem) def timeOut(self): print ‘==> timeOut()’, self.address, self.callID self.callID = None # clear deferred self.transport.loseConnection() msg = ‘==> TIMEOUT for %s’ % (self.address,) exc = PoetryException(msg) failure = Failure(exc) self.factory.errback(failure) The Print statements are obviously for my “debugging”. I tested these with the reactor.stop() commented and it seems to work. For this exercise, the whole twisted-intro/twisted-client-3/get-poetry-2.py is at just in case someone’s interested. Again, thanks for the tutorials and for taking the time to reply. 🙂 Whoops, you’re right, I was confused about which Part you were on 🙂 I think you’re on the right track, but I believe you need to prevent the callback from being executed if the timeout expires, you see what I mean? I tested your code and it ended up calling both the callback and the errback in the event of a timeout. As of now, the above url does not work, so I pasted my solution here: (thanks to Ed for letting me know). Please note that I think I haven’t actually solved Dave’s exercise here, but this is as close as I can get. 🙂 Hey Cyril, I think you are close! It’s just that you need to prevent the callback from being fired if the timeout happens. When you call loseConnection() on the transport, that will turn around and call connectionLost() on your protocol. Right now, that causes the callback to fire. Then your timeout handler will call the errback. So you need one more bit of state on your protocol, you need to know whether or not you have fired the callback or errback yet, and avoid firing a second time if so. You’ll need to set that state before you close the connection in the timeout handler, to prevent the callback from being fired. See what I mean? Dave, Excellent tutorial. However, as we continue to add more of our code to the reactor loop, I am becoming increasingly concerned this wonderful walk-through is a front for drawing phallic 2D sketches 😉 Great work! Yeah, I had to stop those eventually, it was getting a little disconcerting 🙂 Hmm this one’s decidedly trickier. I’m having trouble making the traceback stick to the failure while making it custom. Not really a big deal in poetry servers, but it kinda bugged me. (And I used the connectionMade method… simplified things!) Hi there, I am confused about Exercise 1, I have been messing around with it and not having any success… Could you post any tips? Nevermind! I figured it out – I will post my solution after I have reviewed it if you are curious Way to keep at it 🙂 Here is my solution for Exercise 1: Nicely done! Thanks for your great tutorial 🙂 I have a question. How can I share status between PoetryProtocol instances ? It looks like that each PoetryProtocol instance is generated from different instances of PoetryClientFactory. I tried like this: factory = PoetryClientFactory(callback) for address in addresses: host, port = address reactor.connectTCP(host, port, factory) reactor.run() however, I could not figure out how to generate deferred object for each PoetryProtocol instance. Thanks in advance.(sorry for my poor English) Hello! Each PoetryProtocol instance will get a .factoryattribute with a reference to the PoetryClientFactory object. So you can store shared state on the factory, or another object referenced by the factory. hello 🙂 This is code snippet from this article. ———- def get_poetry(host, port, callback): from twisted.internet import reactor factory = PoetryClientFactory(callback) reactor.connectTCP(host, port, factory) for address in addresses: host, port = address get_poetry(host, port, got_poem) ———- then, objects are generated as follows +———-+ +———-+ | factory1 | | factory2 | +———-+ +———-+ | | +———–+ +———–+ | protocol1 | | protocol2 | +———–+ +———–+ … but I think that, objects must be generated as follows in order to share state +———+ | factory | <- stores shared states +———+ | +——————-+ | | +———–+ +———–+ | protocol1 | | protocol2 | +———–+ +———–+ … Sorry if I'm wrong… I failed drawing figures 🙁 In the first figure, factory1 has protocol1 and factory2 has protocol2. In the second, factory has protocol1 and protocol2. Oh, sorry, yes you are right, I forgot to look at which article your comment was on. But there’s still an easy way to solve the problem. Put the shared state on an object that is shared amongst all the Factories. thanks for your reply. I think I know what you mean. but, is this correct as the Factory Pattern …? For client connections it’s common to use a different factory for each one. For server connections you typically just have one Factory (for a particular listening port). You’ll see this in later Parts. ok, I will get forward reading this your tutorial. thanks for lot! 🙂 You are quite welcome! Hi Dave, I am having some trouble in trying to understand from where the callback is originating. What is the business logic here? When you are initializing factory with callback. What does it mean? I’m really confused. I understood what callback in this case is. It is basically the got_poem() method. We are passing it as a parameter itself. But what I still dont get is if there is an error, how does the get_poetry() method come to know about it? Also why are you comparing len(poems) + len(errors) with len(addresses) ? We find out about the error from Twisted telling us via the clientConnectionFailedcallback on the Factoryobject. Twisted calls that when an attempt to connect fails. And in that case get_poetryarranges for the errbackto be called. Since all of our attempts to contact a poetry server will either retrieve a poem or result in an error, when the total number of poems and errors equals the number of servers we are done. So, when : get_poetry(host, port, got_poem, poem_failed) is invoked. This code is run : factory = PoetryClientFactory(callback, errback) and factory is initialized with a callback object and an errback object, which are actually the got_poem() and poem_failed() methods. Now, reactor.connectTCP(host, port, factory) And if now factory object gets an error, clientConnetionFailed() is called which in turn invokes self.errback(reason) that is the poem_failed(err) method. Have I got the working right? I think you have got it! Another thing, I am looking to write an asynchronous port scanner using twisted. Any ideas how should I start out? I would go through a few more tutorials first, but you already have most of what you need — the clientConnectionFailed is going to be the key to this problem, since it will tell you when you cannot make a connection. Instead of connecting to different servers, you’ll make lots of connections to the same server but different port numbers, and keep track of which ports accept a connection and which ones do not. Yeah I thought so too that I’d be needing to go through some more twisted material. But I guess I’ll start building it up and keep adding functionalities as I progress through this tutorial. Thanks a lot for your help! 🙂 Hi Dave, I know I am late for the twisted party, but anyway here is my question, how different is clientConnectionFailed in PoetryFactory from connectionLost in PoetryProtocol? What I understand is once the connection is established and the poem is downloaded completely connectionLost is called, and if the connection is failed before establishing clientConnectionFailed is called, is that right? You got it! Thank to Lauren, According to his concept, I finished the exercise for python 3 and Twisted 17.1.0. It is quite a few difference, and here is my solution, Hopefully, it is not too late to learnTwisted Nice!!!
http://krondo.com/and-then-we-took-it-higher/
CC-MAIN-2019-35
refinedweb
4,598
56.96
. So far, we have shown how to create the keys and their values in a scalable manner. This section will cover how to retrieve these keys and place them on dialog boxes and Web pages. .NET provides a class called ResourceManager to assist with the retrieval of these keys with a well-defined, fall back process. A fall back process is a process by which .NET will look for a resource key in a language-dependent file first and if not found, it will look in the default resource file. It will also uses a hiearchical process to search the files; thereby, the localization process is gradual. Let me present a couple of options to access these keys starting with the native .NET way and proceeding to demonstrate a few utilities for the same purpose. The first option is the option of directly using the resource manager classes available in .NET. In this option, you need to know the resource filename in which you are interested. In other words, you need to know the key of the resource and also the module in which the key is defined. As you can see, some of the effort we have put into our CommonKeys has already paid off. We were able to say CommonKeys.SAVE to identify the key in a discoverable, non-error-prone manner, but also able to specify the module name in a uniform anonymous manner: CommonKeys.root. You can retrieve the keys by explicitly constructing the resource manager yourself: Using System.resources; Using SKLocalizationSample.resources.keys; ResourceManager rm = new ResourceManager(your-resource-filename,your-assembly); rm.getString(CommonKeys.FILE); The second option uses a utility called ResourceUtility that we are going to design in the following section. Let us consider here its usage, so that we can contrast it with Option 1 and see if it is worth the effort. One thing to notice is that we no longer need to instantiate resource managers, one for each module, ourselves. This is controlled by the static utility function. As we might embed static strings on a moment's notice in our programs, this one-line approach is very very welcome. We are still mentioning the module name and the key name, nevertheless. Let us see if we can improve on this one more step. String value = ResourceUtility.getString(CommonKeys.SAVE, CommonKeys.root); We are able to just say the key name in the utility function. This is possible because we have used a convention where the key name includes the module name as a prefix. So inside of the utility function, we will infer the module name from the key, and accordingly retrieve the keys. This function may be slightly inefficient. Usually, this should be the least of your performance considerations. If it does, you can collapse the resource files into a single resource file at deployment time, or use another, similar method to optimize this out. Sample Code For the Above FunctionSample Code For the Above Function String value = ResourceUtility.getString(CommonKeys.SAVE); Would it not be nice to cover how this function works? It is quite straightforward, so the complete code for this function is presented here. The code has enough comments to make it clear: public class ResourceUtility { public ResourceUtility(){} // Define a hashtable to hold resource managers one for each module static Hashtable resourceManagers = new Hashtable(); // Given a key and a modulename return its value public static string getString(string key, string modname) { // See if the reource manager already exists ResourceManager rm = (ResourceManager)resourceManagers[modname]; if (rm != null) { // ResourceManager not found, // create the resource manager and add it to the hashtable // the following ideally be run inside of synchronous block rm = new ResourceManager("SKLocalizationSample.resources.files." + modName + "Resources", Assembly.GetExecutingAssembly()); // Notice how in the above line, the name of the passed in module // is converted into a resource filename resourceManagers.Add(modname,rm); } // when the resource manager is available just return the value for the key return rm.GetString(key); } //*********************************************** //Option2, implying the module from the key //************************************************ public static string getString(string key) { // get the module name from the string char[] sep = {'.'}; string[] modKeyPair = key.Split(sep); string mod = modKeyPair[0]; return getString(key,mod); } } The only tricky part is where we are figuring out the resource file name from the module name. For example, if the module name is: Commmon Then the resource filename to be passed to the resource manager is: MyAppProject.resources.files.CommonResources.resources You have access to your module-specific resource file in the following directory: \myproject\resources\files\your-module.resx You can update this file either through its XML or through an IDE-based editor. Temporarily, if you want to localize any of your modules' resources, simply copy the existing resource file using the IDE into the same directory. Then rename it to the new language extension, and update the keys to reflect that language. For ex: \resources\files\CommonResources.resx \resources\files\CommonResources.en-gb.resx // British version of the file The Visual Studio IDE will automatically generate the satellite assemblies in the bin directory. This process may not be practical for each of the files. In that case, we will collect all of the resource files and generate these language-dependent file outside of the framework and create satellite assemblies manually. Refer to the article on the same site titled "Creating Satellite Assemblies" for converting these external resource files into satellite assemblies. Let us start with a module called MyMod and a key within that module called MYKEY: 1. Create a file called \project\resources\keys\MyMod.cs public static string root = "MyMod"; public static string MYKEY = root + ".MYKEY"; Notice the conventions used for root and the key MYKEY. 2. Create a resource file as follows (pay attention to the name of the file): \project\resources\files\MyModResources.res Key: MyMod.MYKEY Value: Any language specific value Note: Naming the key along with the module name should allow for better management of resources. Satya Komatineni is the CTO at Indent, Inc. and the author of Aspire, an open source web development RAD tool for J2EE/XML. Return to ONDotnet.com
http://www.oreillynet.com/lpt/a/2636
CC-MAIN-2013-20
refinedweb
1,023
55.95
pmstrncpy - Man Page safe string copy C Synopsis #include <pcp/pmapi.h> int pmstrncpy(char *dest, size_t destlen, char *src); cc ... -lpcp Description pmstrncpy is safe string copying routine with semantics similar to strncpy(3). The main differences are that src must be null-byte terminated, destlen is the length of the destination buffer (dest) not the length of the source string (src), and pmstrncpy ensures that dest is null-byte terminated, even when strlen(src) is larger than destlen. On success, pmstrncpy returns 0, else -1 indicates that src is too big and the result been truncated to ensure dest has no been overrun. See Also pmstrncat(3) and strncpy(3). Referenced By pmstrncat(3). PCP Performance Co-Pilot
https://www.mankier.com/3/pmstrncpy
CC-MAIN-2022-21
refinedweb
120
66.13
Licensing:Noweb - Revision history 2014-04-16T07:16:19Z Revision history for this page on the wiki MediaWiki 1.19.13 Wikibot: Licensing/Noweb moved to Licensing:Noweb: Moving Legal/Licensing Pages to appropriate namespaces 2008-12-21T03:33:31Z <p><a href="/wiki/Licensing/Noweb" class="mw-redirect" title="Licensing/Noweb">Licensing/Noweb</a> moved to <a href="/wiki/Licensing:Noweb" title="Licensing:Noweb">Licensing:Noweb<:33, 21 December 2008</td> </tr></table> Wikibot Spot: New page: <pre> Noweb is copyright 1989-2000 by Norman Ramsey. All rights reserved. Noweb is protected by copyright. It is not public-domain software or shareware, and it is not protected by a ``... 2008-11-21T18:18:22Z <p>New page: <pre> Noweb is copyright 1989-2000 by Norman Ramsey. All rights reserved. Noweb is protected by copyright. It is not public-domain software or shareware, and it is not protected by a ``...</p> <p><b>New page</b></p><div><pre><br /> Noweb is copyright 1989-2000 by Norman Ramsey. All rights reserved.<br /> <br /> Noweb is protected by copyright. It is not public-domain<br /> software or shareware, and it is not protected by a ``copyleft''<br /> agreement like the one used by the Free Software Foundation.<br /> <br /> Noweb is available free for any use in any field of endeavor. You may<br /> redistribute noweb in whole or in part provided you acknowledge its<br /> source and include this COPYRIGHT file. You may modify noweb and<br /> create derived works, provided you retain this copyright notice, but<br /> the result may not be called noweb without my written consent. <br /> <br /> You may sell noweb if you wish. For example, you may sell a CD-ROM<br /> including noweb. <br /> <br /> You may sell a derived work, provided that all source code for your<br /> derived work is available, at no additional charge, to anyone who buys<br /> your derived work in any form. You must give permisson for said<br /> source code to be used and modified under the terms of this license.<br /> You must state clearly that your work uses or is based on noweb and<br /> that noweb is available free of change. You must also request that<br /> bug reports on your work be reported to you.<br /> </pre></div> Spot
https://fedoraproject.org/w/index.php?title=Licensing:Noweb&feed=atom&action=history
CC-MAIN-2014-15
refinedweb
386
57.57
I need to track an event from Google Analytics. Its just a submit button to track each time a user fills up the contact form. Ive got this code but it doesnt work: import wixWindow from 'wix-window'; export function button6_click(event) { wixWindow.trackEvent("CustomEvent", { "event": "ctozacion", "eventCategory": "form", "eventAction": "Click", "eventLabel": $w('#dataset1').getCurrentItem().title } ); } The line "eventLabel": $w('#dataset1').getCurrentItem().title it gives me an errror that says #dataset1 is not a valid parameter. Does anybody know how this code works or what do I have to fix? Check that your dataset is actually called dataset1. Just right click on the dataset element > view properties > ID field Thanks for the anwer! Where do I access the dataset setting? Just hover over the dataset element on your page and it will show the dataset's id name on the top left. Or just simply right click the dataset and choose properties and view the dataset's id name in the properties panel. If you haven't got a dataset on your page, then read how to do it here: thanks very much, so each time I create a contact form, I have to link a database to it=? @Esteban Lifischtz You will need a dataset for any form that you use: Even if you just use Wix Forms to do it all for you, Wix will still put a dataset in your site structure automatically. @givemeawhisky thanks for your help! but it doesnt work. In google analytics, my event name is cotizacion, and I only filled two fields, category:form and event: click and my code in wix is: and my code in wix is: import wixWindow from 'wix-window'; export function button6_click(event) { wixWindow.trackEvent("CustomEvent", { "event": "ctozacion", "eventCategory": "form", "eventAction": "Click", "eventLabel": $w('#dataset1').getCurrentItem().title } ); } and my form is: the database name in code is correct If you create any user input form in Wix then you will need a dataset on the page that the form is linked to, this is where all the user inputs are collected, as in your case with your contact form it would be the messages that get saved in the collection. Have you actually added Google Analytics to Wix? Pllus, I am assuming that you are not using a free Wix site as Google Analytics will not work. I think you are following this tutorial here. For help with adding event handlers. If you are then make sure that you use all of the code correctly from the tutorial: You might find using Google Tag Manager easier. Finally, just a thought, how are you using the submit button as it will affect how your code runs. 1) Add a regular button and use onClick event handler. From there you can submit the form bound to a dataset using You can add event handlers by clicking + in the properties panel for the element. 2) Submit the form using regular button bound to save action and perform additional actions when form is submitted in onAfterSave handler on a DataSet. As in like Step 6 from this tutorial. Like I have done with my own contact form.... thanks a lot for your help, I ll check those links and see what I can do. Thanks!
https://www.wix.com/corvid/forum/community-discussion/hi-everyone-1
CC-MAIN-2019-47
refinedweb
543
71.34
Rose Bowl University of Southern Cali- fornia takes on University of Texas in Pasa- dena, Calif. PAGE 1E Ho o* *T '1 C:-, C) 0 U N T Y HIGH 67 LOW 44 "Copyrighted Material Syndicated Content . Available from Commercial News Providers" AW .* el u lm "am 4|A | NN^ft| 4NLN ^ ^^^. -^^^ ^^ ^^^tj^ ^ J~ Park career garners acclaim Developer: Resort won't pollute lakes MATTHEW BECK.Cr.r,rn.,:ie Homosassa Springs Wildlife State Park Ranger Patrick Dillard has seen many changes during his decades of employment at the park. In his time, he has worked for five different owners of the facility. Patrick Dilard has spent 33 years as a rangerat Homosassa park Economic benefits cited TERRY WITT terrywitt@ chronicleonline.com Chronicl/c Officials represent ng a planned luxury RV resort near Inverness pitched the develop- ment Wednesday as a pollu- tion-free project that would generate $800.000 to $900,000 in annual property taxes. A.s part of their commitment to a clean environment, repre- sentatives of Century Realty Finds said the company would build a $2 million oversized sewer line to Preservation Pointe at no cost to the county' and donate $500,000 to Inerness for a city sewer plant upgrade. The sewer transmission line would give the county the option of hooking other com- munities along State Road 44- East to central sewer and tak- ing the homes off septic tanks, a source of pollution in the Tsala Apopka Chain of Lakes. "It wasn't our plan to save the east side of Inverness, but we are glad to help," said Neil Combee, vice president of development for Century Realt3 Funds. Combee told the Chronicle Editorial Board the resort would generate a total eco- nonmic impact on the county or $14.2 million, including the creation of 195 jobs. He was quoting from a company-fund- ed economic study by Gordon S. Kettle, an economics instructor at Polk Community College. Combee said the adult com- munity would be surrounded b). a forested butter zone at least 300 feet wide in some areas, concealing the resort from neighbors and providing more open space than is required by the county. Century Realty Funds has requested a comprehensive plan, amendment from the county to change the zoning on 207 acres of property along State Road 44-East from coastal lakes, allowing one home per 20 acres, to recre- ational vehicle park-zoning, allowing the 499-umnit resort. Citrus County' commission- ers will discuss the project at a 2 p.m. workshop on Jan. 24. The Planning and Develop- ment Review Board has already voted 5-2 to recom- mend denial, citing the fact that the project would violate the comprehensive plan and increase housing density in an environmentally sensitive area. However: county staff has recommended approval, citing the environmental benefits of haIing the central sewer line extended to an area currently served by septic tanks, and Please see RESORT/Page 5A KHUONG PHAN .kphan@chronicleonline.com Cbiron ich- When Patrick Dillard came to Nature's Giant Fish BoM 1 now known as the Hoimosassa Springs Wildlife State Park ;33 years ago, he did so out of_ necessity. Dillard was toiling in construction, trying to raise a family. The pay was good, but the work was inconsistent. Bad weather meant no work, and no pay. Dillard needed something substan- tial, and at the very least, steady. "I needed to work here, because rain or shine, .\ou wouldn't be sent horne." Dillard said. "I got more money doing. what I was doing before, but here I was, guaranteed five days of work" He went into the office of the park, but the manager had nothing for him. Persistent, Dillard left his name and phone number and the manager must have seen something in him, because he gave him a little bit of hope. An. employee of the Fish Bowl had been blowing off his responsibilities. Dillard was told that if that man didn't return from his lunch break, then Dillard would have a job. By the end of the day, Dillard was hired. The next day he showed up right on time to start Annie's Mailbc: . 3'C Movies . ;? Comics ......... 4C Crossword ... .... 3C E'jitoi iI ... . 10A Horoscope ....... 4C Obituaries ....... 6A Stocks ......... . 8A Three Sections ll Illll878 20025 5 Dillard, a boat operator at the park. makes his way down Pepper Creek in an electric-powered boat. He (Dillard) has the respect of all the other rangers here at the park. John Thomps'on iead park ranger work Unfortunately, so did the now- fired ex-employee. "The man said I took his job," Dillard said. "The manager said, 'No, you took your own job. I need somebody I can depend on.'" Eat well, stay truthful For the course of the next 30-plus years, Dillard's proven that he was the right, reliable man for the job. "He's definitely an asset to the park," said Homosassa Spring Wildlife State Park manager Art Yerian. "He's the kind of person that won't go to a doctor's appointment if it means he's going to miss a day of work." For his exemplary service, Dillard was given the Russel Parks Award recently. The award was established in 1990 to recognize dependable, reliable park employees whose work frequently goes unnoticed. Dillard won the award in 1992, and wasn't necessarily expecting it'd come his way again. "'I was surprised," Dillard said. "I wasn't going to come to the Christmas, party because I thought my wife had to0 work. I told Arit that if she had towork, I wasn't coming He said, You've got to come." I w\as outside when they were talking about it, and when I came ina I saw that they were giving it to me." While Dillard may have been sur- prised, his colleagues were not. "Patrick's a very dedicated employ- ee," said lead park ranger John Thompson. "He has the respect of all the other rangers here at the park He's Please see PARK/Page 5A Sharon suffers stroke Israeli Prime Minister rushed to hos- pital;, doctors say his condi- tion is very grave./14A You can have delicious food and still abide by your New Year's resoluticnrs./1C Chassahowitza project half dead for time being TERRY WITT terrywitt@chronicleonline.com Chronicle It may have been hobbled by a political division on the Citrus County' Commission.but at least half of the Chassahovwitzka water ..- and sewer project is oil track County staff will ask the Citrus County Commission' next - Tuesday to allow them to advertise for bids on the water portion of the project in hopes of low- Jim F .ering construction will bnr costs. back Al McLaurin, the discus county's new engineer- Tue ing director, believes the county may be able to encourage competitive bidding by separating the water and sewer bids. lore bidders could lower the costs. The county received only o' s 3s No thanks, Jack Republican politicians return money linked to Abramoff scandal; worry about their election chances later this year./12A one bid of $11.1 million when the combined water and sewer project was bid as a single project, more than $6 million over budget. County commissioners dead- locked on Dec 22 when staff asked for permission to bid the water and * I sewer separately, how- ever Commissioners Vicki Phillips and Joyce Valentino voted with- Commission Chairman Gary Bartell and Commissioner Dennis >wler Damato to go forward g issue with the water portion, p for but Phillips and ssion Valentino opposed pro- day. ceeding with the sewer. The deadlock could be broken on Tuesday when Commissioner Jim Fowler, who was absent from the Dec. 22 meeting, brings the issue Please see PROJECT/Page 5A Lobbyist pleads guilty In fraud case I- ii Bush signs bill S allowing Broward County S to have slot machines./3A U Former mayor of Dunnellon < dies./3A .1 I FORECAST: Patchy fog in the morning, then partly cloudy. PAGE 2A rw CASH 3 4-7-0 PLAY 4 1-0-3-7 LOTTO 7-10-29-33-34-41 FANTASY 5 10 18 --26 30 31 TUESDAY, JANUARY 3 Cash 3:3 2-7 Play 4: 0 2 -.3 9 Fantasy: 3-6-9-15-36 5-of-5 No winner 4-of-5 538 $479.50 3-of-5: 12,010 $8 Mega Money: 2 15 37 -43 Mega Ball: 7 4-of-4 MB No winner 4-of-4 7 $1,414 3-of-4 MB 46 $471.40; 3-6f-4 1,117 $57.50 2-of-4 MB 1,724 $26 2-of-4 34,968 $2 1-of-4 MB 16,525 $2.50 MONDAY, JANUARY 2 Cash 3:7-9-7 Play4:3-7-2-7 Fantasy 5:4 10 21 -23 34 5-of-5 6 winners $35,032.37 4-of-5 288 $117.50. 3-of-5 9,401 $10 SUNDAY, JANUARY 1 Cash3:7-4-7 Play4:7-2-4-8 Fantasy 5:5 8 -12 13 34 5-of-5 1 winner $173,367 4-of-5 279 $100 3-of-5 -8,397 -$9 SATURDAY, DECEMBER 31 Cash 3:1 -0-4. Play 4:1 -0-2-1 Fantasy 5: 3 -10 19 25 36 5-of-5 3 winners $98,837.19 4-of-5 430 $111 3-of-5 13,349 $10 Lotto: 1- 8 -;- 12 -19 -38 53 6-of-6 No winner 5-of-6 118 $4,963 4-of-6 7,569 $62 50 3-of-6 150210 $4.50 FRIDAY, DECEMBER 30 Cash3:5-9-9 Play4:0-0-9-1 Fantasy 5: 6-20-23-24-29 5-of-5 3 winners $91,198.48 4-of-5 367 $120 INSIDE THE NUMBERS * To verify the accuracy of winning lottery numbers, players should, double-check the.numbers printed above with numbers.officially' posted by the Florida Lottery. On the Web, go to .corn; by telephone, call (850) 487-7777. I I si bOn W ME* 40ww 0 4 p -- t!d Emmib py rig htedjlMate rial e S - 2A THURSDAY, JANUARY 5, 20(= Florida Lumi irK-IESt- Here are the winning numbers selected Wednesday in the Florida Lottery: 400- - 4W *4 -N1w 41 Mb mo awa- C-Stm04 0 0 o- smdm coo .Mrll"'Ii-- W..02 ci 0-5 W49 W4uo. - 400mm0 t *w qm "Mm a .- qbQb "E%60 4 mmb mw lb -4 4m 4 - 41 .Nlmwd-nm mbobcu *~~ 'o, u, S -w C-ju p fjm ft- dp 1b ae a 44 0 a ft m-= "n-oma- m 0w4b am4 a-Nw own - 4 -bamNolm Gooom -am 4 mm % I- nolom D - . mgm M wo~ 4-a 4O4 40 q0 q 4b 49IMMNO a Go- 0-m ~ Oq= loop* ---Syndicated:,Content... 'Available from Commercial News Providers" walp -f -wL C- do. *5 io powwow_ It 0 *qw4b 0 0 - "W -bam4 OW. -o *40% 4m q-I S Sdbla aft- qp C-.I * * * 0 011 0--q- C C ~ 4b * * JoeC- 0~ 00 Z* S. -0 0' - 60%10.- 2 4b S ;o do - *0 S S C S C- - -- S 46.1 ~ - - -. ~m4~-~ -- C- - a- . .1 a C,-. .1 0 .1. - .1 C- m m ~ em ~ ~ C - - wmwm~ii [- - 1'm -9 BornBBBBB~ IBl ^mB^^^ BB ^^^B m - amm4W li.me -m Iowa 4 *40 .'" em-o 40 -omm Ob -whmm *bao qMa -C S. * 0 * C C 0 0 C S Mb dow -ow 4m q--imp-do "Dommom qmmmm qvpm 4w qbmw C C-. C S - 0 S C C- * S *l C- doom doom lo 41b o-410120 _ omosomo 4mom alo Mlooo qn-m 40dwnoamoq~ d -Mms- 4%w b ______ 4M 4w mou wmmm b o-alm ____ SN 04100040AMO I 3A THURSDAY JANUARY 5, 2006 S _7" Copyrighted MaterialI --- MO O O * Syndicated Content 4M.- 4m 41 Available from Commercial News Providers" 41 -rm= -mmm - -a-_ - 4b--- --" -w l .0m -a. 04 - 4w -- Many happy returns S WALTER CARLSON/Chronicle Mike Vincelli bends over backward to return the volleyball during a game Saturday at Liberty Park. The players get together each Saturday and Sunday for fun with their families. Former Dunnellon mayor dies For ". "el"," For the Chronicle Former Dunnellohi Mayor Bob Hess died Saturday after a long illness. He was 87. Funeral .services for Hess, who was a father, .husband, community promoter and avid golfer, is set for 11 a.m. Friday at Holy, Faith Episcopal Church. Hess moved to the Dunnellon area shortly after the end-of World WaI II, said longtime resident Ben Marshall. Bob He and his father-in-: .- law, Hal Hall, opened; a gro- cery store. During the late 1950s, the store was in a two- story building where Bob Rogers Real Estate parking lot is now sited. In. the early 1960s, Hess moved the busi- ness,; an IGA store, into a then- new shopping center, now called Penn Plaza. Hess ran the store until he was forced to close it in 1969. While. in the grocery store business, he was active in the community serving both on city council and as mayor; said Marshall. Longtime business owner Jiin Slagle worked with Hess on projects for the Chamber of Commerce and Lions Club. Both men were members of these groups. The two men shared a-.passion for golfing ,-and -often spent time together on the course. -Hess "- He- was a great S friend." said Slagle.; "He was a big supporter of the schools and anything to boost Dunnellon," .said C.A. Dinkins of Dinkins Service Store. His daughter, Jennifer Hess Burrows, said her father served as president of the school's PTA .program and often threw dinner parties, along with the late Ned Love, for the school's athletic pro- grams. Both Dinkins and Marshall made mention of Hess' involve- ment with the choir of the First Baptist Church of Dunnellon. "He was always there for us - and never complained about anything," Burrows said about her father. Burrows is the youngest of Hess' five children and two stepchildren. He is survived by his wife of 35 years, LaVaughn Hess, owner of The Gingerbread House, After working in the grocery store business, Hess earned accolades for being the top- Available selling real estate agent with the Deltona Corp. He also . worked for On Top of the World . until he retired in 1990. Flowers may be sent to the .- church at 19924 W Blue Cove - Drive, Dunnellon, FL 34432, or - a donation may be: made in his - honor to the church or to the - Dunnellon Lion's Club, PO. Box - 1962, Dunnellon, FL 34430- -- - 1962. - --Mm - 'CNpErighted Malerial lo Syndicated Content _ From Commercial News Providers" -- 9ob 1. w- m M- m -0 4 eb. -. 4b 40 a M b dip a- - * S - - m Attorney replaced in case arising from bomb spree -..... -.: --.._-a ce-a se. ......b Inverness man faces probation violation charges DAVE PIEKLIK dpieklik@chronicleonline.com Chronicle The lawyer representing an Inverness man facing life in prison on charges he violated probation for a bombing spree three years ago was reappoint- ed Wednesday, after citing a conflict of interest. Bob Christensen, a conflict attorney from. Crystal River who's often appointed to cases- other attorneys are unable to take, asked to be removed from representing Joshua Lee Dahling, 22, because of his own conflict. He told Circuit Judge Ric Howard he also had been appointed to represent a man who claims Dahling assaulted him in a related case. "I have a conflict across the board, I believe,". Christensen told the judge. According to offense reports from the Citrus County Sheriff's Office, Dahling is accused of violating probation in July by repeatedly punching Cory Lambert in the head and face, after Lambert witnessed a hit-and-run accident involv- ing a friend of Dahling. According to a report, Dahling went to Lambert's home with two friends to talk to him about cooperating with police. After punching Lambert following a brief talk, the report says Dahling told him, "If you call the police, I will.kill you. I know where to dump your body." Dahling was arrested on a warrant in October and charged with aggravated bat- tery and retaliating against a witness, along with probation violation. At the time, he was serving the first of four years' probation for a bombing spree at more than 24 locations around the county, including a Dumpster at the Lecanto Government Center. Dahling, his brother, Jeremy, and a third accomplice were sentenced in March 2003 to two years in prison and probation for the crimes. The question about whether Dahling violated his probation was supposed to be resolved at a Wednesday hearing, but was postponed to allow public defender Roxanne Dean - who was assigned to replace Christensen time to review the facts in the case. However, in another twist, Assistant State Attorney Brian Trehy said Lambert has appar- ently expressed interest in dropping the charges against Dahling. He said the state attorney's office received a.let- ter from Lambert expressing the wish to dismiss the ease, though he couldn't go into specifics. Dahling will appear in court again at a Feb. 13 hearing to determine how the case will proceed. -. - Correction The Kings Bay Lions Club will meet at 6 p.m. Monday, Jan. 9, at Oysters Restaurant on U.S. 19 in Crystal River. For din- ner reservations, call Marilyn Jones at 726-7117. - a a- - loft- . .. County BRIEFS Dog sought that bit Crystal River woman . A black and tan Rottweiler bit a woman Sunday near the 2000 block of North York Road in Crystal River.. The dog must be found by. Jan. 11 to prevent the woman from undergoing rabies shots. Call 726-7660 with informa- tion. CBN invites public to meeting Friday Citrus Business Network (CBN) will meet at 7:30 a.m. Friday in the B&W Rexall Restaurant's meeting room. Linda Long. of Liberty Tax Service will talk about preparing business taxes. B&W Rexall Pharmacy & Restaurant is in the Citrus Plaza, next to Sav-A-Lot on U.S. 41 South in Invemess. Break- fast and/or beverages will be available for purchase. For more information, call Jim Guinn, at 726-4825. Inverness man in crash recovering An Inverness man whose wife died in a crash Tuesday is recovering from injuries he received in the same accident. Howard Clay, 83, was in seri- ous condition Wednesday after- noon at Shand's Hospital in Gainesville, after his wife, Rose, died in a crash at Inverness Regional Shopping Center, off U.S. 41. Citrus County sheriff's investigators believe Mrs. Clay, 79, suffered a "catastrophic medical condition" before crash- ing the couple's car into a con- crete wall at the shopping cen- ter. Clay was transported by med- ical helicopter to Shand's; Rose Clay was pronounced dead at the scene. Investigators say they weren't wearing seatbelts. An autopsy was scheduled for Wednesday to determine a. cause of'death. | Inverness store, offers free flu shots The B&W Rexall Drug and Restaurant in Invemess will offer free flu shots to Medicare recipients on a first-come, first- served basis. The shots will be available from 10 a.m. to noon and 1 to 4 p.m. today. For more. information, call 726-1555. From staff reports StateBRIEFS Spectator who yelled won't be tried SARASOTA --A spectator who yelled "Let's string him up. now" during a child killer's sen-. tencing hearing will not be pros- ecuted. The State Attorney's Office dropped a resisting arrest charge Tuesday against Mario Vitali, saying it couldn't be proven he struggled with bailiffs after his outburst during the Dec. 1 sentencing hearing of Joseph Smith. Smith's abduction and slaying of 11-year-old Carlie Brucia gained national attention because the kidnapping was captured on a car wash surveil- lance camera and the trial was shown on a cable network. Tropical Storm Zeta starts to weaken MIAMI Tropical Storm Zeta finally started weakening Wednesday after it unexpected- ly maintained strength for a day in the open Atlantic. Zeta had top sustained winds near 50 mph Wednesday, according to the National Hurricane Center in Miami. The 27th named storm of the record-setting 2005 season defied expectations and neared hurricane strength Tuesday with top sustained winds near 65 mph. From wire reports - tate Bw& wgm dd CTRUS COUiTY (FL) CHRONICbE 4 A T-RsDncA-v TjA.NuARn'5. 200f6 Man arrested for possession of 17 marijuana plants KHUONG PHAN kphan@chronicleonline.com Chronicle Citrus County Sheriff's deputies went looking for one thing and ended up finding something completely different Billy John Queen, 48, 9600 South Lotus Point, Homosassa, was arrest- ed at 8:28 a.m. Wednesday on charges of cultivation of mari- juana and possession of drug paraphernalia. Billy His bond was set at Qu $5,500. Sheriff's dispatch received a 911 call shortly before 7 a.m. Wednesday referencing a phys- ical disturbance between a man and a woman and possibly involving a knife. Responding to the call, deputies arrived at Queen's home. According to the .sheriff's office report, a nervous and shaky Queen stated that he did not call 911 and that he didn't even have a phone. Dispatchers, continually called the complainant, with no luck, and believed that the phone may have been disconnected. Fearing that someone might be injured inside, deputies asked Queen if they could search his home. A hesitant Queen acqui- esced and led the deputies through his home. During the search, Queen stated that his girlfriend had left him several months ago and that he lived alone. In the, report, upon arriving at Queen's bedroom the strong odor of marijuana'was pervasive. Deputies noticed a sheet cov- John ered the closet, and ieen that a bright light was coming through the sheet When questioned about it, Queen pulled back the sheet to reveal approximately 17 marijuana plants. In the report, Queen told the deputies, "I just grow it for per- sonal use. If you want, I'll burn it all right now." No other people were found in the home, but deputies did discover seven more marijua- na plants in a pantry-type clos- et, and four plastic bags con- taining the drug. Deputies also confiscated two pipes used for smoking the drug and a prod- ucts used in growing it, includ- ing plant lights and fertilizer. C in w in C in. - in - -. .. - - S ~0 - -~ -e - * - e- - - ~- in- * ~ -' ~. ~ - - - w. - .-.~ .~ ~ in _- -w -- - in e. -'_ Copyrighted MaterialV>2- Syndicated Content - Available from Commercial News Providers" -*-.. 1b. ME-M 0 mm 0 -slt- qw Z Gme 401. eft-o do- ot4Da OM -m4m ftmp- - -o. 0 4 Qp b Amil ob 0 doo 4" -ob4m 0ik 410 4 ma - 410 4 091tdw m- -bm 0 w . W -40 m - amd 4h 4 b wa ~4 m w 4 ~4b quo&~ q* f 4b - dw- qft* 4 -tmm 0 lo 40,4 mdo-q o 4s 0 Q- 4 w 40 4 4 w 1 =-4--M w 4m OM mdmo Crystal River Police Devona Ruiz, 28, P.O. Box 150, Crystal River, at 4:46 p.m. Tuesday on a charge of battery. According to the police report, Ruiz hit a man on the. head with a glass object, causing him to bleed. Her bond was set at $500. Citrus County Sheriff Domestic battery Brian Lee Edgette, 25, . Inverness, at 1:18 p.m. Wednesday on a charge of domestic battery. No bond was set. Warren Wright, 32, Homosassa, at 4:06 a.m. Wednesday on a charge of domes- tic battery. No bond was set. Other arrests Shane Greer, 20, 5465 E. Live Oak Lane, Inverness, at 12:07 a.m. Wednesday on charges of threatening a public servant, resist- ing an officer with violence and resisting an officer without vio- lence. According to the sheriff's office, deputies arrived: at a home in refer- ence to a disturbance. Upon arrival they met with Greer who was intox- icated and belligerent. Throughout questioning and subsequent arrest, Greer was screaming profanity, threats and being physically resist- ant. His bond was set at $4,500.j. Julie Perry Rene, 27, at , large, at 10:35 p.m. Tuesday on a charge of organized fraud. According to the sheriffs office. report, Rene had stolen a check- book and written two checks for $534.44 and $581.20. Her bond was set at $5,000. N Robert Stepp, 1151 N.W. U.S. 19, Unit 128, at 7:39 p.m. Tuesday on a charge of petit theft. His bond was set at $500. Audiologist Dan Gardner M.S. Inverness 726-4001 Crystal River 795-5377 I 33 years experience 48229 Thepe st cepting e For Cataract Surgery, The Best --- Patients Choice Is Dr. Chris t e hope you'll consider us for your cataract surgery and all your vision needs. Dr. Christopher \\ard Board Certified American Osteopathic Board of Ophthjlniolog:, nd Oiorhinol.u', ngolog, Board Certified National Board ,o E\amin>cr for Ostecpaihic Phiiiiians aind Surgeonr Focused training and countless surgeries have made Dr. Ward a Premier Cataract Surgeon. LOSE I with HYPNOSIS 1 Thats ht. Regardless of your pastexperience try- ing to lose weight, YOU HAVE OUR GUARANTEE I THAT YOU WILL LOSE WEIGHT without hunger, without going on a diet or your money back. Tonight you will experience two hypnotic sessionsdesigned toeliminate unwanted cravings, reduce your consumption of sweets, and break the Impulsive/compulsive eating habit. With the Gorayeb Method of Clinical Hypnosis, Syou enter a deep, relaxed state of hypnosis where you are awake, aware and ALWAYS IN CONTROL. You'll leave refreshed, feeling good. SBut will It workfor me- ltdoesn't matterhow much weight you have to lose or how long you've been trying to lose it, this program is designed so you START LOSING WEIGHT IMMEDIATELY and gain control over your eating It's designed so you can lose 30 Ibs, 50 lbs even 120 Ibs quickly and safely. Over 500,000 people have attended our Lose Weight With Hypnosis seminars. It can work for you try It! Eve Center i & OPTICAL I CAAAT -LUOA DSGE .AE PRGESV &TASTINLNE WEIG 00% Written Guarantee Crystal River MOn, January 9 7:90 pm 9:45 pm alP nation inn & Golf Resort QONLY 9301 West Fort Island Trail -49 (West off Rt lb to W. Fort Island Tr) Register at door 6:00 pm 7:00 pm Cash, Check, Visa/MC, AmEx Rnald B. Gorayeb wwI w.trlm1 23.com Hypnotherapist "This tstheeaslesthing l e ever done. n2 atte r500,000 people have "rattendeour hypnosis seminars. months, Ilost3slzesandby5months 41/2 Designed to work for you just as it sizesforatotalof63lbs.&havebeenableto has for all these people: keep it0,--Thankyou." DebbieKersh, Tx* Roy Stripling (Lufldn, TX) lost 99 lbs in YOU HAVEOURWRITTENGUARANTEE 8 months; Elaine Burrows (Liverpool. W YOU WILL LOSE WEIGHT: Lose all the NY) lost 130 lbs in 13 months; Debbie weight you want. If you ever want Kersh (Ft Worth, TX) lost 63 lbs in 5 reinforcement, you may attend any of our months; JeffPacott (GrandJunction, weight loss seminars free, or if you are CO) lost 50 bs; Donna Jackson (C-enftanaWA) lost35lbstin2ml/2mo. notfullysatisfiedwithourprogramyoumay corporate on-te seminars roup ..... ............r J.-< ....,\ ...... rCo ornate on-ite seminars & group R have a full refund up to 45 days of this discounts are avallable:1--7800- 7123 seminars a us rtLo t w t noI jsjj-5M iidiaM tsm GOT A NEWS TIP? * U The Chronicle welcomes tips from readers aboutbreaking news. Call-the newsroom at 563-5660,. and be prepared to give your name, phone number, and the address qf the news event. C-H"ONICLL MI- - Florida's Best Co nity Newspape Servin g Florida's Best CFui aniy Be Cmmu iti To start your subscription: Call now for home delivery by our carriers: Citrus County: (352) 563-5655 Marion County: 1-888-852-2340 or visit us on the Web at .htmlto subscribe. 13 wks.: $34,00* 6 mos.: $59.50 -- year: $105.00* ' > F "Plus 6. Florida sales tax ' . S,. For home delivery-by mail ni:- iohline.com Where to find us: Meadowcrest office Inverness office 4.o i T npdn S .... sui Du .- i. r l[-----" Norv Brant,Hii, . ..e. .. .. ..Car. .da. 0,. 41 __ - 1624 N. Meadowcrest Blvd. i0-:O w t.l1ar, r Crystal River, FL 34429 Inverness, FL 34450 Beverly Hills office: Visitor STr,,,ar, t-,:,ie l Bld., For the RECORD BLINDS| WE'LLMEETOR BEAtANCOMPET1Tb FAST DELIVERY PROFESSIONAL STAFF IR .iiLINDFACTOR '' -.; ; '; i ** -:* - S* FREE- In Home Consulting S: V -alances E- Installation LECANTO -TREETOPS PLAZA 1657W. GULFTO LAKE HWY HOURS: MON.-FR.L9AM- 5 PM L TOLL FREE 1.877-746-0017 EveningsandWeekendsbyApPoin.ment 5 27-O I .....I., S 5jji^ j~ifji j. - aiujjj &PJW& 1J71UH,'51-)AYJANLLP-RY P, LUUU I I '19 1 AMMAINUTt (352) 628-0123 11707 N. Williams Street Dunnallon, F L 34432 (352) 489-3579 m . - - - THURSDAY, JANUARY 5, 2006 5A CITRUS COAUNTY I(PLL) 'CHRONICtlVLEC 6Mawy ch~IebT isr np - ~ ...Now "Copyrighted Material Syndicated Content, 4 I em I- * ~ Ow n am w m emm 4 - ___ 0- mm am- 4b eb- n.- a-qp * wjww amo m.- m Available from'Commercial News Providers" - .~ - " 0 ab -*ON, -- -..,NNW_ di 0~..daub lb- ow4l -t ww 41b- a- 40o 1 PARK Continued from Page 1A the first one to go out and get things done." Added park services specialist Susan Strawbridge, "What stands out the most with Patrick is his willingness to help out. He's just a very supportive, kind and giv- ing person." Though he puts in a full nine hours, five days a week, it's common to see Dillard coming in on his days off to make sure things around the park are on the up-and- up. When asked about his willingness to go the extra distance, the plainspoken, straight-shooting Dillard just smiled and sort of shrugged. .. "My wife sometimes works at night, so she sleeps during the day," he said. "I fig- ure I've got nothing to do so I just come down and help out." Dillard, 59, was born and raised in Homosassa. During his time in the area, he's seen his place of work change from a pri- vately held attraction to a state-run park "When I was a kid, at about 10 or 12 years old, I used to come the park," Dillard said. "They had trails here, but they were the kind of trails you'd use to cut through the woods. They had roots sticking out of the ground and everything. They had like a wooden deck and you use to feed the fish bread. Back then we had so many catfish come in, that they'd be on top of each other. We had a few gators and some otters, PROJ ECT Continued"-from Page' 1A back; for discussion. He sent a Dec. 29 .memo to county staff asking for the Chassahowitzka sewer issue to be placed on the Jan. 10 board meeting agenda. McLaurin and Public.Works Director Glenni McCracken are and that really was about it" During his youth, Dillard can't recall even ever seeing any manatees within the confines of the park. Sea cows of course are now one of the park's biggest draws. It's this personal, historical insight that few others can give that makes an excur- sion into the park with Dillard special. Counting the state, Dillard's worked under five different managements. Before the state took over 15 years ago, the park had a menagerie of non-indigenous, even exotic, animals including a cheetah, mon- keys and chimpanzees. The only holdover from those attraction years is, of course, Lucifer the hippopotamus. "I enjoyed it," Dillard said of the old days. "We used to have monkeys out here and we had goats so we could take chil- dren out there to feed the goats. I still miss it, but the one good thing that happened when the state took over is that the ani- mals are healthier. The animals years ago were being fed popcorn, marshmallows and candy by people and that's not good for our own system every day. - "We'd go check the feed bins and there would be food still left in there because these animals got so full on junk Because of that, they got so sick" Dillard's primary responsibilities as a park ranger now focus on giving boat tours and disseminating information .to visitors. However, during his. tenure at the park he's done everything from take care of animals to cleaning the bathrooms. During the attraction years he even grappled a bear. proceeding under the assump- tion, for now, that' the water portion of the project is active,, but the sewer portion is dead. McCracken said they will wait for guidance from the board. McCracken said construc- tion market prices have cooled' slightly, but prices for plastic piping remain high. He said the pipes are made from petro- leum products. VERTICAL BLIND OUTLET 649 E Gulf To Lake Lecanto FL "'5 637-1991 -or- 1-877-202-1991 ALL TYPES OF BLINDSIS,,_f, I- (tol free) Happy Dayz Diner. .. 727 Highway 41. South ' (In front of,Central Mbtel):' Inverness. 431 FllNO Of ie- Florida Knee & Orthopedic Pavilional Largo Medical Center Free Bridge Lessons For Intermediate Players At 11:30am At The Italian Social Club On Cr486 In Hemando. . Partners Available. A Relaxed Game Immediately Following The Lessons. -. 41 mQ qu r-qmm -me4 "I used to wrestle him on weekends and the holidays," Dillard said with a big smile. "The bear's name was Buck, and he was a stand-in for Gentle Ben. He was a black Wisconsin bear and he weighed 650 pounds, so who do you think won the bat- tle? It was a lot of fun." With his bear wrestling days long behind him, Dillard now just soaks in the constant thrill others bring him. "I enjoy working with the visitors here,' he said. "I get to meet people from differ- ent countries and from all over the United States. I also just enjoyworking around all the people here too." ' And, of course, everyone enjoys working with him too. "I couldn't imagine not having himr around," Yerian said. "He's the backbone of the rangers." Cruising down Pepper Creek, Dillard takes a moment to take in his ever-chang- ing, outdoor office of animals, forest and water. Behind the wheel of his boat, he's seemingly found paradise. ."'A perfect day? Everyday really," he said. "I enjoy my job five days a week" . Dillard is up for retirement in about 2- 1/2 years. While he'll certainly enjoy his newfound time off, chances are he won'i stray too far from this place. "When I do retire, I still want to come out here and volunteer at least one day e week," he said with a big smile. If there's one thing that certainly stands true about Dillard, it's that you can always depend on him to keep his word. Bridge Basics I For Beginners Is A Ne* 5-Week Course Starling Monday January 9, 2006 At 9am Taught By Mary Petit At The Italian Social Club., Oh Cr 486 In Hemando.,, S"For Information Call 344-2892 SThe Modern 2/1 Bidding System Fof~Advanced Players Starts Tuesday At 2pm On February 7, 2006 An 8 Week Course Taught By Pat Peterson. For Information Call Pat At 746-7835 Or Mary 344-2892 ~-_ SREmSORT. g Continued from Page 1A Noting the RV resort would be a good recreational fit for the lakes. The resort, which would con- Ssist of Class A motor coach RVs t ranging in price from $250,000 to more than milliono, would be developed on land formerly Used as a citrus grove. It is owned by the Eden family and 1 has 7,000-feet of waterfront on Big Lake Spivey. g Critics oppose the resort, saying it would violate the comprehensive plan and allow too much development along the banks of the lake, creating more pollution problems on a - lake system. " s t. I TED Williams NATURE] 1 BASEBALL s Baseball as it was intended s_ H* NO BATT .i B B^* COACH ( iga v EVERY SIGN UPS fri LECANT Saturday p rxipate aes areas from 4, a aturd an up.Ilcshiln:a.as6and Saturda up areplascea y meir rspeCUVe PLEASE REMEMBER THISI skill els., ALLCH .... :;-: ,':y a; s.,::!:i, ..!' ,An t q ,ICv',HuSPI 6 C'mon,get a great rate. 4 41 S 0 APY : S S 0 S S S 4. ( WORLD SAVINGS How may we help you? World Savings rates: 1-800-HOT-RATE (1-800-468-7283) I/27/05 World Savings and the World symbol are registered marks of GWFC. 2005 World Savings N4483-05FW .e T[ 0 P 11 r 1.-1-TI Ct-rvTrnTYi /C1T ) 11n4 rrt'r, r o They note the comprehen- sive plan designates the prop- erty for coastal lakes, which meansthe property is intended for low-density development to protect the lake system, and they are asking commissioners to enforce the plan and deny the comprehensive. plan amendment. sHowever, Bob Clark, an attorney for Century Realty Funds, said the project will contain and treat all the stormwater runoff generated by the resort's activities, making it environmentally safe. "Once this is completed, we believe it may be a better place environmentally because we're holding the stormwater on site," said Clark, a weekend resident of Homosassa. League Now The E COAST ed, "'FOR THE KIDS" FING TEES OR PLAYER PITCHING NE PLAYS BY SKILL LEVEL PMENT OF TEAMWORK ZATEGY OF THE GAME15 tom 9:00am to :00prom at. TO PARK-off RT 491S " ay, January 07, 2006 ay, Jan uary 14, 2006 Fay, s anuaryi, t2006h p "OnceI this 'Is compleedw- 0 - %J',Wr -DEVELOF per player-7,,A. -FAMILY F i i 101% 1 HUR A Th, JAN R' 2 6-: 7,C O T H N Roger Aungst, 44 CRYSTAL RIVER Roger Paul Aungst, 44, a life- long resident of Crystal River, died Tuesday, Jan. 3, 2006, at his home under the care of his family and Hospice of Citrus County. He was born April 5, 1961, in Inverness to Richard L. and Carmella (Spinelli) Aungst. Mr Aungst was a waiter at the Plantation Inn and Golf Resort in Crystal River He was a member of St. Benedict Catholic Church in Crystal River. Survivors include his com- panion, Dennis LaRoche of Crystal River; his parents, Richard and Carmella Aungst of Homosassa; four brothers, Richard L. and wife Brenda K Aungst of Homosassa, Robert L. and wife Lauraleen Aungst of Homosassa, Ronald S. and wife Fawn Aungst of Homosassa, and Ronald L. and wife Debora Aungst of Singapore; one sister,. Carmella and husband Gregory Psaledakis of Homosassa; and several nephews, nieces and cousins. Brown Funeral Home and Crematory, Crystal River. Anthony 'Tony' Soistman, 28 CRYSTAL RIVER Anthony Richard Soistman, 28, Crystal River, died Thursday, Dec. 29, 2005, under the care of family and Hospice at Citrus Memorial Health System, Inverness. Mr. Soistman was born in Baltimore, Md. He was a journeyman '. plumber and a talented drum- mer, singer and songwriter He enjoyed danc- .Anthony ing, making 'Tony' people laugh Soistmnan and singing karaoke to residents at Crystal River Health and Rehab. He is survived by a daughter, Kaylee, and a son, Austin, both of Baltimore; mother, Anita. Marshall of Crystal River; par- - ents, Kirk and Sharon Soistman; a brother, Kirk Jr.; and three sisters, Jennifer Soistman Burton, Amanda and Sara Soistman of Baltimore. Serenity Flmneral Home and Cremat6r, Crystal River. Thelma Clark, 103 CRYSTAL RIVER Thelma I. Clark, 103, Crystal River, died Thursday, Dec. 29, 2005, at Cedar Creek in Crystal River. She was born-Sept. 12,, 902, in Pittsburgh, Pa., to Charles C.. and Nora (Orr) Crawford. She is survived' by her daughter, Jane Crissman of Gibsonia, Pa. Brown Funeral Home and Crematory, Crystal River. Ronald Giczkowski, 67. BEVERLY HILLS Ronald F Giczkowski, 67, Beverly Hills, died Tuesday, Jan. 3, 2006, in Inverness. Born Aug. 5, - 1938, in Buf- falo, N.Y., to Frank and Irene Giczkowski, he moved here from Rome, ,', N.Y, in 1997. L. Mr. Giczkow- ski was em played as an electronic en- gineer for Grif- fis Air Force Ronald Base, Rome, Giczkowski N.Y, for 35 years before retiring in 1995. He was a United States Air Force veteran and a member of the American Legion, Rome, N.Y, 485th EIG. He was Catholic. Survivors include his wife, Ann Marie "Nancy" Giczkowski of Beverly Hills; two sons, David R. and Joan Giczkowski of Rome, N.Y, and Brian K and Nicole Giczkowski of Poway, Calif; one daughter, Arlene M. Giczkowski of Hollywood; one brother, James Giczkowski of Fayetteville, Ark.; one step- brother, Norman Banaszak of Tampa; two stepsisters, Theresa Lisowski of Hamburg, N.Y, and Frances Guminski of Buffalo, N.Y; and two grand- dhildren, Kyle and Kurt Giczkowski of Rome, N.Y. Hooper Funeral Home, Beverly Hills. Sherri Dietz, 46 CRYSTAL RIVER Sherri Ruark Dietz, 46, Crystal River, died Saturday, Dec. 31, 2005, at her home under the care of her family and Hospice of Citrus County. A native of North-Miami, she was born Jan. 15, 1959, to Kenneth and Helen Ruark and moved to this area in 1990 from Groveland. She was employed as a sur- veyor in the construction industry. She was Baptist. Survivors include her par- ents, Kenneth and Helen Ruark of Groveland; daughters, Heather and Donovan Ti nsley of Lakeland; sister, Cindy Baker of Wildwood; three grandchildren, Kaleigh, Cooper and Colby; her companion, Herbert "Buck" McCullough of Crystal. River; and Candace Boothe of Crystal River. Chas. E. Davis Funeral Home, Inverness. Marlene Gould, 67 DUNNELLON Marlene M. Brown Gould, 67, Duinnellon,. died Tuesday, Jan. 3, 2006, in Crystal River. She was born in Caton, N.Y, and moved here in 1985 from Montreal, Quebec; Canada. Mrs. Gould was a homemak- er. She was a member of the American Legion in Big Flats, N.Y. Survivors in- clude bert hus- band, George Gould of Diun- -neilon; three br o'thler Johnny Brown of : Denver, Colo., Robert 'Marlene Brown of Gould Elmira, N.Y, and James Brown of Erin, N,Y; one sister, Joan Tutlo of Horseheads, N.Y; and two nieces, Jolene Kelly of Virginia and Cathy Shuld of Horseheads, N.Y. Roberts Funeral Home, Dunnellon. Evan Hart, 52 INVERNESS Evan Hart, 52, Inverness, died Tuesday, Jan. 3, 2006, in Inverness. Born Nov. 1, 1953, in Madison, Ind., to Alberta and Charles Hart Sr., he moved here in 2003 from Tampa. Mr Hart was a handyman. He was a member of the Sumter Native American Family Tribe. He was a "Mr Fix It" and loved working on his cars, especially his Chevys. SHis father, Charles Hart Sr, preceded him in death. Survivors include his wife, Virginia M. LeDuc-Hart of Inverness; two sons, Evan W Phillips of Houston, Texas, and Tommy R. Hart of Tampa; one daughter, Cathy Sue Phillips of Houston, Texas; his mother, Alberta Hart of Plant City; six brothers, Charles Hart of Webster, -Dwight Hart of Plant 352-795-2678 .. 1901 SE HwY. 19 CRYSTAL RIVER, FL 344231 City, Ronald Hart of Houston, Texas, Stephen Hart of Tennessee, Darrell Hart of Bushnell and Craig Featherston of South Carolina; three sisters, Teresa Hart of Lake Placid, Dian Hart of Plant City and Susan Scoggin of Washington; and seven grandchildren. Hooper Funeral Home, Inverness. Tung Hung, 66 BEVERLY HILLS. Tung Lung Hung, 66, Beverly Hills, died Tuesday, Jan. 3,. 2006, in Inverness. A native of Taiwan, he was born Nov. 28, 1939, son to Shih Fung and Tien (Wong) Hung. He came to the U.S. in 1976 and became a citizen in 1984. He moved here in April 2005 from Tallmadge, Ohio. He was a retired Master Chef and owner of The Golden Gate Restaurant, Akron, Ohio, from 1984 to 2000. He was a hard working and loving husband and father and he loved fishing and gardening. He was Buddhist Survivors include his wife of 42 years, Chun Hsia Hung of Beverly Hills; one .son, Ming Wei Hung of Fairlawn, Ohio; three daughters, Yen Ling Hung and husband Haitian Yang of Copley, Ohio, Mei-Fen Harvey and husband Russell of Crystal River and Pao Hua Washburn of Fairlawn, Ohio; five grandchil- dren, Nicholas Harvey, -Devon' Harvey, Victoria Yang, William, Yang and Zoe Washburn; two brothers; two sisters; and many nieces and nephews. Fero Funeral Home, Beverly Hills. Marion Jones, 91 INVERNE SS Marion Goodrich Jones, 91, Inverness, died Sunday, Jan. 1,, 2006, in Inverness. Born July 5, 1914, in Fayetteville, Tenn., to Massey and Adeline Jones, he moved to Florida 44 years ago. Mr. Jones was employed as manager of a Coca-Cola plant. He was an avid fisherman and bridge player His wife, Mildred Ruth Jones, preceded him in death Dec. 24, 2005. ' He is survived by his nephew, Roy Boulware of Leesburg; and cousin, 'Kathy Howard of Gainesville, Ga. I Hooper Funeral Home. Inyerness. i. Amelia Usero, .96 FLORAL CITY Amelia Usero, 96, Floral City, died Wednesday, Jan. 4,2006, in. Inverness. Born March 2, 1909, in Gibraltar, Spain, the daughter of George and Amelia Cruz, she moved to Floral City in 2003 from Velrico. Survivors include two daughters, Kathleen Flores of Floral City and Mary Ricco of St. Petersburg; eight grandchil- dren, Angelo Flores of New York, Manuel Flores of Long Eddy, N.Y, Rick Flores of Hendersoiville, N.C., Ben:and Yvonne Flores both of Floral City, Brenda Ricco of Wilmington, N.C., Linda Cornell and Paul Ricco both of St. Petersburg; and 12 great- grandchildren. Heinz Funeral Home & Cremation, Inverness. Genevieve Weber, 91 UNION, S.C. Genevieve Doty Weber, 91, Union, S.C., formerly of Inverness, died Monday, Jan. 2, 2006, at the Ellen Sagar Nursing Home in Union, S.C. Mrs. Weber was born March 12, 1914, in Pittsburgh, Pa., to the late Alfred and Dolly (Jackson) Doty She graduated from the Chester High School in Chester, WVa., St. Johns School of Nursing in Cleveland, Ohio, and retired from the East Liverpool City Hospital as a registered nurse. She was a member of the Tabernacle Baptist Church. Her husband, Wilmer Weber, preceded her in death in 1993. Survivors include one son, John and wife Mary Weber of Inman, S.C.; one daughter, Carol and husband, Wilbur Smith III of Union, S.C.; one stepdaugh- ter, Donna Weber of Havre de Grace, Md.; and four grandchil- dren, Ryan and Martin Smith, John and Nicholas Weber. Chas. E. Davis Funeral Home with Crematory, Inverness. Click on- cleonline.com to view archived local obituaries. Funeral NOTICES Roger Paul Aungst Funeral services for Roger Paul Aungst, age 44 of Crystal River, will be conducted at 11 a.m. Friday, Jan. 6, 2006, at St. Benedict Catholic Church in Crystal River with Fr. Michael officiat- ing. Family will receive friends from 6 until 8 p.m. Thursday (today) at the Brown Funeral Home in Crystal River. Interment will follow the mass at the Crystal River Memorial Cemetery. In lieu of flowers, donations can be made to the Hospice of Citrus County. Sherri Ruark Dietz. In lieu of funeral services, all friends and farnily are invited to gather at the home of her parents, Kenny and Helen Ruark. on' Sunday. Jan. 8, 2006, at 22403 Dusty Lane, Groveland. Dinner will be served between 2 p.m. to 5 p.m. Also, in lieu of flowers, the family asks that donations. be made to the Hospice of Citrus County, PO. Box 641270, Beverly Hills, FL 34464. Ronald F. Giczkowsld. The service of remembrance for Mr Ronald FERonald F Giczkowski, age 67, of Beverly Hills, will be conducted at 11 a.m. Saturday, Jan. 7, 2006, at the Beverly Hills Chapel of Hooper Funeral Homes with the Rev. Frank D. Gough II officiating. Cremation will be under the direction of Hooper Crematory, Inverness. Friends, who wish, may 'send memorial donations to Hospice of Citrus County, PO. Box 641270, Beverly Hills, FL 34464 or to the Anglican Church of Our Redeemer; PO. Box 640028, Beverly Hills, FL 34464-0028. Michael E. "Mike" Handley. A memorial service for Michael E. "Mike" Handley, 68,, retired policeman of Crystal River, will take place at 1:30 p.m. Saturday; Jan: 7, 2006, at the Beverly Hills Community Church with the Rev. Stewart Jamison presiding. , Amelia Usero. Visitation for Amelia Usero, age 96 of Floral City, will be held today, Thursday, Jan. 5,2006, from 3 to 5 p.m. with funeral services beginning at 5 p.m. at the Heinz Funeral Home, 2507 Highway 44 West, Inverness. Fr. Charles Leke will preside. FORMS AVAILABLE ,* The Chronicle has forms available for wedding and engagement announce ments, .anniversaries. birth announcements and first birthdays. Call Linda Johnson at 563-5660 for copies." Deaths ELSEWHERE Tory Dent, 47 WRITER NEW YORK -.Tory Dent, a poet and critic whose searing work about living with AIDS won several awards, has died. She was 47. Dent died Friday at her Manhattan home of an infec- tion associated with AIDS, said her husband, Sean Harvey. Since being diagnosed as HIV positive at age 30, Dent published three books of poet- ry: "What Silence Equals" in 1993; "HIV Mon Amour" in 2000; and "Black Milk," which came out in 2005, just weeks before her death. "HIV Mon Amour" won sev- eral awards,. including the James Laughlin Award of the Academy of American Poets. It contained unflinching accounts of her daily existence battling AIDS. She was born Victorine Dent in Wilmiuniton, Del., and gradu- ated from Barnard College in 1981. She received a master's degree in creative writing at New York University and wrote essays and criticism for art journals, as well. as catalog commentaries for art exhibi- tions. Maktoum bin Rashid Maktoum, 62 EMIR OF DUBAI DUBAI, United Arab Emirates Sheik Maktoum bin Rashid Maktoum, the emir ofDubai, died Wednesday dur-: ing a visit to Australia. the gov- ernment said. He was 62. Maktoum, who was also vice president and prime minister of the United Arab Emirates. died in a resort. on the Gold .Coast in the state of Queensland. Dubai declared 40 days of mourning, Born in the. family home in the Shindagha area of Dubai, Maktoum was educated at a -British university and succeed- ed his father as ruler of the- emirate in October 1990. His foremost interest was. horse racing and he and his younger brother, the crown prince Sheik Mohammed Bin Rashid Maktounm, worked to put Dubai on the racing mnap. The annual Dubai World Cup is billed as the world's richest horse race. Maktoum often represented the country abroad' during the years when the former presi- dent, Sheik Zayed bin Sultan Al Nahyan, was ailing. But he tended to leave day-to-day gov- ernment of Dubai to his younger brother, who will suc- ceed him. "The United Arab.Emirates today lost a historical leader who devoted his life to estab- lishing the United Arab Emirates and enhancing its, HEINZ FUNERAL HOME & Cremation Just like you..We're Familyl David Heinz & Family 341-1288 Inverness, Florida. structure and the welfare of its people," the government reported. Neil Strawser, 78 JOURNALIST WASHINGTON Neil Strawser, who anchored CBS News radio coverage of President Kennedy's assassina- tion,. Frank Wilkinson, 91 CIVIL RIGHTS ACTIVIST LOS ANGELES Frank Wilkinson, who became a prominent civil rights activist after he was targeted in the 1950s -"Red Scare" era over plans for a public housing proj- ect, has died. He was 91. Wilkinson died. Monday at his Los Angeles home from complications of an infection, said Kit Gage, a longtime asso- ciate. Willanson w'as an assistant director of the Los Angeles Housing Authority when he backed plans in the 1940s and 1950s for a federal housing proj- ect in the Chavez Ravine barrio. He was suspended from his job after a 1952 eminent domain hearing, during which he asserted his Fifth Amendment right against self- incrimination when asked which groups he belonged to. The question came at a time when Sen. Joseph McCarthy was spearhead ing a nationwide anti-communist campaign. A Communist Party member from..19-12 to 1976. he twice asserted his Furst..Ailendment rights in refusing' to answer questions before the Houti Un- American Activities Committee. In 1958, he was cited for con- tempt of Congress' but chal- lenged the case. Three years. later, the U.S. Supreme Court ruled against him in the matter and he was jailed for nine months. 1rai. J. _atti 'Funeral. -iome 'Wth Crematory Walter Marciniak Mass: Fri., 10am Our Lady of Fatima Alice Reed Services in New York Jeannette Hines Arrangements Pending Sam Posey Service: Thurs. 3pm Chapel Virgil Price Service: Sat., 2pm Chapel Mary Jane Veltman Service: Fri., 1 pm Chapel Burial: Florida National Cemetery Florence Haertal . View: Thurs.,9:30-10:45 M,, : T1-Ui-; 11 JT, .Our L.,., ,:.l F r.rr, Ciurch Genet ieve Weber Pn,. :,re un. O..0 RKdge Cern -erer. .726-8323 West Citrus Ladies of the Elks presents Second Hand Rose Fashion Show January 27 11 a.m-3 p.m West Citrus Elks Lodge Grover Cleveland Boulevard, Homosassa CiTRus CouNTY (FL) CHRoNicLE OBITUARIES &A THURSDAY. 1,ANuARY 5. 2006 ., -rmTTTr- rrNr( Ff.)l ronnrrrrr HCU T oo much greed The 6-cents-a-gallon tax on top, of the high price of gasoline is ludi- crous. I will buy my gasoline from another county than CitrusCounty and I will do my business outside i of this greedy county. The decision 4for the tax is to offset growth. How much growth can we afford? More than 6 cents I went to Crystal River on -Saturday and the filling station ,close to me was $2.17 a gallon. 'When I went there Sunday,it was ,$2.29 a gallon. Now this isn't 6 'cents, it's 12 cents. How come? Hurts business I want to thank our county com- missioners for helping me to save my money. From now on, I will buy "all of my gas about $30 a week outside of Citrus County. That means that I Won't be buying a can ,of pop or a bag of chips or ciga- ,rettes in Citrus County when I gas -up, either. Your stupid 6-cents-a- gallon increase at the pump not only hurts the little man, it hurts the businessman as well. On the record I'm a resident of Citrus County and I'm very much opposed to this fantastic new gas, tax that we just got ... They should just take 1 per- cent or something like that and leave us senior citizens alone a lit- tlie bit. They're going to have peo- ple who won't even come in this county or the state of Florida. But I .want to go on record that I am very 'much opposed to it. Bad for elderly I think that it's unconscionable to 'raise the tax on gas in Citrus "County 6 cents ... This is really, really bad on us old folks. The gas is already high as it is, and then to -put a tax on top of it? I think that ,we voters should vote to repeal it tand vote every one of those com- missioners out who voted for that .,increase in tax. It's OK because .they're not on fixed incomes like tus. It's bad enough that we can't r even get out of our houses, let alone to have to pay that kind of -'stuff for, you know, your gas. This tis really, really unconscionable. It is *'really awful. Price top up SI see that the bandit gas stations not only jumped the gun by raising "their rates two days before Jan. 1 on the 6-cent gas tax, but also added a little bit more profit margin by gouging the price of $2.199 to S$2.359 ... The Consumer Fraud Sound OFF Shiite theocracy Well, there you have it; instead of a brand-new democracy in Iraq, we have a Shiite theocracy aligned with Iran. Women are reverting to headscarves in Iraq. They've lost their rights in divorce, custody, inheritance and testifying in court. It takes two women to equal one man. Aren't we proud of the democracy we have brought to Iraq? Amish Cook This is Dec. 22. I'm calling to register my disappointment at the absence of the Amish Cook's col- umn because of, to quote the edi- tor, "space limitations." Oh, come now, that's not right. Don't you think her column is more important than the rot you published-about 'Elton John? Enforcing code This is about the county code enforcement system. Last sum- mer, the county promised us that the new code restrictions that 'would go into effect Oct. 1 would make Citrus County a better place to live. After Oct. 1, a person ... in Beverly Hills started erecting a car- port. It's big 10 feet high it's ugly and it's illegal. The neighbors complained about it and the Civic Association filed a complaint with the Code Enforcement Division and the only thing the Code Enforcement Division did was to issue a permit after the fact. It seems like the only thing they're interested in cleaning up is their paychecks. Smaller bags Division should not only fine them big time, but close them up, as well. Carte blanche I would like to thank the Citrus County commissioners for raising the gas 6 cents. You gave carte blanche to all the gas stations. It was $2.19 before the price raise. It is now $2.29. That is not 6 cents; that's 10 cents. In a lot of cases they even went up 13 to 15 cents. This is supposed to be Citrus County, not New Port Richey. A lot of the people here cannot afford it. .NO INEES OR1 MNH V New Year's COUPON We are building roads for the rich. Remember who put you in office. We're not the rich from up north or moving in from Naples up here. We, the people of Citrus County, put you in office and we, the peo- ple of Citrus County, are going to take you out of office and find peo- ple who will represent the people of Citrus County who have lived here all their lives, who work here and are trying to make a decent living. We cannot make a decent living anymore because you keep raising the taxes on gas. And now you're thinking something about the land- fill again? We can't keep up with you. Voting memo Our greedy commissioners are not watching out for us. We shall all remember them on Election Day. The 6-cent gas tax is an insult to every resident and voter. Did you notice all the packages are not the same regular weight as they used to be? Flour used to be in five-pound bags; it's now 4.25. Many of the same are less, too. Coffee ... has gotten so small that you have to look very carefully to find it on the shelves. Bare hands There's nothing worse than see- ing a restaurant advertised on the local channel or anywhere where they're making their sandwiches ,and food with no gloves on. It is so disgusting. All these people who work in restaurants and drive- throughs and everywhere should be wearing gloves and hairnets. Sny Merchandise purchase 1otaln 24e 9to $498 Not oupon Per Puchs Expirs 706 jj- -------- -7 See REX For The BEST DEAL On Color TVs Flat Screen TVs High Definition TVs Plasma TVs & HDTVs LCD TVs & HDTVs Home Theater & Audio Systems Video Combos Audio Components Portable Audio Car Stereos Digital . Cameras Camcorders,* Appliances XM Satellite Radio DVD Players DVD Recorders VCRs Vacuums Microwave Ovens Entertainment Furniture Personal Electronics. Speakers Etc. DiE BUSINESSES, CONTRACTORS OR S SCHOOLS CALL: 1-a800oo-528-9739 N __ I CRYSTAL TA IVEROMADL STATE ROAD 44 n Any Merchandise Pu Totaling 2I48 rancdUnder Not Applicable to Prior Sale. Limit Coupo nPer P.rrchu Epr 0 - M - s- -a-r-*-E I "M CRYSTAL RIVER 2061 NW HWY. 19 1/2 Mile North Of CystalRiver Mall 795-3400 OUR RAINCHECK POLICY: Occasionally Due To Unexpecled Demanu Caused By Our Low Prices Or Delayed Supplier Shipments We Run Out oi Advertised Specials.. OUR LOW PRICES ARE GUARANTEED IN WRITING. IF YOU FIND ANY OTHER LOCAL STORE (EXCEPT INTERNET) STOCKING AND OFFERING TO SELL FOR LESS THE IDENTI- CAL ITEM IN A FACTORY SEALED BOX WITHIN 30 DAYS AFTER YOUR REX PURCHASE, WE'LL REFUND THE DIFFER- ENCE PLUS AN ADDITIONAL 25% OF THE DIFFERENCE. 012 Hot Corner: GAS TAX !HIS. LIJ EC T F ITL-F T -i E I T.iiiiF. 1 UJF E F ' IA FRkOI uR IGIl~L ,DATE kC'F [-rilkCHASE I -AVAILAO8LE OtL I' 0 EISIS N 4 ,CTN ELD8/ 'O ULE Monday-Saturday 10AM 'til 9PM ~>~~?-)~ y L 4'A ,GITRUS (,OUNIY (PL) UHRUNICLE ------------------- THURSDAY, JANUARY 5, 2006 7A 'C P1TTPIN('TN L, STOCKS SA THURSDAY. TIANUARY 5. 2006 CITRUS COUNTY (FL) CHRONICLE MOST ACTIVE ($1 OR MORE)' Name Vol (00) Last Chg Lucent 599163 2.72 +.03 Pfizer 433143 24.55 +.77 FordM 343118 8.01 +.18 VedzonCm 298027 31.27 +.89 Maxtor 238875 7.34 +.39 GAINERS ($2 OR MORE) Name Last Chg %Chg TelSuCel 14.43 +1.33 +10.2 BMCSft 23.07 +2.06 +9.8 Cambrex 20.56 +1.78 +9.5 TelLeste 16.97 +1.47 +9.5 TelspCel 4.48 +.38 +9.3 LOSERS ($2 OR MORE) Name Last Chg %Chg Gateway 2.64 -.17 -6.0 BldctsiB 3.20 -.19 -5.6 NEurO 26.44 -1.56 -5.6 Pediat 85.30 -4.69 -5.2 RexStrs 14.45 -.79 -5.2 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Volume 2444 951 121 3,516 296 18 2,522,575,630 MOST ACTIVE (51 OR MORE) Name Vol (00) Last Chg SPDR 488281 127.30 +.60 iShRs2000s278469 68.42 +.37 SPEngy 173054 52.85 +.15 SemiHTr 127363 38.20 +.28 SPFnd 115130 32.17 -.03 GAINERS ($2 OR MORE) Name Last Chg %Chg Arhyth 12.25 +3.50 +40.0 I-Traxh 2.59 +.50 +23.9 Signalifen 3.15 +.45 +16.7 GoldRsvg 3.52 +.48 +15.8 TetonEgy 6.94 +.93 +15.5 LOSERS (S2 OR MORE) Name Last Chg %Chg RoweCos 2.88 -.31 -9.7 tends 2.32 -.16 -6.5 FortDivn 3.30 -.20 -5.7 Friendly 8.25 -.49 -5.6 ATechCer 8.61 -.50 -5.5, DIARY Adcvanr.ed Declined Unchanged Total issues New Highs, New Lows Volume .71 292 83 1,046 77 13 303,039,368 MOST ACTIVE (S1 OR MORE) Name Vol (00) Last Chg Nasd1OOTr 856953 41.74 .43 Cisco 800682 17.85 40 SiriusS 635979 6.36 16 Microsoft 576887 26.97 *13 Oracle 550903 12.62 02 GAINERS ($2 OR MORE) Name Last Chg %/Chg ParticDTn 6.35 +1.18 ."'8 Lanoptc 6.02 +.90 .+17 6 Intrmag 35.35 +4.55 +148 GigaTr 2.88 +.36 .14 3 WebMDn 34.01 .+4.11 .1i7 LOSERS ($2 OR MORE) Name Last Chg %Chg RockySh. 20.33 -3.82 -158 Reinholds 12.46 -2.19 -149 SteerTch 25.15 -3.68 -128 SilcLtd 7.43 -.95 -113 TriplCrwn 8.82 -1.13 -113 DIARY Ad, arcied Declined Unchanged Total issues New Highs New Lows Volume 1,938,351 u6O2 Here are the 825 most active stocks on the New York Stock Exchange, 765 most active on the Nasoaq National Market and 116 most active on the American Stock Exchange. Stocks in bold' are worth at least $5 and changed 5 percent or more in price Underlining for 50 most active on NYSE and Nasdaq and 25 most active on Amex. Tables snow name, price and net change. and one 10 Iwo additional fields rotated through the week, as follows. . DIv: Current annual dividend rale paid on sock, based on latest quatterly.or semiannual declaration, unless otnerwise.tololnled. , Name: Stocks appear alpnaberically by the company's full. name (not its'abbrevraiion). Names consisting of initialss appear az the beginning of each leter's li&t. , Last: Piicd stock was trading at when exchange closed for the day, Chg: Loss or.gain for ihe day. No change indicated bti ... i. ' ~.ACE LN MAct - CC UO 9 A-O s . Stick Fooitnoteii: d -PE .3realer r-an99 cd Isie-1.1brz tbeep'.wilied lii rede,'r4.ior, by P5i~ e oompary a -'fig* 82-*seKicic Ad box cIllln CI12 rmx, ec.-Comperi,6 urirarly i-nied 1 6a an IU "61 onheA~erxa"ECSge. nfrgn Corsipary Manletii:-13 a Dwidadrrs.and ea. ,- '. I A" Ing i 'Cansaian tSolla-n s- amporiry ampt troam N .xx praqlenI irni Iirpi.,t lir6 t j ,qaiS Sixur,'oci 'a-a e soe 4inC _lasintiar Tare62-vwekr gh wrlawfigufaz':- ,. aala only IlOw 5hebegmningol i iwdiyig p1Piiersoed .IacK igm.- -Pr Psetarengs pp Hciider oes r~rlaw: xciprtix p q Cloeri-a'd iirruualwiarind rPE csi..lar ed nRq~oysulytp. x. ,Salhaprytn~4pr.ri r,,~ ,a~itir I a-n ,,, .n~Tra., wll e ~tln4etti ir r...i r, ~,ad CdWr~ ~ .Act, rm i Itnbapi.'- Wer wioiniilite6ng a jpurcrnio Erof ,,elik:, -Neiii.2wtieeirrlgh.81'- U~i,~ ANi.& r IncludI)in,..m- hr, ore,,skurury v, ifrCamp,.'p Orjakiup.pr or ic~iivarnii4. oroeiwn r..rt I. ieorg-n..d under the an,runecy ylaiv App~awsrIn i.onl *I ran 5r,6 -e5- Dividend Footeoles: : -Em adiIdanri,d'. ain pJdL. outare sot i1.iiWdd a- AonnwxlIMIG 9a'. Sot .C Jqdugddtr4 eiid a -* Aount Anelaad ,or paid Irn aoi 2 rwornrsr- .t ' Currentanriu~a at e wa,%iCswas i~rxrea~cfpj yrri'Lb rneI is divnd enanrionc..mari Eurw.i-cianasrpd ad iter uar~A-ill phaisorguint ml. I -SUIPr of .vde~4ndr pai-i th-6 yie.r -, ffoC 91dobir-,.Cni i I,0n54w6:' ,.,ted or d~trred IO. K- i: ari.;d o arpldthiNyara curniqIawa .Z3 ACE Lid 261-.11 di5 ALACM. o..1 rsixYaah cO,515095'. rids.inrieara": th-.Csfturial anriu~ ats Cr115 ep *asdecre"xGdby iro-.i .31..N)JOO 64' -! recarnt diuleena anri..ane,Teani p .lnliial 05iidenfldlpusl'rare nitr knowr, 'yiaid nor .;Ukad w 13i l5On r ur- einred or pairt is ptacaieirF] 12 Ill, ,l'. loc+116.)vide'd i Pad in t.e-IC '-%, xrpprommaia n a ssy. ne-disrribu5nciidale Source: The. Asso'clated.Press, Sales figures are unofficial. I ~STOCK SOFLCLITRS Name DIv YId PE Last YTD Chg 'uChg AT.O1Ir,.t : 1 .13 3 eg 18 .,ri Arm~o5,r, 104A 39 15 FF.68 I13 l8 dBiOtArr. 00 43 11 4r 58 I (j - Beii~cmurr,1 A 5 4?2 1? 2,7 3,'j -08 .+ i r CAO196k 65 18 2-5 3643 + 49 -62 v, 0 3 E. 1148338 -3 3 C',2n7yI 1 '2 ",14, -41 +.1 E qli 3 24 2f. +19 ,3 1 :.t 1r. 6 2')0 '11 'S84- + 10 +. FPL Cp. 1 4 341 141200 + I Fii.Roo v:60 1 1 OAf. +.lc .57 ForakM 40 (1 8 81)1 +.]a +3'1 GrnEle-:r1O00 8 2v :V. 3 7-05 .8 Gr~oir -, 2':":' 11)3 Icl 4 1 *51 1 Hc.m.rDp 40 n1 r) 1 x34048 It.I 10 I 20 736 + 34 +36 IBMA 80 10) 7 8165 11 3 Name Div Yla PE Last L ,: 21-C . 24 4 20 6624 lr.1DrI 67 20 18 3382 M.:r~-Lo 36 1 3 2-3 2. 9 Ml,,rl.a i 7 It. 2340 Penrny I5 9 18 57 23 P,.:.,i- .Er.,242 5.5 15 4-W O Sei rs. Il.r.If 27" 11 l: ip,,nlte, I", 4 19 23 25 Timearrn 20 1 1 32 17 74 UnF. T 15 5 14 31 04 Veri.:.rC.r t062 52 1i 3 2" W.a,: r,, via 2 14 3 8 I i 1 406 Wvalft.ln I A 3 18 46 :42 W.lgrrn '6 6 29 4.3 99 YTD Ch %Cha 52-Week Net YTD 52-wk High Low Name Last Chg Chg ".Chg Chg i 498.1446 10 0046t Do Jr,i leu. ,uir,3 10,880 15 274 30 52 .*2 6 J 30609 3-348 6. D.:.w Jorn Tr3a orl. altrn 4. .46.94 47 -4 14 .1 21 t12.45 48. 4 32 9 Dow .ljnr,. Uriitei 414 4.4 .89 221 2 30 .27 3'. '.,916,47 6%0251 (i,'iEC,,,T-pci,.le 7.96 294 *553 +64 +270 t.1?: 1 79 77. 1.381 37 Amr,e, Irae. I 79.'93 *.4 94 ,28 ,i 3 29 88 2.2.8 6 I 88983 rJi.s.ncc.m:.;..,e 226346 ,19 7. ,88 A .. 64 .824 1 i 1 1i l S&P 0 27346 +-1 .6 37 ,202 *758 'r'3a63 ?703 Ru-:zell2000 68925 +20 76 2 38 ,il62 128708 11.19522 DJWil.rire50i,)) 12 77349 .5961 +47 ,20'4 +*981 NEWORKSTOKECAG Tkr Name 'Last Chg AIR AAR 24.62 +32 ABB ABBLtd u10.48 +.29 ACE ACE Ltd 55,47 +.93 ACG ACMInco 8.32 +.02 AES AESCpif 16.89 +.69 AFL AFLAC 46.83 +.26 ATG AGL Res 35.71 +.05 AKS AKSteel 8.25 +.14 AML AMURs 38.05 -.03 AMR AMR 22.34 +.50 ASA ASALWd u59.80 +.46 T. AT&TInc 24.89 +.18 SBT AT&T2041 25.12 ..02 AUO AUOpon 14.72 -.54 AXA AXA u34.26 +.65 ABT AbtLab 39.61 +.06 ANF AberFoe 65.00 -.72 S ACN Accenture 29.46 +.16 ADX AdarmsEx 12.74 +.01 KAR Adesa 24.28 -.14 AAP AdvAutos 43.83 +.31 AMD AMD u32.56 +.16 ASX AdvSemi u4.72 +.10 ARO Aeropsl 27.70 +.46 AET Aetias 94.42 +.36 ACS AfCrmpS 61.13 A Aglent 33.59 0 AEM Agnicog u21.87 -1: AH0 Ahold 7.76 +.07 APD AirPod 58.93 -.68 AAl AirTran u16.76 +.43 ABS Albeats 22.12 +.42 AL Acan 41,85 +1.00 ALA Acalse 18.32 +.36 AA caea 30.07 +.17 ACL AonA 137.63 +3.46 AYE AgEngFy u32.42 +22 ATI AllegTch u3.45 +2.40 AGN Alergan u110.30 +1.18 ALE Alete 45.96 +.37 AC AlJCap 56.91 +.29 ADS ANData 37.85 +.89 AWF A.Wrld2 12.56 +.14 .AW AiWMije 8.63 -.27 ALL .elIa3L 54.67 -.06 AT Altel 63.05 -.26 ALO Alphana 29.72 +.52 MO Altia 75.52 +.54 DOX Amdocs 27.49 +.25 AHC AmHess 135.41 +1.78 AEE Ameren 51.60 -.26 AMX AMoilLs u32.42 +1.27 AEP AEP 37.30 -.06 AXP AmExp 51.95 -.51 AIG AmlntGplff 69.72 +.10 ASD AmStand 39.31 -.44 CSP AmSIP3 10.84 +,11 AMT AmTower 28.14 .841 ACF Americdt 26.02 r APU Amerngas 29.10 .:,4 AMP Amedprsin 43.42 .i 1'I ABC .T4a.u&:u 4ie -a ASO A,.i4..,6r, 7:4,. 1 APC Anadrk 9827 *4- ADI AnalogDev 37.04 , AU A,-.i.l. ,5 -0 I to BUD Ai.,':- 4i3 1 V:' ANN AnnTayr u35.13 +.87 NLY Annaly 11.71 .+.37 ANT Anteon 54.25 +.02 ANH Anworth 7.95 +.33 AOC AonCorp u37.38 +.13 APA Apache 70.70 -.20 ABI ApplBio 26.90 +.02 WTR AquaAms 27.69 +.13 IL.A Aqula 367 -.04 RMK Aramark 27.07 +.02 ACI ArchCoal u84.59 +.46 ADM ArchDan u2S$2 +1.54 ARI ArdenRit 44.96 -.03 AH ArmortH 44.63 +2.74 ASH Ashlandn 59.65 -.27 AEC AsdEstat 925 +.09 AF AstoraFs 29.47 -.10 A2N AstraZen u51.23 +.93 ATO ATMOS 26.75 +.01 AN AutoNatn 22.36 +.36 ADP AuloDala 46.48 +.15 AV Avaya 10,97 +.19 AVL Avial 29.50 +.44 AVP Avon 28,65 +.36 AXS AXISCap u31.91 +44 BBT BB&TCp 42.64 +.33 BHP EliHPEJ wI +.79 BJS BJiS,s" uN,9a +,94 BMC OMCSft u23.07 42.06 BP BPPLC 66.85 +,43 BRT BRT 2438 +2 BHI BaliHu 184.60 E: BLL BallCp 41.98 -17- BBD BooBrads 31.68 +.96 rIT Bncoltaus 26.12 +1.07 BAC BkofAm 46.58 -.50 B' BkNY 32.67 +.16 Bri Bantia 50.79 -.06 IHAL BarrPhm u63.62 +1.15 ABX Bar6ckG 29.60 +.78 BOL BaischLIf 68.35 -.57 BAX Baxter 38.89 +.53 BSC BearSt 116.20 -.60 BE BearingP If 7.88 -.02 BZH- BeazrHmsu75.41 +.35 BDX BectDck u61s55 +.90 BLS i 'r u Qr :-' :Li BER I0u.,' : iI' .i ,. BBY BestBuys 44.05 -66 BEV Beverly 12.04 :' BVF Biovail 25.21 :i BDK BlackD 89.68 .17. BKH BIkHICp 35.22 -".i BRF BkFL08 15,.32 +.W0, HRB BSockHRs 24,25 -.20 BBI Blockbstr 3.55 -.18 BLU BlueChp 630 +.01 BA Boeing 71.17 +.83 ,' P Borders 21.35 -.11 cA0, BoslBeer 25.18 +.23 BXP BostProp 75.64, +.28 BSX BostonSci 25.31 +.85 BYD BoydGm 46,09 -2.31 EAT Brinker 38.49 +,41 BMY BrMySe 22.63 -.33 BG BungeLt 58.80 +1.30 BNI BudNSF 70.51 +.21 PR BudriRsc 87.40 -.32 :,': CBSBn 26.00 -.20 Lr CCE Spin nI13.00 -.50 "'-.,, CHEngy 46:87 -.03- C'i CIGNA 114.83 +2.53 CT CITGp '52.00. -.62' C4:V CKERst 13.49 +.08 (l.:, CMSEng 14.48 -.07 i"4 CSSInds 30.47 -.25 ,.* CSX 49.82 -.13 CVS CVSCps 26.35 CVC CablvsnNY 23.60 +.4 ELY CallGolf 14.07 +.19 CCJ Cameog u70.26 +2.29 CPB CarhpSp 29.88 -.12 CNQ CdnNRsgs,52.87 +1.91 COF CapOne 86.42 -.56 CSE CaptSrce 22.70 +.70 CMOpB CapMpfB 12.53 DT. DeutTel 17.21 +.09 FSL Freescale 26.05 +.92 +.10 DVN DevonE 65.99 +1.30 FSULB FreescB 26.15 +.80 CAH CardnlHth u70.02 +.09 DO DiaOffs u74.09 +1.26 FBR FriedBR 10.36 -.03 CMX CaremkRx 51.49 -.51 DKS :,:i.-.,.i 35.10. +.39 FTO FrontOils 39.90 +.28 KMX CarMax 29.37 +.80 DOS ::'ii1i: 25.68 +.30 FRO Frontline 39.71 +.40 CCL Carnival 54.36 -.21 DTV .ODrecTV 14.45. +.07 .CAT Caterpils 59.27 +1.47 DIS C;:.,. 3-. 9 -.41 CX Cemex u62.40 +.45 D3G D .[i. ,,5' -.03 GMT GATX 38.53 +1.01 CD Cendant 17.09 -.17 D DomRes 79,37 +.21 GAB GabelliET 8.19 +,05 CNP CenterPnt 13.00 RRD DonlleyRR 34,00 +.02 GME GameStp 33,.45 +1.14 CNT CentrpPr 49.50 +.06 DRL DoralinIf 10.81' +.11 GCI Gannett 62.90 +.87 CTX Centex 72.55 -70 DOV Dover u42.20 +,71 GPS Gap 17.82 -.09 CERp CnlLtpf 83,25 2-3 DOW o:r,,T, 43.43 -.50 GTW Gateway 2.64 -.17 CTL CntyTel 33.48 )7 DJ 1iD Je,,. 39.16 +.02 CtI 4Ge,'r.r.l., 946, +,66 CHB ChmpEO 13.46 *Vu: DD DuP:.o, 42.82 -.24 ,E '.,.r,.FEj, :'.4: -Of CKP Checkpnt 24.95 1 DUV u Du Eqy,' 27.81 -.03 ,C ;r. nri. ,pi.u4, a4 t. CEM Chemrntura 13.14" *.i ECOup DuqpfA 35.50. Gi ,3r,.,n:. 4 1 99 +.41 CHK ChesEng 33.05 .5 9 GM GnMotr 19.41 .--1 CVX Chevron 58.91 -1- COE E'ugri 16.98 +.15 GBM GMdb32B 14.90 0 .' CHS Chicoss 42.02 -i Y D41l Dyniey 5.12 +.22 GPM GMdb33 15.64 *:4 CTC ChlleTel 9.55 *78 ET E-T.,..- 4 : 0i ,1 rl Genworth 34.99 -+.08 C1B Chubb 98.90 +1.109 .t: EM''(,. 1.1 4i, ',, ,',B Gerdaus u18.19 +.78 XEC Clmarex 44.68 -.19 E&.7 E0:,1 .: : 1;i .( ,4 .Gettylm 87.25 -.45 CBB CinciBell 3.71 .:4 t.lio E. E:r,,-, 2:: LC C Glamis 29.73 -.02 GIN CINergy 43.12 -,i3 EV E.:. -,. 4. 6 ,li t > GlaxoSKIn 51.95 +.99 CC CitrCity U23.06 +.27 ETr, Ei,.:... o. ; *'E. .?i.tI.,j 4 :6 +.86 G Cil o 48.38. -91 E':L Ex.I,.L " -+ X'" '1'"t.'l-F ru V :'I +1.05 CZN CilzConmd12.23 +.08 EOi E0..:. -.i 'h 4.,: .i 'i G,.:L l. 1'1, -.09 CLE ClairesSteu29.73 +.53 AE E.i.. r.. .r:)- -I u C Goldcrpg u24.45 +.25 CCU ClearChan 32.01 +.16 EP EIPa,:,,. 1:3i .4 3 Lvi, GoldWFn 68.26 +.45 COH Coachs 32.71 -.59 ELt ,ii.. na .7 :' Goldmant 127.09 -1.78. CCE CocaCE 19.18. -.09 -Di E.l:. 21 .:4 HR Goodrich 40.64 +.55 KO CocaCI 40.82 -08 --Ma Em,,-F "5 I G r Goodyear 17.85 -.01 CDE Coeur 4.32 +.04 :.DE, .7.j:.i : ,11 CRP GrantPrde u48.16 +1.12 CL ColgPal 55.56 +.65 : 'L ETul. 10ic, Il. G'P GtPlainEn 28.64 CMK Collntin 8.41 +.19 : EP ELr,.E'ir 41 .5. uGr.1P GMP 28.84 -.21 CMA Comenica 58.10 +.50 :: Er,:,i.i i i. --.s GBX GreenbCos30.50 +2.24 CBH CmcBNJs 34.20 -.01 iLE Er.,i :.(.4 :c 7F Griffon 24.32 +.31 CLIC CmdMis u38.78 +.67 ir EInr:.: i :,: ,.4i. 'n Gtech 32.72 +.67 Cr. CmlyHIt 38.16 -.23 Er..-eC. 7r -17 GH GuangRy 1,6.31 +.53 P1ij CVRD 44.12 +1.12 'iC b' E.ro :.: .1 1, ,ut Guidant 65.92 .41 f"310 CVRDpf 38.78 +1.03 E'.' Err-:. 1"' .1. ,1: H'. : HCAInc 50.00 -46:! CA CompAs 28.32 +.44 F E--." '", :.4 H: HOC s 30.05 .5 C,`C CompSci 50.82 -37 -F Eoixa,,. i :1. -2 .: H A' HRPTPrp 10.75 i. C AG ConAgra 20.59 +,07 :'rjr E,3yI', 111 4 .:4 H1L Hallibtn 66.12 " ,:,P ConocPhils60.00 -.51 ',P E ,i'j FT :im1 '9 JiL HanJS 13.97 J, CNO Conseco u23.48 +.14 :; Eqt,RM] 40 1) 14 :,F HanPtDiv 8.29 1- CNOpB ConscopfBu28.60 EL. EsteeLor 3500 +166 PDT HanPtDv2 10.33 I,.I +.10 .:" ..-ir. ^ H.' 'Hanover 14.89 +.39 CNX '.*.'.IEt.y 69.18 +1.44 XOM EoxonMbl 58,57 I, -i ', THG 1.',S.i,ii4i ..+.93 ED .:.r.E.l 46.70 FTI FMCTch u46.85 *,9 HairJt ..'.:.,. 5,i0 +,16 ST7 ConstellAs 26.22 +23 FPL FPLGps 42.06 Hil HarleyD 50.70 -.57 CEG ConstellEn 58.43 -.26 FCS FairchldS 17.49 +.36 HMY HarmonyGu14.13 +.18 CAL ChAirB u21.62 +.46 FDO FamDIr 24.97 +.10 HET HarrahE. 71.72 -.68 CVG Cnvrgys 15.96 +.08 FNM FannieMIf 48.75 +.01 HRS Harniss 43.89 +.01 CAM CoopCamsu43.97 +.34 FOX FedExCp 104.84 +1.52 HIG HartfdFn 88.64 +.58 COO CooperCo 52.82 +1.52 FSS FedSignl. 15.31 +.19 HIGpD HartfF7un 79.44 +.60 GLW Cornin 20.85 +.80 FD FedrDS 69.07 +.85 HAS Hasbro 19.84 -.16 CGA CoiusGr 10.82 +.31 FGP Ferrellgs' 21.08 +.03 HE HawailE 26.29 +.05 CFC CntwdFn 35.58 +.62 FOE Ferrolf 18.77 -.A, H:Oir HIICrREIT 34.92 +.37, CVA CovantaH 15.40 +.70 FNF FidlNFns 37.05 , HMA HItMgt 21.78 -.19 CVH Coventrys 57.50 +1.31 FAF FstAmCp 46.25 +1.00 HR HthcrRIty 33.78 +.35 CCI CwnnCstle 27.46 +.56 FDC FrstData 43.00 +.26 HNT HealthNet u53.20 +2.22 CCK CrownHold 19.70 -.09 FF FstFinFd 17.10 +.25 HL HedclaM 4.28 -.11 CMI Cummins su9554 4.67 'FMD FstMarb 32.25 -.55 HNZ Heinz 33.81 -.02 CY CypSem 15.32 +,70 FFA FtTrFid 17.69 +.41 OTE HelinTel 10.98 +.19 FE "rstEngy 50.50 +.47 HP HelmPay u66.35 +1.00 FSH RshrSce 62.65 +.45 HSY Hershey 54.80 -.05 DNP DNPSelct 10.46 +.11 FRK FlRaRocks 51.86 +.59 HPQ HewletP 29.61 +,84 DPL DPL 26.30 +.07 FL Footockr 23.30 -.13 HIW HighwdPIf 29.69 +.49 DHI DRHortns 36.4' -.30 F FordM 8.01 +.18 HLT Hilton 24.23 -.24 DTE DTE 43.61 -.11 FpS FordCpfS 28.62 +.52 HD HomeDo 40.48 -,76 DCX DaimilC 53.51 -.24 FDG FdgCCTgs37.31 +1.21 HON Honwillni 37.31 -.15 DCN DanaCplf 7.47 +.22 FRX ForestLab 41.04 -.02 HSP Hospira 44.00 +.85 DHR Danaher 56.60 +.24 FO FbrtuneBr 78,08 .32 HMT HostMarr 18.95 -.23 DRI Darden 39.14 +.65 BEN FrankRes 96.02. +.12 HUG HughSup 37.45 +.83 DE Deere 68.09 +.09 FRE o FredMac 65,25 -.05 HUM Humana u56.87 +1.09 DNR Denburys 24.54 +.16 FCX FMCG u59.75 +3.27 IBN ICICIBk u31.30 +1.44 RX IMSHIth 25.37 +.09 EWZ iShBrazil 35.75 +.92 EWH IShHK 12.99 +.20 EWJ ;Tr..j .,-, u14.08 +.13 EWY .,,r'.:. 46.55 +.14 EWT IShTaliwan u12.99 +.07 IW iShSP500 "-":7 +,66 IYR iShREsts rr,.i +.30 UJR iShSPSmls 59.15 +.33 IDAo iaro, 30.08 +.20 ir,1il Im.av,,, 45.23 +.06 IMH I.T.p;'.IM '10.11 +21 N Ir':, 44.57 +1 ). TLK IndoTel 25.59 ,.U4 1I. IngerRds 41 :1 +.75 IM 'InqrmM i.) -15 lE 'Bit- 1 y r 11 I:,0 IA(C,"unlr, 1. -.u 1,7T IntlGame 31.04 +.30' IP IntPap 33.75 +.26 IRF IntRect 34.55 +1.93 IPG Interpublic 9.86 +.13 IRM Ir.1.Mr. 4-1 :, . .ipt .l t. t, ." r "', " Jlls .Im 'u.:a 1p 1 3 + JAH Jardens -29,29 -.71 JNJ JohnJn woRn +n5 JCI JohnsnCtl : 17 6 .i KBH KBHome: i? -':4 KC CSEn :.n* .0 6 KSU KCSouth :- .31 KDN Kaydon 32 ",: K Kelogg 4- i, 36 KWD Kellwood Il 13 iA 34 KEM KemetCp 7 4.6 KMG KerrMcG 9.47 ,4 KEY Keycorp .3 '1 VSE KeySpan 3:4'i -07 Me KImbClk Sw : Vl.I KImcos 33.11 +.38 ;G .KingPhrm 17.57 +.44- I'C, Kinrossgf u9.93 +,04 V*% Kohis 46.98 -.39 v R Kraft d27.95 -.10 V'L' KrspKnnlf 571 +.02 KR Kroger 1 i ;1 -.20- 1PLr LGPhilips 21.10 -.58 LRT LLERy 3.27 +.18 LSI LSI Log 8.58 +.42 LTC LTCPrp 21.63 -.05 LZB LaZBoy 14.02 +.47 LQI LaQuinta 11.16 +.03 L1RW LabrRdy 21.59 +.35 LG Laclede 29.88 +.08 U Laidlaw 22.33 -.89 LVS LVSands 40.09 +1:41 LEA LearCorp: 29.73 +1.42 LEG LeggPlat 24.22 +.07 LEH LehmBr 128.14 -1.74 LEN LennarA 62.08 -.69 LXK Lexmaik 45:.77 +.67 ASG LbtyASG 5.54 +.07 L UbtyMA 7.81 LLY LBI 57.08 -.28 LTD Lmited 22,05 -.25 LNC UncNat 53.90 +.37 LNN Undsay 19.76 +.31 LGF LionsGtg 8.15 +.36 LIZ LizClaib 35.11 34 .LMT LockhdM 64.48 93. LPX LaPao -28.04 .4,: LOW LowesCos 66.24 -t i LU Lucent 272 +.03 LUM ILumlnent. 8.20 +.44 LYO Lyondell 23.41 -.24 rI t 'Ts.14 ir ". I... l'. : .1" 1 .' T6 1. "" 1 s B. .2 .4 ..' I .. L I.='', "r" . j r ...j :: f.13L MDU ResQ86 i - -FR MEMC 23. +30 NWS/ANewsCpA 15.51 .1? I177 MCR 8.51 +.03 NWS NewsCpB 16.56 1. GIC Ni NiSource 21.223 .-,1 MTG MGIC 68.14 +.90 GAS ti.... 41.09 +.01 MGM MGMMirS 35.98 -.95 GSI 4 *' **0 + MPS MPSGrp 13.94 +.30 s NKE ,85.55 -.40 MAD Madeco 8.62 *.61 lL tl;. '. ..? MGA Ito.'' 73.28 +.58 ,1 :,., .i", *.,' H, .., 6.02 +.02 i, r.. .- ,' . 1t1-11 I 46.69 . 5 I. .' 4 MFC Pi uI.?, u60.29 32 1 .. 4 i . ... MRO ..ixr,:.r 66.10 +86 o'n.: l' "" M. MNlr,iA 68,25 +,74 tlB tl ": 1 r n r.1r.t- :,r .I.1 31.90 +.02 11:- '. ",81 Ml P lr.1i1I 43,69 +.10 l?,- cr,r.:p1 j ' MSO Mi':Yn 17.87 +.28 r ,, .., ..,, MAS Masco 30.73 -.28 rzI T ,R 9':, ), MEE MasseyEn 39.99 +58 ,L iu.r, u:',. .1)), W Ma11.lf 190 -..4 lll NvFL .14.21 7 "T *lay, *"- I'" I1i,: NvIMO 14.84 " Pvp Tut, uli 6'. :GE '1'GEEr.,1 41 -.01 MxO Ma noir a74 O9 tr.Du.1 (rh *. 9. 1 - .h r.1,',4,: l,::'+ .- :* OcdPet 84.95 -7" r1.C "1,'..'.T 2.11 ,,C,' OffcDpt u31.39 -.61 .MDR Mcerl 48.00 OM11 OfflceMax 26.56 +1 72 MCD McDnIds 33.82 +.30 ,C, OilStates V 44- -7 MIHP McGnwHs 51.63 -.15 &,W, oCi.R, t, p 1 iF.' +.04 MO:' McKessonu53.83 +.83 OLN C ;r, I ,A -.14 .IFE McAfee 27.95 +,85 OCR Omncre 58,18 +1.14 r.lvv MeadWvco28.09 +:20 OSK Oshkshs -45.94 +1.19 I.MH, MedooHIth 56.80 -.35 OSI OutbkStk 41.99 +.21 M.iO- Meditmi 58.37 +.62 01 OwensIll. 21,52 +.20 l.1El. MellonFnc u35.35 +.16 1.171' Merck 3313 +.38 . F.1, MeridGId u24.79 +.83 PCG PG&ECp 37.48 +.01 .IH tir;PriH:i:, 9:7 .1 Pr.M .PMIGrp. 42.18 .7F f.1R M1wmil.yr., 6 34 1 PrJC PNC 63.96 :, 1.11- t iLi 50I:i I1 fr4r.1 PNMRes 25.00 +, : .10E.i ).ier1 -uO. ?41: :' ffG PPG 0 58.81' .Al Mi T M,:r..i ; 34J; :2 44L PPLCps 30.26 . I,.i M,,-,.'.,T i,', '.. FPrv Pactiv 22.68 '. '.IVA M.Z. N 4144 -4 4 ; PtO PParkDr n 11 -03 ,MS Midas 19.01 PH ParkHan E6i l. iX, MZ Milacron 1.30 -.08 PSS PaylShoe 48? 3 -4 MIL Millipore .67.54 +.16 BTU PeabdyEsum.: ..-,o MLS Mill-iC 4200 :-.16 PDX Peolaix 85 30 -469 MTU MUr:.A.iF 14.23 +.10 PGH Pr.r.g).Tr. 3 .;' 21 MBT MobileTel 37.04 +.67 PvA PenVaRs 6")? * ' MON Monsnto u80.07 +.25 JCP Penney c7.' *.- MRH Montpelr 19.25 +.02 4Jl Pentair 35.66 +1.38 MCO Moodyss u62.89 -.07 PBY PepBoy 15.26 -.33 MWD MorgStan 5835 +.04 PBG PepsiBott 28.81 +.07 MSF MSEmMktu22.90 ... PEP PepsiCo 59.73 -.03 MOT Motorola 2340 + 27 PAS PepsiAmer 23.75 -.07 MEN MunlenhFd 1125 +.06 PKI PerkElm ui24.01 +.02 MUR MurphOs 54.97 -.77, PBT Pmfian 15.65 -.03 MYL MylanLab 19.92 -.08 PBR,'APe-it,.A ,,9c19 l u NTY NbTY d15.80 -.2 P'BR FP'rr.t..: u,6,': .13 NCR NCRCp 33.95 -.01 P Pe 4 5' - NRO NRGEgy 47.50 -.4' PO Ph1w-,i ,,ti4": t.i? NBR Nabors 79.40 +.9 FHC, Pr,.i,:EL 3;4.- -.20 NCC NatlCity 34.31 +.30 PNY PiedING 24.44 +.17 NFG NatFuGas 32.07 -.13 PIR Pier. d8.56 -.07 NGG NatGrid 50.06 +.07 PPC PilgrimsPr 25.85 +.49 NOV NOilVarco u69.84 +2.03 RCS PimooStratdl0.45 NSM NatSemi 27.55 +.60 PXD PIoNhi 53.81 +.92 NLS Naultis 18.77 *+.62 PBI PitnyBw 43.16 -.03 'jAv Navlstar 28.98 +.20 PDG PlacerD u24.18 +.52 HB NewAm 2.07 +.02 PXP PlainsEx 42.50 +1.51 ldEw NwCentFn 37.97 +.27 PTP PlatUnd 31.94 +.91 tuW NJRscs 43.11 +.21 PCL PlumCrk 36.80 -.04 NXL NPIanExl 23.34 -.06 PPS PostPrp 40.69 -.26 NYB NYCmtyB 16.90 +.26 PX Praxair 53.40 -.43, NYT NY Times 27,59 +.48 PDE Pridelntilf u32.92 +.31 PRM Primedia 1.80 *,x0 PFG PrinFnd 47.68 -4 PG ProctGam 58.89 +.11 "PGN ProgrssEn 44.09 '-29 PGR ProgCp 116.03 +51 PLD ProLogis 47.50 -.11 PHY ProsStHiln 2.95 +.01 PVX ProvErg 11.23 +.14 PRU Prudentl 76.41 +.72 PEG PSEG 6 73 +.11 FEGpu: EG iiA 7A75 -2.00 fC, fui.iiEr.), iu64 -.01 PHl. PuiiHr% .x:i.73 -.51 F.1.1 PH.M i680 -.01 F .. P1F1, 9'50 +.05 'PT FF.iT 614- 02' r i. uine 51'0 '*i C_.2 Onori,' .j,02 : ,, Q C-r.m i -. -1 I:r1.1 ? 1.1 I- i InI RT1 RTiInuM 11.45 +2.01 Al:'R J R .,lir. 5"60 -.27 RT7H- RadioShk 21,52 . RAH Ralcorp 40.05 .,'-I RRC Rai.'aqRi:;u i y ,,( RIF Rj.IF .+..u0,, 't:7 +7 l.rj Rayoniers 41.60 .iJ RTN. Raytheon 39.99 -. , RDa Riad.rDiC.) 15.30 i . Rr,,l1,cc. .22.15 -.05 RCC ReTlIEnt 18'1 -.27 Fl R'i,.:.r:F,, j4jy. +.06 RA I R ICii,',tr, I[ 10 "' RNR RenaisRe 46.69 +1 u REP Repsol 31.09 :.' RSG Rput.S. u38.45 .* : RVI C.,av.',Hi 12.53 :', REV Revlon 3.08 -.,) RAD RiteAid 3.48 C": C' .L .:I.: ,:II 4" J,49 7 H,'H ,i'iH.. 4J S c" Ir: .; R".i.r, :l' i. n 1 R L A IlL.t. 44,Y -.16 AR:,' .,:,AO. tr,A .,(4r : +.66 H'.T R:.,. ",) J t, I' hi~ FI /.rr-:,,', UV.iX",' "11 .iL i,l' ..l "- : "I AP *LAP ur.B- .6 MC I SCIiA 9"'4 18 'LM L.MCp :, 5,! I " TSG .SabreHold 24.54 -.07 SWY Safeway 23.68 +.03 JOE StJoe 67.04 --.95 STJ StJude 50.50 -.07 STA. StPaulTrav 46.50 +.51 SKS Salts 17.10 +.34 CRM Salesforce 35.97 +1.73 EDF SalEMInc2 1305 +.07 S6F SalmSBF u15.38 +.08 Z.11 SJuanB 1354 .1 :i Sanof'" 4EL 1 .1 I iLE SaraLee iwi(i& -1 ! SGP SchergPI 20.93 .0'T SLB Schlmb u104.74 -1 SFA ScAtlanta 42.94 +.04 SPI ScotlPw 37.95 -.17 SSP Scripps 49.56 +1.14 STX SeagateT 21.04 +.97 SRE SempraEn 45.54 -.60 SXT Sensient 18.47 +.09 SCI ServiceCp 8.12 -.02 SVM Svcmstr 12:16 +.05 SHW Sherwin 45.19 SHU Shurgard 58.57 +.24 SIE SierraHSs 39.79 -.71 4iRP SierrOac 13.08 -.04 ',PC iTny.Pi: "1i +.20 PKS SuFFiags u8.50 +A7 AOS i ,s,A, ui:7:05 +.20 Sil Smithlnts 39.07 +.28 SLR Solectm 3.69 +.01 SNE ....,,,, 41.3 -.63 SO ':.ui,, ':.:. 4 99 -0 R PCU SmnCoppu7459 .5.23 SUG i:.ur.-. :.4 13 i 1 . LUV Swstaii ui,-I .51 SWN SwnEr.,-, 3') .r.. SOV Sovrgr.b:p ., 3. 4 5 ' S erirr'aN 3 ; I, SXI Stanoe.. 2"3 4. HOT ilarw.1H 6i31 -51 n Surtrrt i5' I, STE Sleris 2.;0 .20.o GLD :TG.:.Id 53.30 +.18 SYK :.r"i., 45.37 +.77 RGR SturmR 6.87 -.15 SPH SubPpne 26.90 -.13 :UIl ESnCr, t: 3132 -.22 SI '"'... u.ii. 18 +.65' iuth Sunocos 84:27 ,I i STP Suntechn 25.93 -1.01 51, SunTrst 74.82 79 rPft SupEnrgy 22.24 * S6l. Symblr 13.11 +.26 SNV, Synovus 27.59 11 SYY Sysco ,i I .1 TCB TCFFnd :'7'4. +.52 BUK TDBi.,.:.,ih :9'" .11 TE TEC,: I 4' rjx T 2i 32 .117 T '.,1.1,' J I1r, -. .i T,.UpOuTl i.D a -,., t TLM Ti.:,riE.E,] u-'i,. *.1 TijT Tal 5Jiji -1: TRO reCnOeau1315 .100l TIE 0T Ili rL Al I + ?I TO .- T.IM i. i 5 I ' TCP T.l..prl, q 4 1 . TilIJ T ,m l.-r, ;i4A' :. + " TF T-mp,.,. 12.12 +.29 THi. T.rIHIrt 7.76 +.14 T 4 T ',l...|.. 36.58 7: TER Tr.,r,i 14.70 4': TRA Terra 5.77 uL TrJH TerraNrlro 20.49 *:'4. T':,- T[-j.r.:, 65.43 *.- TTi TrnaT u33.94 +.60 TXN Texinst 33.54 +.30 TGX Theragen 3.27 +.11 TMO ThermoB 30.51 +.23 TNB ThmBet 42.35. -.57 MMM 3MCo 78.71 -.40 TDW rT.o.T 47.67 5 TIFr Tna'.y, 3821 -1 TW T,,1,wamn 17.74 ,'M TA ime-r. u.w ) + 7 TIE. TilfnMsIf .j1I +2.86 THE ,T6dco ..42.09- +.76 TOD ToddShp 27.70 +1.65 TOL TollBross 35.94 -.51 TOM THiiger 16.07 -f1I TOO Too Inc 26.57 ,., .TRU TorchEn .6.97 +.12' TMK Trchmrk 55.87 +.07 TD T..,'6 ,i u.A4kr +.91 TOT T.:..rI1A i:'.)4 +.38 TSS T.:.I.'li: ii,' +.43 TCT TwnCiy 33.99 +.14 RIG Transocn u74.05 +.90 TG Tredgar 13.25 I :i TY TriConl 018.91 .m, TRI TriadH 39.55 +.12, Tribune 30.99' +.20 Tycolntl 29.75 +.11 Tysoh 16.81. +.10 UIL Hold 48.50 +.73. USAirwyriu39.20 +1.75 USEC 13.12 .+.32 .IUSG 68.63 +.33 UST ,.: 41.79 +.34 liUr,,.i:, U70.01 .+2.51 nrFi,.:1 31.04 -.31 iJ,'.:r.Pic 80.08 -.07 IUJ': 6.07 +.26 l.0lDc..A 23,93 i.jM,. ,.:. 3.13 -.06 UFp:B "50 ,+.10 USB,-..r :l :i' .+.11 USSteel 49.84 +.40 UITI r, 56.19 -.34 ,ilTir.m 61.88 +.15 .,"" 30.39- +.35 JnT ,..,, u- i :', +.23 lAo V,,C.E : .51 *5 V IR '.', ,,,i 1.t. .ii II WC Vectren 27.53 -.09 VIA vW1rt., 41 3-I WV in 'IsteMi 30.27i': 40 l .WatPh 3.91 -.03 M-T Wear tfn ts3. .5 1" WL'. Wel. M 6.85 + 10 JMA WlistlnL- 302' -.40 ALP WellPofnts 79.52 4.16 WFC WellsFrgo 63.06 -.74 WEN Wendysi 54.70 -.67 WR .ii.t.,iE, 4 21.31 -.30 W A WasnPh: 132.051 -.03 WDC Weatintsu38.66 +.64 WL Weyerh 68.25 +1.610 vy Tu WilmCS 17.30 -.04 ML WellPoins 7924.052 +.15 WFC WellsFrgn 40.06 -.13 WOR Wendys 541.770 -.23 WR ,, r,;l. 218.01 +-.3016 WDC WDigit, 46.52 +.6402 XL WeyehXLCap 68.63 +1.61 TO XTO EWimCs 4.31 -04 . XE XMslEngy 1Cos .6 +.09 XRX Xerox 14.89 -.02 YCC YdCdl. 25.19 -,+16 W.EM YumBrds 47.15 +.40 HXL XLCmmerap 69.13 +1.5 ZTR ZweigTI 4.71. +.01 IAME IC NST CKE CH NG 800 ,ai"naGold u L6 1I BBH BiotechT 205.50 +1.01 BMp BirchMtgn 6.97 -.18 HIV. CalypteBh .17 +.00 CBJ Cambiorg u2.96 +.03. CEF CFCdag 7.10 +.01 LNG Chenieres 38.39 +.68, JCS. ComSys 12.00 -.08 DvW C.:..i .T.., 9': ,, YR, C,71-'al 31 ? *o I DHB DHB Inds 4.81 +.27 DIA DJIADiam 108.74 +.41 BVZ DSLneth .04 -.01 DE- 0..eunr,g 2.61 ..i1 ENG ENGIobal 9.36 . EAG EagleBbnd .10 .6. EW EVLtdDur 16.70 EGO. 4,.A,, .s g .02 +.21 ECF E-I-r. '- +.05 EMA eMagin .71 +.10 EZM, EuroZgn 1.18 +.08 0AD EvglncAdv 1377 +.58 P.'D FTrVLDv u14.11 +.11 FPU RaPUtls 13.76 +.11 FRG FrontrDgn 3.46 +.25 GSX GascoEngy 6.93 +.08 GGR GeoGiobalul4.33 ,.88 TLt ,LriOTB 92.06 .28 Iv' IvaCsl,D 31.32 -36 -,OTE GI,.:c.T-i,-, :il II EFAt i ?hEAPFEu13 3 51i F- KFXInc 17.99 +.49 G .- ':.rl 4." ', .1I, 166I ,r,ni, ..:. : ':'. t.1M.1 Merrimac 9.02 +.12 .w ryW.:., 8,), AL .'r, i ,;,.j :i7,, .1: +.+32 MOF MeroHlth 45 +.08 HEC H'",s.- O,,:, I F .,r,,,iii,:,:,, :. rI +.29 MNG Miramar 1)l +.01 HOM H,:..,"-.I .1 .4 h41 t I iShR2000Vs67.48 +.25 NSU Nevsungn 1.90 -.01 DMX l-Trax h u2.59 +.50 IWO iShR200OG71.62 '+.52 PAL NAPallg 9,24 +.74 IGR INGGRE u16.83 +.24 A.l .ir.:, "','', ., : I "NTO NOriong u3.48 +.17 EWC iShCanadau22.72 +.27 i' i..'.!,., u1', 1: NXG NthgtMg 1.94 +.03 EWG iShGerm u21.28 +.32 INS IntgSys 2.15 +.03 NG NovaGldg 9.36 -.14C EWW iShMexicou37.91 +.70 IIP IntrNAP .44 +.02 OIH OilSvHT u138.30 +2.44 EEM iShEmMktsu92.38 '+.83 HHH In'nlHTr 67.75 +.25 ONT On2Tech ul.39 +:19 ILF iShSPLAu130.94 +3,29 IOC InterOllg 19.20 +1.32 OZN Orezoneg 2.02 +.01: PMU FadlT, ..6. .0u2 CUP PeruCopgn 3.04 +.19 PTF PetrofdEg 18.48 +.42 PPH PhmHTr 71.59 +.86 PDC PionDril 19.57 .-1 PXJ P":,i.i-..u,,,j +.'. PHO fwi.mr, .150 -:i QEE Qhstakeg .26 O? RKH RegBkHT 142.87 i RWC RELMn 6.56 +.1": RTK. Rentech 3.84 +.11 RTH RetailHT 95.33 -.57 SA SeabGldg 9.24 -.52 SMH ':..iT,, :":(" .2M SLW '-,).wr,r,,..u(09 +.09 SPY SPDR 127.30 +.60 MDY SPMid u137.68 +.97 *I_6 Sr M isl:' ,: III t l. 'U' iP, iIr: :. : 4 *. :i *LP 5f'7:.'i 23.52 .,:"4 XLY SPConsum33.03 .:'i 'LE -iPE: ',1 + 15 'LI .P F,', 3?1:" -A:I. .'.I .PI r,.1 011 *I 1, XLK SPTech 2156 +25 XLU SPUti 32.05 +.05 1TG tournpairx .6; -.03 1MTK sT MSTech 53.48 +.60 SUF SulphCon u13.25 +.53 TRE TenRnggn 5.98 -.28 T.26 r, ..i 1 .7 : TEC TelonEgy 694i 93 TM TmrnsmrE nu64a68 35 T,: Tu-.'., : 4 0J LIFL U'HiF .): 1 i17 El, '-ia:,'. n .0; VTI VangTSM 126.06 +.91 WLB Wstmind 23,84 -.04 AUY Yamanaa u7.5 +.38 I A 345 N ATIO ALM REI Tkr Name Last Chg ACMR ACMoore 15.15 +.62 ADOT ADC Tel rs 23.08 +.49 ASMI ASMIntl 17.68 i. ASML ASMLHId u20.78 ): ATYT ATITech 17.21 +43 ATMI ATMIInc 28.66 -20 ATSI ATSMed 287 +.13 AVII AVI Bio 3.64 +25 ASTM Aaesrom 2.10 -.01 ABGX Abgenix 21.80 +28 LEND AccHme 49.27 '-.03 ATVI AcMisns 14.11 +.17 ACXM Acxom 2328 -21 ARXT AdamnsResn40.68 +1.31 ADPT Adaptec 5.84 +.11 ADBE AdobeSys 38.42 -10 ADTN Adlran 29.61 +.44 ADIC AdvDiglnf 10.15 +26 AEIS AdvEnid 12.44 +.38 ADVNA Advanta 30.54 -21 ADVNB AdvantB 32.51 -.48 ARXX Aerollex 11.01 +.20 AFFX Affymet 46.90 -.72 AIRM AirMeth 17.74 +24 AIRN AirspanNet u6.38 +.38 AKAM AkamanT 21.32 +.52 AKZOY Akzo u47.78 -.05 APCS Alam sa 18.64 +.03 ALSK AlskCom 10.41 +12 ALDA Akila 26.72 +.80 ALXN Alexlon 20.42 +.13 ALGN AtgnTech 6.08 -20 ALKS Alkerm u21,95 +1A43 AFOP AIFibO 1.35 +.17 ALTH AllesThera 2.09 -21 ALOY Aloy!incs 2.87 +.07 MDRX Alsc"ips 14.03 +.18 ALTI AltatrNano 1.99 +.01 ALTR AlleraCp 1920 +10 ALVR Alvarion 9.20 +28 AMZN Amazn 4725 -33 ABMC AmerBio 1.14 +.02 ABMCW AmrBiowt .20 ACAS AmCapSr 36.59 AEOS AEagleOs 2280 -.51 APCC APwCnv 23.03 +.59 AMSC AmSupr 8.92 +.48 AMTD Amerirade u25.06 +.51 AMGN Amngen 7998 -38 AMKR AmkorT 5.55 -.01 AMLN Amylin 40.13 +.13 ANAD Anadigc 6.04 +.04 ALOG Anlogic 48.10 -23 ANLY Analysis 2.41 -.02 ANLT AnlySur 1.99 +.12 ANDW Andrew 10.83 +21 ADRX AndrxGp 16.97 +.50 AAUK AngloAmL 036.51 +.13 ANSS Ansys 39.00 -.59 APHT Aphlon d.30 -.02 APOL ApolloG 61.27 +.62 AAPL AppleCs u7497 +22 APPB Appebees 22.27 -.50 ADSX AppIdDigl 2.66 -.04 AINN Apldlnov 3.41 +.08 AMAT Ap kMal8 1849 +16 AMCC AMCC 2.69 -.01 AQN aQuantive 27.54 +1.14 ARQL ArQule 6.05 -20 ARDM Arad'gm .70 -.01 ARNA ArenaPhmu15.75 +.30 ARBA Arbainc 7.36 +.19 ARTX Arotech .38 ARRS Arris 9.74 -.16 ARTG AntTech 1.89 +.02 ASIA Asialnfo d3.63 -.40 AZPN AspenTc u8.41 +.31 ASPV Asprevagn 15.90 +28 ASBC AssodBanc 33.12 +.37 ASYT AsystTch 6.16 +.38 ARDI AtRoad 5.41 +.08 ATAR Alai 1.03 -.08 AGIX AthrGnc 19.64 +.20 ATHR Atheros 13.29 +,32 ATML4 Amel 3.27 +.07 ADBL Audible 12.08 -25 AUDC AudCodes 12.08 +.25 VOXX Audvox 13.96 -.39 ADSK Autodesk 42.52 -.23 AVNX Avanex 1.28 -.03 AVID AvidTch 56.97 +1.92 AVCT AvoctCp 28.54 +.48 AWRE Aware 5A9 +.54 AXCA AxcanPh 15.55 +.13 ACLS Axcelis 4.89 +.11 AXYX Axonyx .86 +.02 BEAV, BE Aero 22.06 BEAS BEASys 9.52 -.01 BIDU Baldu n 66.30 +2.80 BCON BeaconP 1.87 +.04 BECN BeacnRf 29.00 +,33 BBGI BeasleyB 13.50 -.12 BEBE BebeStrss 13.65 -.13 BBBY BedBath 36.42 +.02 BCRX Blocryst 18.09 +.88 BIIB Biogenldc 47.27 +.53 BMRN BioMain 11.29 +.30 BMET Bbmet 37.13 +.25 BPUR Blopurers .80 +.07 BSTE- Biosite 54.62 -1.22 BCSI BluCoat 39.99 -.14 BOBE BobEvn 22.99 -.14 BORL Borland 6.54 -.08 BFAM BrighlHrzs 39.70 +1.05 CELL Brightpnts 19.37 +.24 BVSN BroadVis .46 BRCM Brdcom 48,55 -03 BWNG Broadwing 6.32 +.13 BRCD BrcdeCm 4.01 -.05 BRKS BrooksAut 12.97 +.25 BUCY BucyrsA u54.39 +1.28 BMHC BldgMat 73.44 +,65 BOBJ BusnOb u42.35 +.35 CCBL C-COR 5.50 +.46 CBRL CBRLGrp 35.00 -.10 CHINA CDCCpA 3.19 -.03 CDWC CDWCorp 58.48 -.14 CHRW CHRobns 38.06 +.76 CMGI CMGI 1.54 -.01 CNET CNET 14.87 +.11 CSGS CSGSys 22.94 +.54 CVTX CVThera 24.70 -.06 CDNS Cadence 1728 +.33 CDIS CalDives 39.81 +.40 CAMD CalMicr 6.68 +.25 CPKI CalPizza 32.72 -.16 CLZR Candela 14.36 +.01 CCBG CapCtyBks36.43 +.49 CPST CpstnTrb 324 +21 CECO CareerEd 32.43 -.53 CASY Caseys 25.20 -.36 CELG Celgene u65.37 +.49 CETV CEurMed u59.03 +.75 CENX CentO 28.84 +1.16 CEPH Cephin u66.75 +1.12 CRDN Ceradynes 44.92 -.18 CTHR ChdsClvrd 21A46 +128 CHIC CharRsse u21.36 +.04 CHRS ChrmSh 12.84 +.03 CHTR ChartCm 1.19 -02 CHKP ChkPoint 21.28 +.86 CKFR ChkFree 47.73 +1.15 CHKR Checkers 14.99 +.06 CAKE Cheesecake 36.87 -.34 PLCE ChldkPIc '45.29 -2.26 CMED ChlnaMedn35.69 +2.46 CNTF ChinaTcFn 14.89 +1.33 CHIR Chiron 44.79 +.16 CHDN ChrchIlD 38.50 +.21 CIEN CienaCo 317 +12 CTAS Cintas 41.44 -.04 CRUS Cirrus 7.07 +.15 CSCO Cisco 17,85 +,40 CTXS CitrixSy u29.94 +.70 CLHB CleanH 29.70 +.04 COGT Cogent 25.37 +1.88 CTSH CogTech 50.98 +.31 COGN Cognosg 34.32 -.11 CWTR CiwatCrs 31.10 +.25 CBRX ColumLab u4,96 +.16 CMRO Comarco u10.54 -.41 CMCSA Comcasl 26.38 +.15 CMCSK Com so 25.96 +.03 CTCH ComTouch 1.18 +.01 CCBI CmrdCapB 17.87 +.58 CBSS CompsBc 48.69 -.13 CCRT CompCrd 39.81 +.65 CPWR Compuwre 9.34 +.02 CMTL Comtechs 31.52. +.81 *CMVT Comver 27.03 +.41 QCUR ConcCm 1.94 +.05 CNXT 'Conexant 2.58 +22 CNMD Conmed 22.91 -.33 CNCT Connetics 15.12 +.02 CNVR Convera 10.29 -.36 CPRT Copart 23.75 +.73 COCO CorinthC 11.99 +.26 EXBD CorpExc 88,82 +31 COST Costco 50.08 +.16 CRAY Crayinc 1,40 +.10 CMOS CredSys 7.51 +.15 CREE Creelnc. 26,45 +.84 CTRP .Ctrlp.com 65.22 +6.30 CBST CublslPh 21.43 -.01 CMLS CumMed 1284 +.14 CURE CurHth .24 -.01 CYBX Cyberonic 31.69 -.62 CYMI Cymer 37.80 +.98 CYPB CyprsBio 6.01 -.18 CYTO Cytogen 2.93- +.03 CYTC Cytyc 27.60 +.13 DOVP DOVPh 14.48 -.04 DROOY DRDGOLD ul.79 +.10 DSPG DSPGp 26.18 +1.16 DADE DadeBehs 40.38 +.21 DANKY Danka 1.58 +.04 .DELL Delllnc 30.76 +15 DPTR DtaPtr u22,75 +,54 DNDN Dndreon 5.47 +.14 DENN Dennys n 4.31 +.29 XRAY Dentsply 54.53 +.50 DEPO Depomed 658 +.65 DGIN Dgnsght u34.16 -1.23 DRIV DigRiver 30.70 +.95' DTAS Digitas u13.65 +,73 DISCA DiscHIdAn 15.30 +20 DSCO DiscvLabs 7.09 +.08 DESC DistEnSy 8,41 +.32 'DCEL DobsonCm 7,43 -.04 DLTR DIlrTree 24.39 +.19 HILL DotHiII 692 +.08 DBRN DressBn u40.16 +.05 BOOM DynMatls u33.21 +1.85 EBAY eBays 4451 +05 ECIL ECITel 7.71 +.26. EAGL EGLInc 35.88 +.60 ERES eResrch u17.43 +1.99 EZEM EZEM 23.21 +.42 ELNK ErthUnk 11.49 +.12 DISH EchoSlar 28.62 +.50 ECLP. Edipys 19.41 +.21 EPEX EdgePet 26.66 +.05 EDMC EducMgt 32.86 -.04 EDUC EduDv 8.50 EGHT 8x8 Inc 1.98 +.13 ESO1 ElectSci 24.83 -.18 EGLS Elcigis 3.16 +.18 ERTS ElectArts 54.59 +1.25 EF1I EFII u28.59 +.89 EMAG Emageonn 16.53 +.69 EMKR Emcore u7.81 +.26 HLTH Emdeon 9.28 +26 EMMS EmmisC 20.56 +.15 NYNY EmplreRst 8.21 +.51 ENCY EncyslveP 7.78 -.09 ENDP EndoPhrm u32.01 +.98 ENER EngyConv 41.78 +.09 ENTG Entegris 9.54 -.14 .ENMD EntreMd 2.16 +.17 ENTU. Entrust 4.55 -.15 EPIC EpicorSft 14,62 +.08 ERICY EricsnTI 35.98 +.29 ESLR EvrgrSlr 11.47 +.14 EXEL Exelixis' 9.76 +.02 XIDE ExideTc 3.68 +.07 EXPE Expedian 24,25 +,.25 EXPD Expdlnt 68.14 +.70 ESRX ExpScdpts 87.76 +.93 EXTR ExtNetw -16 FFIV F5Netw u.'i4 .1.94 FEIC FEICo 21.07 +.84 FUR FURSys s'23.29 +.58 FAST Fastenals 38.74 -.40 ,FICC Reldlnvn 12.63 +.29 FITB FifthThird 38.34 +47 FNSR Rnlsar 2.05 -.02 FINL FinUne 17.28 -.06 FHRX FrstHrzn 1727 +.07 FNFG FstNiagara 14.79 +02 FMER FstMent 26.23 -.12 FISV Fserv 44,30 +.61 FLEX Flexim 10.94 +,52 FMCN FocusMednu35.98 +.96 FONR Fonar .75 +.04 FMTI ForbesMd 1.82 FORD Forward 9.60 +A7 FOSL Fossil Inc 22.22 +.24 FWLTZ FostiWhwtBu2.06 +.09 FWLT FosterWh n 37.10 +.83 FDRY Foundry 14.47 +.50 FOXH FoHollw 30.97 +.33 FRED Fredslnc 15.56 +.03 FRNT FmIrAir 9,01. -05 FCEL FuelCell 8.83 +.16 FMDAY Ftnrmdia 31 -.01 GRMN Garmin 65.54 -1.82 GEAC GeacCmg 10.93 -.05 GMST Gemstar 2.78' +09 GPRO GenProbe 49.96 +.17 GENR Genaera. 1.55 -.06 GNBT GenBlot .84 +.03 GNSS GenesMcr 19.81. +.20 GNTA Genta 1.4 9 -.03 GNTX Gentexs 19.66 -.18 GENZ Genzyme 73.83 +1.91 GERN GeronCp 8.63 -.07 GVHR GevtyHR 24.97 -.36 GIGM GigaMed u3.25 +.35 GILD GileadSci 55.45 +.75 GLBL Globlind 12.62 +.24 GLDB GoldBnc 18.18 -.07 GKIS GoldKst 14.15 +.11 GOOG Google u44524+1001 GGAL GrpoFin 7.10 +.09 GTRC GuitarC 49.71 -.26 GYMB Gymbree u23.59 -.22 HMNF HMNFn 29.03 +.19 HANS Hansen s 82.37 -.55 HARB HaibrFL 37.01 +.15 HUT' Harmonic 5.15 +.15 HLEX HfthExt u30.51 +3.28 HELE HelenTroy 15.8 -.24 HSIC HScheins 43.75 +.07 HIBB Hibbetts. u30.79 -.27 HOLX Hologics 3828 +1.73 HOMS HomeStore 5.25 -.09 HOTT HolTopic 14.04 -.21 HCBK HudsCilys 12.41 +.17 HHGP HudsonHis 16,46 -.53 HGSI HumGen 8,70 +.24 JBHT HunUBs 22.66 -.07 HBAN HuntBnk 24.22 +.01 HTCH HulchT 29.46 +34 HYSL HyperSols 35.55 -.45 IACI A IACnters 28.92 +.27 OS I ICOS 28.25 +1.12 IFLO 1-Row 14.96 +.47 IPCR IPCHoli 27.77 +.46 IPAS iPass 6.83 +.02 IPMT iPaymnt 41.50 -.06 ICON IconlxBr u10.80 +.72 IDIX IdenixPh 16.29 -.64 IDNX Identix 5.22 +.13 ILMN Illumina 15.30 +.49 IMAX ImaxCp 7.40 +.18 IMCL Imclone 34.26 +.22 BLUD Immucor 24.74 +1.23 IMMU Imunmd 2.85 +.10 INPC InPhonic d8.25 -.39 IMDC Inamed u88.59 +.57 INCY Incyte 5.30 -.04 ICBC IndpCmty 40.03 +.17 IINT Induslntl 3.21 INSP infoSpce 24.50 +.21 INFA. Infomiat u12,78 +.33 INFY Infosys 80.37 -.08 NSIT Insight 20,03 +24 INSM Insmed u2.38 +.25. ISPH InspPhar 5.28 -.02 IDTI IntgDv' 13.82 +.15 INTC Intel 25.91 +.34 SYNC ntellisync 5.17 +.03 DCC nterDig 18.85 +.35 FSIA ntdace 8.70 NGR ntgph 50.25 +.28 MGC ntrmag u36.35 +4.55 TMN nterMune u18.33 +.71 DWK nUDIsWkn 5.86 -.29 SCA nllSpdw 48.10 +.18 CGE nemlCap 8.39 +.09 IJI ntmtlnftJ 11.79 +.58 SSX ntnISec 20.30 -.68 SIL ntersil 25.34 -.01 WOV ntewovn 8.39 +.10 NTU ntuit' 54.16 -.08 SRG IntSurg 122.06 +6.26, FIN InvFnSv 37.56 +.32 VGN Invitrogn 67.54 +1.20 ISON Isonlcs 1.88 +.03 IVAN IvanhoeEn 1.25 -.07 XXIA Ixia 15,04 +.04 JCOM j2Glob 45.87 +2.08 JDSU JDS Unih 2.50 +.08 JKHY JackHenry 19.58 +23 JAKK JkksPac 19.97 +.01 JBLU JetBlues 14.65 +.22 JOSB JosphBnk 45.24 JOYG JoyGIbs u43.77 +.27 JNPR JnprNtw 21:36 +.17 KLAC KLATnc 50.29 -.40 KERX KeryxBs 15.19 +.24 NITE KnghtCap 9.27 +.10 KOMG Komag 36.12 +1.39 KONG KongZhg 13.79 +1.24 KOPN KopinCp 5.48 +.17 KOSP KosPhr 51.50 +.75 KOSN KosanBb 4.65 .19 KRON Kronos 41.52 -.52 KLIC Kulicke 9.08 +.06 KYPH Kyphon 40.10 -.48 LKQX LKQCp u38.02 +.13 LYTS LSIInds 16.24 +.65 LTXX LTX 4.74 -.01 LRCX LamRsch 37.05 +.36 LAMR LamarAdv 46.29 +.08 LSTR Landstars 42.37 +.57 LSCP Lasrcp 22.97 +.50 LSCC. Laltce 4.45 -.02 LWSN LawsnSft 7.30 +.05 LEAP LeapWire n 38.92 +.22 LVLT LeveB 2.85 -.07 LEXR LexarMd 8.60 +.19 LBTYA UbGlbAs 22,.39 +.18 LBTYK UbGbobCn 20.97 -.02 LIFC Lifecell 18.95 -.30 LPNT LifePIH 35.78 -.73 LNCR Uncare 43.60 +.77 LLTC UnearTch 36.70 -.07 LIOX Uonbrdg 7.01 +.01 LNET LodgEnt 14.26 +.01 LOOK LookSmtrs 4.04 -.06 LOUD Loudeye .39 -.02 FLSH M-SysFO 33.52 -.09 IRIR MAIR 4.72 -.02 MCGC MCGCap 14.51 -.09 MCIP MCIIncs 2045 +.49 MDII MDIInc .87 -.04 MOGN MGIPhr 17.36 +.18 MRVC MRVCm 2.10 +.05 MTSC MTS 34.94 -.28 MECA MagnaEnt 7.07 MTEX Manntch 12.23 +.78 MANU Manugist 1.75 +.03 MCHX MarchxB 23.25 +.87 MATK Martek 25.87 +.74 MRVL Maivelif 57.82 -.35 MTXX Matrixx 23.21 +2.16 MTSN Mattson. 10.40 +.24 MXIM Maxim 36.80 -.37 MXWL Maxw lT 13.58 -.04 MCDTA'McDataA 3.90 +.07 MEDI Medlmun 35,02 +.29 MEDX Medarex 13.56 +.14 MCCC Mediacm 5.72 +.07 MDCI MedAd 20.10 -.23 MDC10 MedCo 16.70 -20 MENT MentGr 10.71 +27 VIVO MeidBs u23.12 +1.07 MERX MerixCp 7.85 +.01 MESA MesaAIr 11.10 +.63 MEOH Melhanx 19.29 -.11 MCRL Mlcrel 11.59 -.33 MCHP Microchp 32.32 +.19 MUSE Mcromse 9.86 -.03 MSCC MicroSemi 28.43 +32 MSFT Microsoft- 26.97 +.13 TUNE Microtune 4.77 +42 PGIC Mikohn 9.36 -.33 MLNM MIllPhar 10.00 +15 MLHR MillerHer 28.69 -.22 MSPD Mildspeed 2.49 +.08 MSON Misonix d4.28 -.03 MIND Mltcham u19.24 +1.74. MOLX Molex 26.73 +.84 MOLXA MolexA 25.12 +.79 MNST MnsitWw 40.19 -.85 MOTVE Motivel 3.04 -.02 MOVI MovieGal 5.34 -.4O MGAM MultimGm 8.93 -A47 MYOG Myogen 30.53 +.26 NABI NABI Bo 3:43 -.01 NTGR NETgear 19.19 -.12 NWAS NGASRs 10.83 +.05 NICE NICESys 47.43 -1.66 NIHD NIIHIdgs 46.32'+2.25 NMSS NMSCm 3.34 -.02 NPSP NPSPhm 12.19 +.09 NTLI NTL[Inc 67.94 +27 NAPS Napster 3.37 -.07 QQQQ NasdI10Tr 4174 +43 NDAQ Nasdaqn 36.94 +.68 NSTK Nastech 15.18 -.09 NAHC NatAtHn 10.71 +23 NATI Natlnsru u33.46 4.48 NKTR NektarTh 16.82 +.38 NMGC NeoMglcrs 9.34 +.20 NEOL NeoPharm 10.89 -.07 NTEC NeoseT 2.05 +.09 NWRE Neoware 26.10 +.47 NTOP Net2Phn 2.03 -.01 NETL NetLogic u28.54 +.83 NTES Nltease 58.10 +1.52 NFLX Nelix' 25.00 -1.05 NTAP NetwkAp 28.06 +.15 NENG NtwrEng .1.40 +.13 NURO NeurMtrx 30.10 +2.10 NBIX Neurcrine 3.60 +.03 NEXM NexMed .85 +.03 NXTP NexlliPd 2795 +04 NOBH NobityH 27.15 -.10 NTRS NorTrst 52.24 -.07 NVTL NvlWrls 12.21 '+29 NVAX Novavax 3.98 +.10 NOVL Novel] 8.80 NVLS Novlus 24.86 +,39 NOVN Noven 16.10 +.60 NUHC NuHoriz 9.76 -.44 NUAN NuanceCm 7.59 -.21 NTRI ,NutriSys 38.61 +25 NUVO Nuvelo 9.01 +.48 NVDA NvIdia u39.29 +1.07 OSIP OSIPhrm 27.88 +.10 RHEO OccuLoglx 7.78 +.53 OMNI OmniEnr 3.67 +.12 OVi OmniVisn 21.11 -.04 ASGN OnAssign 10.59 +.24 ONNN OnSmecnd 5.77 ONXX OnyxPh 28.68 -.39 ONXS OnyxSot u4.50 +.12 OTEX OpenTxt 15.15 -.32 OPTV OpenTV 2.29 OPWV OpnwvSy 17.78 +.16 OPSW Opsware 6.67 -.12 QXPS optXprsn u27.16 +1.70 ORCL Oracle 12.62 +.02. OSUR OraSure 9.460 +.34 OFIX Orthlx 39.62 -.12 OTrR OterTail 29.25 -.25 OSTK Oversk 27,20 -25 PETC PETCO 21.56 -.17 PFCB PFChng 52.01 +2.68 PMCS PMCSra 8.31 +.34 PRGX PRGSchlz .57 +.01 PSSI' PSSWrd 15.50 +.23 PCAR Paccar 71.55 +1.20 PSUN PacSunwr 23.83 -.30 PKTR Packetr 8.64 +.63 PTIE PalnTher 6.93 -.24 PALM Palm Inc 33.95 +.90 PAAS PanASIv 19.90 -.05 PANC Panacos 7.20 +.21 PNRA PaneraBrd 68.37 +1.09 PTRY Panty u49.62 +.55 PZZA PapJohn u63.54 +1.15 PMTC ParmTc 6.51 +.25 PORT' PartlcDTn u6.35 +1.18 PDCO Patterson 33.34 -.04 PTEN PaltUTI 35.21 +.97 PAYX Paychex 38.96 +.33 PENN PnnNGms 33.27 -.50 PST] PrSeTch 24.48 +1.12 PPHM Peregrine .90 PFGC PerFood 27.82 -.04 PRGO Penigo 15;21. +.05 HAWK Petrohawk 14.25 -.02 PETDE PelDvlf 33.80 +.51 PETM PetsMad 26.11 +.54 PPDI PhrmPdt 62.59 -.35 PLAB Photln 15.88 +.77 PIXR Pixars a58.16 +4.20 PXLW Pxlwrks 5.61 +.44 PLXS Plexus u23.80 -.56 PLUG PlugPower 5.30 +.02 PLCM Polycom 16.02 +.45 BPOP Popular 21.06 +.01 PLAY PortlPlay 29.34 +.79 POWI Powrlntg u25.82 +.51 PWER Power-One 6.50 +.33 PWAV Powrwav 12.99 -.05 PRST Prestek 9.65 +.16 TROW PriceTR 73.32 +.33 PRTL PrimusT .73 +.01 PGNX ProgPh 26.47 +.63 PDU ProtDsg 29.96 +1.52 PSYS PsycSol u63.06 44.73 QLTI QLT 6.70 +.35 QLGC Qlogi 32.46 -.05 QCOM Qualcom 45.43 +1.43 QTWW QuanFuel 2.96 +.27 QSFT QuestSfhy 14.69 -.08 QDEL Quidel 10.02 -.38 RFMD RFMicD 5.69 +.07 RSAS RSASec 11.67 +.08 RACK RackSys n u28.02 -1.45 RSYS RadiSys 17.34 -.85 RADS RadnlSys 1229 +.56 ROIAK ROneD 10.48 -.20 RVSN Radvisn 17.10 +.15 RADN Radyne u15.76 +.78 RMBS Rambus 18.49 +,29 GOLD Randgold u18.12 +.57 RNWK RealNwk 7.75 +.22' RHAT RedHat u28.80 +.75 RBAK Redback u15.00 +27 REGN Regenm 15.92 +.02 RCII RentACt 18.68 -.18 RGEN Replgn 4.20 +.30 RJET RepubAir 15.32 -.02 RBNC RepBcp 12.03 -.01 RIMM RschMoln 6880 +219 RECN ResConns 26.77 +.41 RESP Respirons 36.90 -.27 RSTO RestHrd 6.39 +.38 RIGL RigelPh 8.39 -.07 RCKY RockySh d2053 -3.82 ROST RossSIrs 29.69 +.25 RGLD RoyGId 36.94 +.12 SBAC SBACom 18.72 +.30 POL1 SCP Pool 36.44 -.20 SEIC SEIinv 38.43 +1.08 SFCC SFBCIntl -20.08 +1.19 SIVHE SVBFnGpf 46.13 -.42 SAFC Saleco u58.61 +1.11 SFNT SafeNet 31.67 -.49 SLXP SalixPhm 18.23 +.75 SAFM SanderIm 29.11 -.41 SNDK SanDisk u6778 +08 SANM Sanmina 4.41 +.03 SAPE Sapient 5.990 .03 SCHN Schnitzer 31.28. +22 SCHL Scholast 28.41 -.30 SCHW Schwab 15.69 +.73 SCLN SdCsone 2.17 -.09 SGMS SciGames 27.81 +.36 SHLD SearsHldgs116.0l -107 SOUR Seouemp 12.72 +,35 SOSS SeiCmfrt 27.97 -.33 SIGI Sett 55.77 +25 SMTC Semlech 18.89 +15 SEPR Sepracor 50.11 -1.39 SERO Serolog 20.91 +.66 SNDA Shanda 16.06 +.76 SHPGY Shire 40.21 +.48 SHFL ShuffiMsts 24.79 +.01 SIRF SIRFTch u32.28 +1.61 SEBL SlebdlSys 10.59 +.01 SWIR SlerraWr 11.56, +.72 SIFY Stly ull.82 +.63 SIGM Sigmng 15.00 -.11 SIAL SimAl 63.12 -.39 SGTL SgmaTel 13.09 +.40 SIMG Slicnimg 9.87. -.02 SLAB SlicnLab 37.96 -.07 SSTI SST 5.33 ,-01 SPIL SIcsware 7.34 +21 SSRI SilvStdg u16.59 +.48 SINA Sina 2421 -.43 SMDI Sirenza 4.94 +.26 SIRI SiiusS 636 -.16 SKIL SNl]Soft .5.54 +.08 SKYW SkyWest 26.88 +.25 SWKS SkysSol 5.28 +.07 SSCC SmuaiSlne 13.72 +.01 SOHU Sohu.cm 2047 +1.46 SMTS Somante 29:93 +.73 SONC SonlcCorp 29.33 -.20 SONS Sonus 423 +.12 SNUS SonusPh u5.50 +.37 SMBC SouMoBc 14.95 TSFG SoulhFnd 27.93 +.40 STAA StaarSur 7.57 +.13 SMSC StdMic 30.31 -1.11 SPLS Staples s 22.60 -.02 SBUX Starbuckss 31.67 +.80 STTS STATS Chp 6.92 +.01 STLD StlDyna 36.38 -.17 STTX SteelTch 25.15 -3.68 STEM StemCells 3.50 +.01 SRCL Stricyde 58.43 -.18 STEIE StewEntIf 5.61 -.12 SOSA Sloltffsh 1231 +.15 SUNW SunMicro 4.41 +.09 SPWR SunPowern 33.15 -.71, SOON SupTech .45 -.02 SUPG SuperGen 4.99 -.04 SPRT SupporSft 4.37 +.10 SUSQ SusqBnc 24.23 +15 SWFT Swifftm 20.57 +.03 SCMR Sycamore 4.24 -.03 SYMC Symantec 18.02 +,53 SYMM Symeric 8.88 +.06 SYNA Synaptcs 25.26 +.16 ELOS Syneron 28.80 +.34 SNPS Synopsys 20.85 +.39 SYNO Synovis 9.78 +.04 THQI THQs 24.58 +.60 TLCV TLC Vision 6.53 +.18 TRMM TRMCorp 7.40 +.22 TIMI TTMTch 10.24 +.56 TTWO TakeTwos 17.81 -24 TALX TalxCps 47.32 +.73 TARO TaroPh 14.42 +.38 TASR TASER 7.30 +.24 TECD TechData 40.42 +.34 TECH Techne 57.42 +.46, TGAL Tegal .61 +.01 TKLC Tekelec 13.95 "+.06 TTEC TeleTech 11.98 -.02 TLWT TeIwesaGI 23.78 +.02 TELK Teliklnc 16.65 -.10 TIAB Tellabs u11.74 +.20 TERNE .Teiayonlf 2.15 -.11 TSRA TesseraT 26.75 +:11 TEVA TevaPhrm 43.22 -.85 TSCM ThStreet 6.67 +.08 THOR Thoratc u23.21 +.35 COMS 3Com 3.71 +.06 TIBX TiboSit 7.65 +.17 TWTC TWTele 9.78. +.01 TIVO TiVoInc 5.23 +.05 TSEM' TowerS 1.78 +.13 TRAD TrdeSlatn 13.82 +.63 1WMC TmWEnt 5.62 -.13 TMTA Tmsmela 1.18 +.01 TXCC TmSwtc 1.74 -.03 TZIX TriZetto u17.28 -.19 TRID TridMcs 19.79 +.11 TRMB TdmbleN 36.12 +.06 TQNT TriQuint 4,55 TRLG TrueRellg n 16.86 +1.16 TRST TrslNY 12.68 -.06 TRMK Truslmk 28.10 +.06 TUES TuesMm d20.08 -.35 TFSM 24/7RealM 7.98 +.12 UAPH UAPHIdg u20.93 +.24 UCBH UCBHHds 17.93 -.20 GROW USGIobal 13.38 +.68 UTSI UTStrom 7,88 -.18 UPCS UbiquM 10.05 +.09 UARM UndArmrn 31.60 -1.76 UDRL UnionDilln 14.85 -.12 UNFI UtdNtrF 26.00 -.22 UNTD UtdOnIn 14.34 -.08 USES USEnr '4.78 +.16 USPI UtdSurgs 33.05 +.56 UFPI UnivFor 56.35 +.45 URBN UrbanOuts 24.48 -.48 WOOF VCA Ant u28.92 +.64 WTV VaMs A 12.71 +.20 VCLK ValueClick 18.54 +.33 VSEA VarianS 44.90 -1.06 VSGN Vasogeng 2.00 -.01 VECO Veecolnst 1824 +.41 VMSI Ventanas 39.82 -.23 VRNT VerintSys 3423 +.94 VRSN Verisln 21.10 -46 VRTX VelxPh 28.31 +.41 VIGN Vignetters 17.11 +.30 VPHM ViroPhrm 19.15 +.03 VTSS Vtesse 2.13 +.08 WSCI WSI Inds 3.44 -.13 WRNC Wamaco u27.67 +1.35 WRES WanenRs 16.71 ,-.18 WGII WashGlntl 54.90 +.53 WEBX WebEx 21.97 +.47 WEBM webMeth 7.78 +.01 WBSN Websense 62.01 -1.80 WERN WemerEnt 20.35 +,43 WSTL Westell 4.51 -.05 WTSLA WetSeal 4.41 +.13 WFMI WholeFds 77.71 +.61 WIND WindRvr 14.68 -.05 WRSP WorldSpcn13.18 -1.02 WMGI WrightM 20.49 -.12 WYNN Wynn 53.85 -.10 XMSR XMSal 27.84 -.31 XOMA XOMA 1.73 +.06 XLNX Xilinx 26.93 +116 YRCW YRCWwde 47.87 +2.13 YHOO Yahoo 4097 +06 YBTVA YoungBd 3.15 +32 ZBRA ZebraT 42.41 -.42 ZHNE ZhoneTch 2.20 +.07 ZION ZionBcp 77.02 +.54 ZRAN Zoran u18.27 +1.44 Request stocks or mutual funds by writing the Ctronicle, Ann: Stock Requests, 1624 N. Meaaowcrest .Blvd., Crystal River, FL 34429; or phoning 563-5660. For stocks; include the name of the stock, its market and its ticker symbol. For mutual funds, list the parent company and the exact i name of. the fund. Yesterday Pvs Day Australia 1.3371 1.3524 Brazil -2.2795 2.3305 'Britain 1.7581. 1.7452 Canada 1.1474 1.1555 China 8.0670 8.0697 Euro .8249 .8317 Hong Konq 7.7530 7.7536 Hunqarv 207.45 209.75 India 44.650 44.900 Indnsia 9645.00 9720.00 Israel 4.5756 4.5847 Japan 115.95 116.03 Jordan .7085 .7090 Malaysia 3.7712 3.7775 Mexico 10.5580 10.6160 Pakistan 59.84 59.78 Poland 3.14 3.20 Russia 28.7414 28.7414' SDR .6928 .6980 Singapore 1.6441 1.6522 Slovak Rep 30.98 31.46 So. Africa 6.1266 6.2083 So. Korea 998.20 1005.20 Sweden 7.6918 7.8064 Switzerlnd 1.2755 1.2890 Taiwan 32.33 32.63 U.A.E. 3.6727 3.6728 British pound expressed in U.S. dollars. All others show dollar in foreign currency. Yesterday Pvs Day Prime Rate 7.25 7.25 Discount Rate 5.25 5.25 Federal Funds Rate 4.25 4.25 Treasuries 3-month 4.09 3.88 6-month 4.21 4.19 5-vear 4.28 4.32 10-year 4.34 4.34 30-vear 4.54 4.54 FUTURES Exch Contract Settle Chg Lt Sweet Crude NYMX Feb06 63.42 +.28 Corn CBOT Mar06 2181/4 -13 Wheat CBOT Mar 06 34614 +1/4 Soybeans CBOT Mar 06 6321/4 +33/4 Cattle CME Feb 06 96.47 +.10 Pork Bellies CME Feb06 86.02 +2.12 Sugar (world) NYBT Mar06 14.87 +.69 Orange Juice NYBT Mar06 123.75 +.85 SPOT Yesterday Pvs Day Gold (troy oz., spot) $533.90 $514.20 Silver (troy oz., spot) $9.102 $8.865 Copper (pound) $l,2.21b5 $2.1940 NMER = New York Mercantile Exchange. CBOT = Chicago Board of Trade. CMER = Chicago Mercantile Exchange. NCSE = New York Cotton, Sugar & Cocoas Exchange. NCTN = New York Cotton Exchange. . fame' Last AbdAsPac 6.04 Ableauckn d.28 AdmRsc 23.15 Adventrx 3.77 AllisChE 13.36 AmOtBion 4.26 AWIrSthlf .04 ApexSilv 16.25 ApolloG g ..29 Arhyth d12.25 AvanirPh u3.94 BPI Indgn 3.55 THE MARKET IN REVIEW C,..,. (PL) Carli', fl C I nsr TTSLS HRSA AURY5 069 , 3-Yr. C Name NAV Chg %Rtn AARP Invst: CapGrr 48.15 +.21 +45.8 4A GNMA 1492 .+.03 +9.6 SGlobal 31.59 +.35 +91.0 SGthlrnc 22.27 +.07 +46.3 Into 52.53 +55 +76.2 PthwCn 11.97 +.03 +28.3 PthwyGr 13.83 +.06 +462 ShTrmBd 9.96 +.01 +62 SmCoStk 23.07 +.15 +79.0 AIM Investments A: Agrsvp 1122 +.09 +50.0 BaValAp34.85 +.11 +54.3 ChartAp 13.63 +.07 +41.9 SConstp 25.45 +20 +47.5 HYdAp 4.37 +.01 +47.8 IntlGrow 24.44 +30 +90.0 MuBp 8.09 +.01 +14.0 PremEqty 10.63 +.05 +37.3 SelEqlyr 1892 +.09 +53.8 WeingAp 14.32 +.10 +492 AIM Investments B: CapDvBt 16.44 +.14 +68.0 PremEqty 9.79 +.04 +34.1 AIM Investor Cl: Energy 42.83 +.45+167.8 SmCoGp 13.54 +.11 +59.3 SummitPp 1233 +.07 +65.8 Utilfes 14.17 +.05 +722 AMF Funds: f AdjMtg 9.69 ... +6.5 Advance Capital I: S Balancpn18.18 +.07 +37.4 Rentlcn 9.87 +.02 +212 Alger Funds B: SmCapGrt 5.16 +.06 +89.0 AlllanceBern A: AmGvlOnA 7.71 +.02 +36.5 BalanAp 16.82 +.02 +39.3 GbTchAp 62.14 +.87 +54.4 GdncAp 3.90 ... +49.7 SmCpGrA 25.22 +.36 +78.5 AlllanceBem Adv: LgCpGrAd 22.06 +.12 +50.8 AlllanceBern B: AmGvlncB 7.71 +.02 +33.5 CorpBdBp11.95 +.01 +262 G bTchB 55.91 +.77 +50.9 GrowtliBt 26.62 +.06 +66.9 SSCpGrBt 21.16 +.30 +743 SUSGovtBp 6.96 +.02 +5.5 SAlllanceBern C: SCpGrCt 2122 +.0 +74.5 Alllanz Funds C: ) GwIhC 19.13 +.12 +39.6 STargtCt 17.03 +.12 +67.0 Amer Century Adv: EqGropn 23.8. +.16 +56.7 Amer Century Inv: SBalanced 16.3 +.07 +37.3 Eqlncn 7.91 ... +42.3 Growtlhn 21.01 +.13 +41.2 Heriageln14.92 +.19 :60.9 ( IncGron 31.04 +21 +52.2 3 IntDiscrn 15.30 +.18+137.6 InHGoIn 10,57 +.16 +66.7 LfeScl n 5.48 +.05 +52.2 ) New0pprn6.13 +.07 +48.8 OneChAg n11.71 +.09 NS SRealEstl n 256.07 +.09+113.0, SelectIn 38.68 +.11 +33.5 .Ultran 30.57 +.13 +40.5 : Utiln 13.73 +.05 +74.1 1 Valuelnv n 7.04 +.02 +53.4 American Funds A: ArncpAp 19.42 +.07 +50.5 ; AMuUAp 26.63 +.08 +41.5 SBOalAp 18.07 +.06 +37.0 SBondAp 13.27 +.02 +21.7 CpWAp 18.76 +.15 +31.7 CaplBAp 54.05 +.44 +50.4 SCapWGAp 37.78 +.44 +93,2 EupacAp 42.74 +.59 +96.7 SFdlnvAp 36.31 +26 +67.4 SGwthAp 31.68 +26 +69.4 SHITrAp 12.16 +.03 +46.5 IncoAp 18.40 +.10 +46.1 IntBdAp 13.48 +.01. +7.0 SICAAp 31.92 +.13 +472 SNEcoAp 24.04 +.16 +72.9 SN PerA p 29.66 +.35 +75.5 1t NwWrdA 40.22 +.60+116.3 SSmCpAp 36.30 +.38+108.7 TxExAp 12.46 +.01 +14.1 SWsnAp 31.34 +.05 +40.9 American Funds B: SBalBt 18.02 +.06 +34.0 SCaplBBt 54.05 +.44 +47.0 GinwhBt 30.75 +.25 +65.7 IncoBt 18.3010+.10 +42.7 SICABt 31.80 +.14 443.8 ' WashBt 31.18 +.06.+37.8 ** Ariel Mutual Fds: I Apprec 47.34 +23 +51.1 F Ael 50.41. +.01 +56.4 SArtisan Funds: InU 26.27 20 +802 SMdCp 31.44 +.18 +63.1 MdCapVal 19.07 +.12+100.2 Baron Funds: k pAsset 56.85. +25 +79.1 ':- Growth'. 46.071,+22476.5 -: SmCap', 23.51-..17 845 Bernstein Fds: -,,' ' I[ntDur 1321 +.03 +13.0 v, DMu 14.03 +.01 +8.7 TxMglntV 25.15 +.39 +90.9 IntVaE2 25.12 +.38 +93.6 BlackRock A: ,I AuroraA 34.81 +.22 +75.7 HiYlnvA 7.87 +.01 +47.5- '3. Legacy 14.86 +.10 +50.1 a3 Bramwell Funds: SGrowthp 19.49 +.09 +30.8 r; Brandywine Fds: Bmdywnn31.84 +.22 +70.1 SBrinson Funds Y: HiYldlYn 6.96 +.01 +40.5 T CGM Funds: CapDvn 30.11 +.53+1362 Mulin 28.81 +24 +79.1 Calamos Funds: Gr&lncAp31.48 +20 +51.2 GrwtihAp 56.85 +.55 +83.4 GrohC 154.27 +.53 +79.3 Calvert Group: Incop 16.79, +.01 +24.8 InmEqAp 21.73 +21 +71.9 MBCAI 1028 +.01 +3.9 Munint 10.70 ... +8.7 STcUalAp 28.98 +.09 +33.1 SocBdp 15.88 +.01 +20.8 ScEqAp 36.00 +.18 +34.6 TxF U 10.58 ...' +4.90 TxFLgp 16.55 +.01 +12.2 STxFrVT 15.65 +.01 +9.8 Causeway i nti:. . Insitutnlrn1728 +.21+103.4 Clipper 88.95 +.22+23.5 Cohen & Steers: RltyShrs 7428 +.20+122.4 Columbia Class A: Acorn t 28.12 +.17 +98.6 Columbia Class Z: AcomZ 28.73 +.17+101,0 AcomlntlZ 34.83 +.50+139.7 Columbia Funds: ,ReEsEqZ 25.12 +.06 +92.2 Davis Funds A: - NYienA 34.36 +.08 +83.9 - Davis Funds B: NYVen'B 32.05 +.07 +60.0 Davis Funds C &Y: NYVenY 34.74 +.08 +65.6 NiVenC 33.17 +.08 +602 - Delaware Invest A: - TrendAp 22.61 +.17 +57.9 TxUSAp 11.53 +.01 +17.2 Delaware Invest B: DelchB 3.26 +.01 +51.3 SelGrBt 24.50 +.03 +66.6 - Dimensional Fds: - IntSmVan 18.49 +34+186.7 "USLgVan 22.20 +.16 +73.4 US Micro n15.07 +.12+102.3 USSmauln19.92 +.16 +90.1 USSmVa 27.08 +22+116.5 IntlSmono17.01 +.28+162.3 EmgMkIn 21.77 +33+179.4 InlVan 18.85 +34+127.4 TMUSSV 23.97 +.19+107.3 DFARIEn 25.63 +.10+1052 Dodge&Cox: . Balanced 02.56 +32 +49.7 Income 12.57 +.02 +13.0 IntlStk 36.33 +33+133.3 ' Stock 140.16 +.70 +71.0 Dreyfus: - Aprec 40.52 +.07 +31.0 Discp 34.38 +.14 +39.4 - Dreyf 10.49 +.04 40.8 Dr500lnt 37.09 +.14 +45.8 ErnmgLd 42.65 +20 +74.5 FLinir 13.08 ... +8.6 InsMutn 17.86 +.02 +11.8 SWalAr 29.12 +.09 +78.5 Dreyfus Founders: GrowthBn10.67 +.06 +41.1 GrwlhFpnl1.19 +.06 +45.1 Dreyfus Premier: CoreEqAt 115.08 +.01 +24.3 CorVlvp 31.97 +.09 +48.5 TxMgGCt 16.08 +.01 +23.9 TchGroA 24.63 +.21 +54.9 Eaton Vance Cl A: ChinaAp 15.86 +.11+100.4 GrwIhA 7.89 +.11 +62.0 InBosA 6.34 +.01 +48.6 SpEqtA 11.79 +.12 +453 MunBdl 10.71 +.01 +18.8 STradGvA 7.32 ... +4.5 Eaton Vance CI B: FLMBI .10.91 +.01 +12.8 - HlthSBt 12.35 +.10 +46.8 NaItMBt 11.33 ... +23.8 Eaton Vance CI C: GovlC p 7.32 +.01 +2.3 NatMCI 11.33 ... +23.2 Evergreen A: - AstAl p 14.35 +.08 +52.4 Evergreen B: DvrBdBt 14.62 +.02 NS MuBdBI 749 +.01 +12.4 Evergreen C: AstAICI 13.97 +.08 +49.4 Evergreen 1: CorBdi 10.49 +,01 +12.3 SIMunil 9.95 +.01 +7.6 Excelsior Funds: Energy 25.44 +.30+169.6 HiYieldAp 4.53 +.01 +47.8 ValRestr 47.41 +.39 +93.8 FPA Funds: NwIlnc 10.85 ... +12.8 Federated A: AmLdrA 23.86 +.09 +442 MidGrStA 35.03 +31 +80.9 MuSecA 10.68 +.01 +132 Federated B: StdncB 8.65 +.02 +34.7 Federated InstI: Kaufmn 5.70 +.06 +82.8 Fidelity Adv FocT: HtCarT 23.95 +25 +42.2 NalResT 43.06 +.64+141.3 Fidelity Advisor A: DivntlAr 21.98 +.31+104.2 Fidelity Advisor I: EqGd n 52.00 +.36 +43.3 Eqlni n 29.28 +.12 +542 IntBdIn 10.88 +.01 +11.5 Fidelity Advisor T: BalancT 16.23 +.10 +303 DGrTp 12.29 +.04 +30.4 DynCATp 16.66 +.12 +53.7 EqGrTp 4920 +.33 +40.9 EqInT 28.93 +.12 +51.8 GovinT 9.98 +.01 +8.8 GrOppT 34.09 +.24 +49.4 HilnAdTp 9.82 +.02 +71.5 InItdT 10.88 +.01 +10.6 MidCpTp 24.74 +.24 +80.3 MulncTp 12.95 +.01 +14.7 OwseaT 20.73 +.35 +88.9 STF1T 9.41 +.01 +7.3 Fidelity Freedom: FF2010n 14.25 +.06 +33.5 FF2020n 15.01 +.09 +47.5 FF2030n 15.37 +.10 +54.2 SFF2040n 9.05 +.06 +58.9 Fidelity Invest: AggrGrrn 18.22 +.10 +57.9 AMgrn 16.25 +.05 +27.9 AMgrGrn 15.31 +.05 +32.8 AMgrinn 12.95 +.04 +29.7 Balancn 19.12 +.12 +57.9 BlueChGrn44.16 +.25 +36.8 CAMunn 12.42 +.01 +14.6 Canada n 44.57 +.58+142.6 CapApn 25.73 +.17 +75.5 Cplncrn 8.40 +.01 +63.0 ChinaRgn 19.84 +.25 +86.3 CngSn 409.63 +2.13 33.7 CTMunrn11.41 +.01 +11.4 Contra n 66.65 +.56 +72.6 CnvScn 22.98 +.21 +50.9 Destln 14.62 +.07 +49.8 Destlln 12.18 +.10 +35.0 DisEqn 28.33 +.13 +55.6 Divlnlln 33.89 +.50+104.2 DivGthn 29.32 +.11 +32.8 EmrMkn 19.29 +.30+168.7 Eqlnon 53.91 +.25 +51.7 EQIIn 23.33 +.11 +50.1 ECapAp 22.95 +.31 +89.7 Europe 37.81 +.70+128.3 Exch n 280.75 +.63 +46.1 ' portn 21.88 +.15 +73.0 Rdeln 32.61 +.17 +47.3 Fiftyrn 23.33 +.15 +42.0 FLMurn 11.46 +.01 +13.1 FrinOnen 26.91 +.16 +53.2 GNMAn 10.88 +.02 +9.9 Govtlncn 10.14 +.01 +9.8 GroCon 65.63 +.76 +79.3 Grolnon 35.22 +.14 +33.9 Grolnclln 10.40 +.06 +39.4 Highlncrn 8.80 +.01 +44.4 Indepnn. 20.21 +.18 +52.1 IntBdn 10.31 +.01.+11.2 IntGovn 10.05 ... +7.0 IntDiscn 33.00 +.50+106.8 IntlSCp r n 28.03 +.39+211.0 InvGBn 7.38 ... +13.5 Japann 19.07 +.38+124.2 JpnSmrn 17.52 +.33+187.5 0. ,K,,, ,. ,: '5 LowPrn 41.83 +.38 +87.5 Magelnn109.46 +.83 +42.5 MDMurn10.86 +.01 +12.5 MAMunn 11.90 +.01 +14.5 MIMunn 11.85 ... +13.3 MidCapn 27.24 +25 +68.5 MNMunn11.43 +.01 +12.6 MtgSecn 11.09 +.01 +11.5 Munilncn 12.84 +.01 +15.4 NJMunrnlI.53 +.01 +13.7 NwMktrn 14.53 +.08 +63.8 NwMilln 36:01 +.36 +57.7 NYMunn 12.85 +.01 +14.2 OTCn 38.94 +.42 +59.1 Oh Munn 11.67 ... +14.0 Ovrsean 43.00 +32 +96.4 PcBasn 26.55 +.29+1132 PAMunrn10.61 +.01 +13.0 Puritnn 19.01 +.07 +39.5 RealEn 31.84 +.07+107.7 StIntMun 10.21 +.01 +6.1 STBFn 8.87 +.01 +8.3 - .1 1; i A i 1 l. StkSIcn 2526 4.17451.5 Strallncn 10.4 9 +.04 +34.8 Trend n 58.51 '+.33 +50.1 USBIn 10.93 +.01 +13.1 Uilityn 14.97 +.09 +59.0 ValStratn31.99 +.25 +88.5 Value n 77.55. +.58 +86.2 Wrklwn 20.11 +.13 +76.0 Fidelity Selects: Airn 41.03 +.50 +87.1 Autonn 34.61 +.07 +49.4 Banking n 36.30 +.12 +46.3 Blotchn 63.98 -+.61 +62.4 Brokrn 71.05 +.71 +98.0 Chemn 67.90 -.14 +81.4 Compn 37.18 .41 +60.5 Conlndn 25.43 +.05 +38.6 CstHon 48.29 -.12+105.9 DfAern 74.09 +.42 +92.3 DvCmn.- 20.82 +.38+102.3 Electrn 45.52 +.63 +76.1 Enrgyn 49.56 +.65+155.0 EngSvn 70.47 +1.14+134.6 Envirn 15.91 +.02 +50.7 FinSvn 117.37 +.38 +54.3 Foodn 51.53 +.34 +40.8 Goldrn 35.50 +.84 +74.8 Healthn 138.88 +1.48 +45.1 HomFn 51.68 +.30 +41.8 IndMtn 45,09 +30 +93.3. Insurn 69.87 +.57 +63.0 Leisrn 79:74 +.30 +70.5 MedDIn 55.16 +.40+140.9 r. -.l: :,. f. ,4 +21 +68.6 ,lurr.r, j)r it. +.53 +56.6 NIGasn 41.02 +.47+171.6 Papern 30.67 +.27 +16.6 Phannn 10.20 +.10 +36.0 Retail n 49.20 -.05 +63.6 Softwrn 54.09 +.62.+43.6 Techn 65.40 +.76 +65.2 Telcmn 39.47 +31 +50.2 Transn 47.18 +.47 +94.2 UtlGrn 43.90 +.29 +69.9 Wirelessn 7.02 +.10+177.5 Fidelity Spartan: Eqldxlnvn45.06 +.17 +47.4 500lnxlnvrn87.78+34 +47.4 Govlnn 10.92 +.01 +10.7 InvGrBdn 10.43 +.01 +14.3 Fidelity Spart Adv: EqldxAdn45.06 +.17 NS 500Adrn 87.78 +.34 NE First Eagle: GllA 43.07 +.41 +88.9 OverseasA23.67 +.30+104.0 First Investors A BIChpAp 21.37 +.07 +36.8 GloblAp 7.37 +.09 +57.5 GovtAp 10.89 +.02 +8.6 GrolnAp 14.29 +.07 +52.2 IncoAp 3.01 +.01 +37.1 InvGrAp 9.67 ... +14.7 MATFAp 11.88 +.01 +10.7 MITFAp 12.35 .. +9.9 MidCpAp 28.42 +.16 +75.1 NJTFAp 12.93 ... +10.0 NYTFAp 14.37 ... +9.6 PATFAp 12.93 ... +9.4 SpSitAp 20.73 +.12 +60.8 TxExAp 10.00 ... +9.6 TotRtAp 14.32 +.05 +36.2 ValueBp 6.80 +.03 +52.3 Firsthand Funds: GIbTech 4.02 +.05 +62.1 TechVal 33.78 +.41 +77.9 Frank/Temp Frnk A: AGEApx 2.09 -.01 +56.8 AdjUSp 8.93 ... +5.5 ALTFAp 11.48 +.01 +14.7 AZTFAp 11.05 +.01 +17.1 Ballnvp 62.86 +.38 +81.0 CallnsAp 12.69 ... +15.4 CAIntAp 11.53 +.01 +11.4 CafTFApx 7,29 -.02 +16.6 CapGrA 11.40 +.11 +38.7 COTFAp 12.01 +.01 +15.6 CTTFAp 11.09 +.01 +14.8 CvIScAp 16.42 +.11 +67.4 DblTFA 11.90 +.01 +14.5 DynTchA 26,90 +.24 +59.5 EqlncAp 20.82 +.04 +41.3 Fedlntp 11.42 +.01 +12.1 FedTFApx 12.08 -.04 +16.7 FLTFAp 11.91 ... +15.3 FoundAp 12.74 +.08 NS GATFAp 12.11 +.01 +16.0 GoldPrM A 27.65 +.60+113.2 GrwthAp 37.26 +.17 +52.5 HYTFAp 10.77 +.01 +22.1 IncomApx 2.42 ... +492 InsTFAnf 1231 +.01 +14.4 NYrTFp 10,93 +.01 +10.4 LATFAp 11.50 ... +14.3 LMGvScA 9.93 +.01 +4.5 MDTFAp 11.75 +.01 +14.7 MATFAp 11.91 +.01 +14.6 MITFAp 12.26 +.01'+13.6 MNInsA 12.11 +.01 +13.6 MOTFAp 12.27 +.01 +15.4 NJTFAp 12.13 +.01 +15.7 NYinsAp 11.59 +.01 +13.3 NYTFApx 11.83 -.04 +13.9 NCTFAp 12.28 ... +15.2 OhiolAp 12.55 +.01 +14.2 ORTFAp 11.85 ... +16.4 PATFAp 10.41 +.01 +14.0 ReEScA p 26.24 +.05+106.9 I S HO.o3ED H UTA FN TBE Here are tn6 1 000 biggest mutual lun i listed or, Nasdaq. Tables show Inre lurnd narne, seil pice or Neil Assel Value (NAi a3rid oaaly net change, as well 3a one total relurn figure as follows: "Tues: 4-wk lotal return (%i Wed: 12-mo Molal relurn ( 'jc Thu: 3-yr cumulative tolal r[lurn ('.i1 Fri: 5-yr cumulative toial return 1r:) Name: Name of mutual lund and family. NAV: Net as-et value. Chg: fJel change in price or IJAV Total return: Perceni cnarige in NAV for ihe rime period shown, with dividends reinvested IT period longer Than 1 year. relurn_s curnula- live Data based on N.4Is repone Tro Lipper o 6 p m Eastern. Footnotes: e E.x-capiial gains dislriullon i Previous day s quote i. No-ioao tund p Fund assets used to pay diatribunin ccsis. r - RedenmpTion lee or contingent deferred sales load may apply. i - Stock dividend or split. 1 Both p and r. /. Ex-cash dividend NA - lNo information aaila.,le NE. Dala irn queacion NN Fund does nol wisr to be irackaed NS Fund oad rno e.l. ai sian dale Source: Lioper. Inc. and The Associated Press RisDvAp 32.98 +.15 +38.8 SMCpGrA38.41 +.32 +70.5 USGovApx6.51 -.02 +9.0 UtrlsAp 12.00 +.01 +62.5 VATFAp 11.82 ... +16.4 Frank/Temp Frnk B: InxomB px2.42 ... +46.9 IncomeBtx 2.41 ... +45.0 Frank/Temp Frnk C: IncomC tx 2.44 ... +47.3 Frank/Temp Mtl A&B: DiscA 26.58 +.19 +80.7 QualfdAt 20.14 +.15 +68.6 SharesA 24.22 +.13 +58.1 Frahk/Temp Temp A: DvMktAp 24.35 +.43+152.3 ForgnAp 13.10 +.15 +71.5 GIBdAp 10.53 +.11 +38.7 GrwthAp 23.657 +.19 +68.2 .IntxEM p 16.57 +.20 +75.1 WprldAp 18.29 +23 +73.1 Frank/Temp Tmp Adv: GrthAv 23.58 +.19 +9.5 Frank/Temp Tmp B&C: DevMktC 23.91 +.42+147.3 ForgnGp 12.94 +.15 +67.7 GE Elfun S&S: S&SPM 43.79 +20 +37.2 GMO Trust IIIl: EmMkr 21.51 +27+208.6 For 16.41 +20+100.3 IntlGrEq 29.71 +.36 NE USCoreEq14.37 +.08 NS GMO Trust IV: EmrMkt 21.46 +26+208.6 IntllntrV 31.98 -.08+111.9 Gabell Funds: Asset 41.96 +23 +57.8 Gartmore Fds D: Bond 9.63 +.01 +16.2 .4 13,)L, 10.23 +.01 +9.4 .I .,w.I:' 7.26 +.04 +50.9 NatonwD 19.20 +.12 +48.5 TxFrr 10.55 ... +13.5 Gateway Funds: Gateway 25.14 -.02 +23.0 Goldman Sachs A: GrincA 2627 +.06 +51.7 MdCVAp 35.83 +26 480.2 SmCapA 41.67 +25 +77.4 Guardian Funds: GBG InGrA 15.80 +.12 +75.3 ParkAA 32.96 +.17 +31.3 Harbor Funds: Bond 11.67 +.02 +14.7 CapAplnst 33.47 +.15 +60.9 Intlr 51.56 +.67+104.3 Hartford Fds A: AdvisAp 16.11 +.05-+30.1 CpAppA p 36.84 +.35 +90.7 DivGthAp 1929 +.06 +47.1 SmICoAp 20.62 +.31+110.2 Hartford HLS IA : Bond 11.31 +.02 +16.6 CapApp 54.73 +.55 +96.8 Div&Gr 21.12 +.06 449.6 Advisers 22.88 +.08 +31.7 Stock 50.29 +.23 +432 Hartford HLS IB: CapAppp 54.48 +.54 +95.3 Hennessy Funds: CorGrow 19.93 +.14 +91.6 CorGroll 30.22 +.20+113.3 HoliBalFd n15.67 +.02+20.1 Hotchkis&Wiley: LgCpVlAp23.81 +.15 +82.7 MidCpVal 28.76 +.24+114.0 ISl Fund: r!,,T., f. 7.51 +.03 +15,7 JPMorgan A Class:- I.I1,-.. :, s4 11 +692 JPMorgan SOtcil lntEq n 33.75 +.49 +77.9 JPMorgan Sel CIs: CoreBdn 10.66 +.02 +12.1 IntrdAmern24.84 +.17 NS Janus: Balanced 22.82 +.07 +33.8 Contrarian 15.53 +.12+119.3 CoreEq 24.27 +.13 +633 Enterpr 42.68 +.29 +80,6 FedTE n 7.00 ... +9.5 FIxBndn 9.49 +.01 +13.6 Fund 26.14 +.17 +41.0 GILifeScirn20.32 +.11 +61.5 GITechr 12.33 +.13 +66.1 Grinc 36.96 +.19 +56.8 Mercury 23.45 +.12 +53.8 MdCpVal 22.65 +.10 +80.9 Olympus 33.36 +.20 +61.9 Orion 8.56 +.10+100.1 Ovrmeasr 33.10 +.44+118.4 ShTmBd 2.87 ... +7.9 Twenty 50.26 +.21 469.2 Ventur 57.86 +.55 +87.0 WdidWr 44.38 +.16 +38.1 JennisonDryden A: BlendA 16.59 +.16 +69.1 HiYIdAp 5.68 +.01 +41.7 InsuredA 10.79 +.01 +10.2 Ull.:tyA 14.62 +.12+126.3 JennisonDryden B: GrowthB 15.25 +.07 +55.8 HiYIdBt 5.67 +.01 +39.6 InsuredB 10.80 ... +8.9 John Hancock A: BondAp 14.99 +.01 +16.1 ClasscVlp25.00 +.11 +467.1 StrlnAp 6.90 +.03 +31.1 John Hancock B: " StrincB 6.90 +.03 +28.4 Julius Baer Funds: IntlEqlr 37.79 +.57+102.9 IntlEqA 37.10 +.56+100.8 Legg Mason: Fd OpporTrt 17.00 +.08+102.2 Splnvp 45.19 +.21 +85.3 ValTrp 70.16 +.42 +653 Legg Mason Instl: ValTrlnst 77.25 +.47 +70.3 Longleaf Partners: Partners 31.55 +.11 +48.0 Inl 17.64 ... +73.8 SmrnCap 27.30 ... +82.1 Loomis Sayles: LSBondl 13.69 +.08 +51.4 Lord Abbett A: AfilAp 14.34 +.07 +50.8 BdDebAp 7.85 +.02 +32.5 GlIncAp 6.90 +.04 +17.9 MidCpAp 22.89 +.21 +68.0 MFS Funds A:, MITAp 18.88 +.09 +45.4 MIGAp 13.14 +.10 +38.6 GrOpAp 9.13 +.07 +42.4 HilnAp 3.811 +.01'+37.3 MFLAp 10.14 +.01 +14.5 TotRAp 15.60 +.05 +34.6 ValueAp 23.60 +.07 +61.4 MFS Funds B: MIGB 12.00 +.09 +35.9 GvScB1 9.53 +.01 +6.0 HillnBt 3.82 +.01 +34.6 MulnBt 8.61 .... +13.6 TotRBt 15.60 +.06 +32.1 MainStay Funds B: CapApBt 29.61 +.11 +35.9 ConvBt 13.99 +.09 +36.5 GovtB t 8.23 ... 4.6. HYIdBIt 6.25 +.01 +56.0 IntlEqB 13.37 +.12'+65.2 SmCGBp 16.16 +.07 +55.8 TotRtBt 19.12 +.06 +31.2 Mairs & Power: Growth 72.80 +.40 +54.7 Managers Funds: SpdclEqn 88.40 +.60 +70.1 Marsico Funds: Focus p 18.51 +.05' +58.3 Merrill Lynch A: GIAIAp 17.28 +.13 +72.1 HealthAp 6.90 +.09 +52.7 NJMunBd 10,65 ... +17.5 Merrill Lynch B: BalCapBt 25.26 +.09 +32.4 BaVIBt 31.03 +.16 +46.0 BdHilnc 5.03 +.01 +47.1 CalnsMB 11.59 +.01 +10.7 CrBPtBt 11.59 +.02 +10.0 CplTft 11.76 +.02 +10.6 EquiyDiv 16.18 +.06 +59.1 EuroBt 16.51 +.25 +76.0 FocValt 12.88 +.13 +54.3 FndlGBt 17,63 +.09 +45.3 FLMBI 10.39 ... +15.3 GIAIBt 16.95 +.13 +68.3 HealthBt 5.10 +.07 449.3 LalABt 37.65 +.89+276.2 MnlnBt 7.86 +.01 +12.0 ShTUSG t 9.10 .... 43,0 MuShtT 9.94 ... +2.6 MulntBt 10.23 +.01 +8.8 MNIlBt 10.52 +.01 +15.4 NJMBt 10,64 ... +16,0 NYMBt 11.00 ... +11.4 NalRsTB 150.62 +.55+163.0 PacB I 2340 +.26 +96.3 PAMBt 11,26 +.01 +13.4 ValueOppt23.54 +.12 +73.6 USGovt 10.09 +.01 +62 Ulfimcmt 12.25 +.06 +67.9 WIdInBt 6.21 +.07 +52.8 Merrill Lynch C: GIAICI 16.43 +.13 +68.3 Merrill Lynch I: BalCapl 26.02 +.10 +36.6 BaVil 31.71 +.17 +50.5 BdHiIln 5.03 +.01 +50.5 CalnsMB. 11.58 ... +12.4 CrBPtIt 11.59 +.02 +12.6 Cpli 11.76 +.02 +12.3 DvCapp 23.77 +.37+154.2 EquityDv 16,13 +.07 +64.1 Eurolt 19.24 +.30 +81.6 FocVall 1422 +.15 +59.1 FLMI 10.39 ... +17.0 GIAIt -17.33 +,13 - Heallhl' 7.52 +.10 .'::' LatAI 3939 +.93+288.4 Mnlnl 7,86 ... +14.4 MnShIT 9.4 +.01 +3.7 MurlI 10.23 +.01 +9.8 MNatll 10.52 +.01 +18,0 NalRsTrt 53.81 +.58+171.0 Pad 25.46 +.27+102.3 ValueOpp 26.35 +.14 +79.0 USGovI 10.09 +.01 '+8.6 UtMlcrnt 1227 +.06 +71.9 WIdbncl 6.21 +.06 +56.4 Midas Funds: MidasFd 3.20 +.06+105.1 Monetta Funds: Monettan 12.32 +.10 +53.8 Morgan Stanley A: DivGlhA 33.66 +.04 444.5 Morgan Stanley B: GIbDvB 15.00 +.11 +582 GrwthB 14.25 +.07 +52.6 StratB 19.18 +.11 +44.9 MorganStanley Inst: . GValEqAn18.34 +.12 +562 IntlEqn 21.12 +.19 +73.3 Muhlenk 86.52 +.37+97.4 Under Funds A: IntemtA 21.30 +24+102.5 MutualSeries: BeacnZ 15.79 +.09 +62.5 DIscZ 26.82 , QualcdZ 2024 .-': SharesZ 24.36 +.14 +59.8 Neuberger&Berm Inv: Focus 33.19 +.27 +68.4 Ilntr 22.54 +.29+136.5 Partner 28.92 +.14 +93.0 Neuberger&Berm Tr: Genesis 49.99 +.32 +84.7 Nicholas Applegate: EmgGrolnIn.93 +.11 +73.8 Nicholas Group: HilncIn 2.11 ... +35.7 Nichn 59.16 +.24 +51.1 Northern Funds:' SmCpldxn10.77 +.08 +79.5 Technlyn 11.95 +.12 +52.5 Nuveen Cl R: InMunR 10.83 +.01 +13.5 Oak Assoc Fds: WhitOkSG n33.10 +.35 +35.6 Oakmark Funds I: Eqtylncrn25.32 +.11 +48.7 Globalln 24.15 +.21 +96.9 InUlirn 2329 +.20 +88.8 Oakmark r n41.39 +.06 +37.0 Selectrn 33.22 +.06 +46.0 Old Mutual Ady II: Tc&ComZnl2.76 +.06 62,5' Oppenneimei A i.slfup 4534 +.531 47. ,r,ITFtl], r"' ,111 ,. ; IEquI~yA 105, I 4 .0 " CapApAp43.91 60 .19 432 CplncAp 12.03 +.04 2+140.6 ChlncAp 9.6 +.02 +41.0 DvMktAp 37.94 +.51+217.5 Discp 45.34 +.53 +47.9 EquyA 10.75 +.06 +50.6 GlobAp 68.91 +.60 +97.3 GIbOppA 38.23 +.52+140.4 SGoldp 25.13 +.53+111.8 HiYdAp 9.36 +.01 +41.8 IntBdAp 5.05 +.05 +53.9 LdTmMu 15.78 ... +24.1 MnStFdA 37.92 +.01 +45.5 Midlctpt 185 +.07 +2.7 HiY.id,. ; i .7 +.02 +28.7 StrinAp 422 +.02 +37.8 USGvp 9.54" +.01 +9.8 Oppenheimer B: AMTFMu 10,09 +.01 +24.0 AMTFirNY 12.85 ... 18.6 CplncBt 110 +.03 +46.7 ChlncBt 9.35 +.02 +37.9 EquToty 10.32 +.06 1+461 HiYIdBt 9.22 +.02 38.6 Strlnc10Bt.5 423 +.01 +14.4 Oppenhem Quest : QBalA 18.15 +.09 +46.0 Oppenheimer RoFunds A: ToRtAd 10.54 +.01 +14.3 PIMCO Insti PIMS: . AIIAsset 12.82 03 + 393 PIMCO Funds A: RealRtAp 11.1106 +.01 +21.5 TonRIA -10.54 +01 +13.6 PIMCO Funds D: TRtnp 105429,33 +.01 +14.1 PhoenlxFunds A: BEurSelanEA 14.71 +.04 +28.5 CapGrA 15.76 +.03 +3.9 InllA 11.085 +.13 +78.9 Pioneer Funds A: BalMdCpGrAp 10.06 +.17 +25.5 BondAp 9.20 +.01 +18.9 EqlncAp 29,33 +.12 +50.5 EurSelEqA 33.86 +.47 +86.5 GrnthAp 12.79 +.08 +36.9 InalVlA 21.00 +27 +80.0 MdCpGrA 15.16 +.12 +52.4 MdCVAp 23.76 +.16 +78.5 PionFdAp45.05 +.24 +46.1 TxFreAp 11.63 +.01 +16.0 ValueAp 17.86 +.05 +51.4 Pioneer Funds B: HiYIdBt 10.87 +.04 +41.3 MdCpVB 20.79 +.14 +73.7 Pioneer Funds C: HiYIdCl 10.97 +.04 +41.4 Price Funds: Balance 20.09 +,07 +41.8 BIChipn 33.39 +.16 +48.2 CABondn 11.01 +.01 +13.3 CapAppn 20.44 +.12 +54.5 DivGron 23.23 +.10 +43.6 Eqlncn 26.40 +.12 +49.2 Eqlndexn 34.23 +.13 +46.6 Europe n 17.88 +.23 +75.6 FLIntmn 10.79 .., +8.2 GNMAn 9.51 +.022 +9.8 Growthn 28.99 +.17 +52.4 Gr&lnn 21.03 +.14 444.1 HthSci n 25.57 +.23 +80,6 HiYieldn 6.93 +.01 +40.0 ForEqn 18.10 +.18 +77.8 InllBond n 9.58 +.08 +25.2 InlDisn 42.82 +.43+168.0 IntlStkn 15.36 +.15 +76.2 Japann 12.19 +.37+1432 LatAmn 26.86 +.66+262.3 MDShrtn 5.13 ... +3.6 MDBondn10.69 +.01 +12.7 MidCapn 55.12 +.50 +86.0 MCapValn23.79 +.16 +79.0 NAmern 32.39 +.23 +54.0 NAsian 12.16 +.11+131.7 NewEra n 42,92 +43+130.4 NHorizn 32,45 +28 +97.1 NIncn 8.99 +01 +14.6 NYBondn 11.34 +.01 +13.4 PSIncn 15.26 +,06 +37.5 RealEstn 19.95 +.07+113.5 SoiTecn 20.12 +25 +53.7 ShlBd n 4.69 +.01 +7.5 SmCpStk n33.47 +.20 +71.7 SmCapValn37.73+.16 +88.1 SpecGrn 18.66 +.13 +68.6 Specinn 11.88 +.04 +27.8 TFInen 10.00 ... +14.4 TxFrHn 11.93 ... +21.7 TFIntmn 11.13 ,+.01 +93 TxFrSIln 5.34 ... +5.6 USTIntn 5.34 +.01 +6.1 USTLgn 11.90 +.01 +16.4 VABondn 11.65 +.01 +134 Value 23,80 +.12 +57,3 Putnam Funds A: AmGvAp 8.94 .. +6.7 AZTE 923 ... +12.8 ClscEqAp13.53 +.08 +42.0 Convp 17.76 +.13 +49.4 DiscGr 18.88 +.16 +49.7 DowrlnAp 9.95 +.02 +34.6 EuEq 23.80 +.30 +74.2 FLTxA 9.16 ... +11.7 GeoAp 18.17 +.06 +31.7 GIGvAp 1223 +.07 +22.5 GIbEqty p 9.43 +.09 +60.6 GrInAp 20.11 +.08 +46.5 HIthAp 63.68 +.51 +42.5 HiYdAp 7.97 +.02 445.8 HYAdAp 5.99 +.01 +46.1 IncmAp 6.78 ... +12.5 IntlEqp 27.23 +.31 +71.2 IntGrlnp 13.98 +.12 +94.2 InvAp 13.85 +.08 +55.0 MITxp 9.01 ... +11.6 MNTxp 9.01 ... +12.8 NJTxAp 9.23 +.01 +12.5 rin I... :, ,.i41 +.39 +59.0 .:.i :, . l +.09 +55.6 *PATE 9.11 ... +13.4 TxExAp 8.79 ... +14.3 TFInAp 14.91 +.01' +11.8 TFHYA 12.95 ... +20.6 USGvAp 13.18 +.02 +8.1 UtlAp 11.18 +.05 +64.3' VstaAp 10,94 +.11 +76.2, VoyAp 17,76 +.10 +35.9 Putnam Funds B: CapAprt 19.40 +.09 '+52.3 CIscEqBt 13.43 +.08 +38.9 DiscGr 17.39 +.15 +46.4 DvrinBt 9.87 +.0 +31.7 Eqlnct 16.96 +.05 +45.6 EuEq 23.05 +29 +70.4 FLTxBt 9.16 +.01 +9.6 GeoBt 17.99 +.06 +28.8 GIlncBt 12.18 +.06 +19.8 GIbEqt 8.63 +.08 +56.9 GINtRst 27.61 +.22+117.5 GrInB t 19.81 +.07 +43.2 HIlhBt 57.40 +.46 +39.3 HIYIdBt 7.93 +.02 +42.5 HYAdBt 5.92 +.01 +43.1 IncmBt 6.74 +.01 +10.1 IntGrInt 13.78 +.12 +89.9 IntlNopt 13.19 +.14 +78.1 InvBt 12.74 +.07 +51.7 NJTxBt 9.22 +.01 +10.3 NwOpBt 41.96 +.34 +55.5 NwValp 18.07 +.07 +56.0 NYTxBt 8.65 +.01 +10.0 OTCBt 7.16 +.08 +52.0 TxExBt 8.80 +.01 +12.1 TFHYBt 12.97 ., +18.4 TFInBt 14.93 +.01 +9.6 'USGvBt 13.10 +.01 +5.5 UtiBt 11.13 +.06 '+60.8 VistaBt 9,.53 +.10 +72.0 VoyBt 15,53 +.08 +32.8 RiverSource/AXP A: Discover 9.72 +.08 +97.2 DEI 12.18 +.07 +89.0 DivrBd 4.82 +.01 +12.7 DvOppA 7.62 +.03 +41.8 GIblEq 6.87 +.06 +72.8 Growth 29.42 +.22 +41.8 HIYdTEA 4.39 ... +12.1 Insr 5.6 +.01 +10.8 Mass 5.33 +.01 +10.8 Mich 5.25 +.01 +12.1 Minn 5.27 ... +12.2 NwD 20.11 +.10 +28.3 NY 5.05 +.01 +11.1 Ohio 5.26 ... +10.3 SDGovt 4.74 ... +3.8 RlverSource/AXP B: E iii.'. in .4 +.06 +64.2 . Royce Funds: LwPrStkr .... tA MlbroCapl1652'-- t" Premier r 17.20 ,II ToltRellr 12.82 +.06 +65.6 Russell Funds S: DivEqS 45.78 +.21 +51.8 QuantEqS 39.00 +21 +50.6 Rydex Advisor: OTCn 10.89 +.10 +57.0. SEI Portfolios: CoreFxAn10.36 +.02 +13.6 IntlEqAn 12.84 +.15 +82.3 L.'I" ;,,~. 4~ +.10 +42.1 L l' V:'i .;l. 'I 1 +.09 +58.3 STI Classic: CpAppAp 11.86 +.04 +20.3 Cldoi.i f. rII 4. .A *IlAA Q)i>:,: i n'-.J i. +26.7 TxSnGrIp 25.69 +.10 +30.6 Salomon Brothers: BalancB p 13.00 +.04-+25.3 Opport 52.15 +.40 +54.6 Schwab Funds: 10001nvr 36.96 +.16 +49.7 S&PInv 19.59 +.08 +46.5 S&PSel' 19.65 +.08 +47.3 SmCplnv 23.46 +.18 +75.4 YldPlsSI 9.66 +.01 +9.2 Scudder Funds A: DrHiRA 46.17 +.16 +59.7 FlgComAp 19.71 +.22 +68.6 Scudder Funds S: E.TAn, 1 1 +.08 +69.11 ETi.,l. I .:. +.31+162.2 11:~~.. .1 1 n +.05 +17.3 4.il:'.. .i' 1 +.45+123.5 GlobalS 31.52 +.35 +91.3 Gold&Prc 20.93 +.44+126.7 'GrEuGr 31.26 5+.41 +78.0 GrolncS 22.24 +.07 +46.1 HiYIdTx 12.84 ... +18.0 Incomes 12.74 +.01 +14.4 IntTxAMT 11.22 +.01 +9.7 Intl FdS 52,54 +.55 +77.4 LgCoGro 25.90 +.09 +39.8 LatAmr 49.04 +1.24+230.5 MgdMuniS 9.13 ... +13.0 MATFS 14.33 +.01 +12.2 PacOppsr 16.71 +.18+107.4 ShtTmBdS 9.96 +.01 +6.4 SmCoVISr24.75 +.16 +79.0 Selected Funds: AmShS p 40.97 +.08 +60.4 Seligman Group: FrontrAt 12.72 +.08 448.9 FrontrDt 11.12 +.07 +45,4 GIbSrmA 17.21 +.21+101.0 GIbTchA 14.15 +.20 +55.8 HYdBAp 3.32 ... +32.4 Sentinel Group: Com SAp 30,59 +.14 +52,2 Sequoia n157.17+1.05+32.3 Sit Funds: LrgCpGr 38.00 +.19 +54.7 Smith Barney A: AgGrAp 109.69 +.68 +67.3 ApprAp 14.68 +.05 +40.4 FdValAp 14.96 +.09 +53.6 HiIncAt 6.77 +.02 +43.8 InAICGAp 13.15 +.11 +69.7 LgCpGAp23.53 +.12 +52.1 Smith Barney B&P: FValBt 14.02 +.09 +50.1 LgCpGBt 22.12 +.11 +48.8 SBCplnct 17.21 +.08 +56.7 Smith Barney 1: DvStri 16.59 +.05 +25.2 Grin1d 16.14 +.05 +44.7 St FarmAssoc: Gwth 50.58 +.30 +42.0 Stratton Funds: DModendx34.95 -.06 +70.6 Growth 45.38 +.18+100.1 SmCap 44.44 +.25+111.8 SunAmerica Funds: USGvBt 9.39 +.01 +6.8 SunAmerica Focus: FLgCpAp 19.33 +.15 +51.1 TCW Galileo Fds: SelEqty 20.89 +.17 +73.2 TDWaterhouseFds: Dow30 ... ... 0.0 TIAA-CREF Funds: BdPlus 10.16 +.02 +12.6 Eqlndex 9.14 +.04 +52.6 GroInc 13.13 +.08 +45.0 GroEq 9.82 +.05 +41.4 HiYIdBd 9,10 +.02 +38.0 IntlEq 12.52 +.13 +93.2 MgdAic 11.56 +.05 +42.6 ShtTrBd 10.35 ... +7.6 SocChEq 9.88 +.05 +53.9 TxExBd 10,74 +.01 +13.6 Tamarack Funds: EntSmCp 28.45 +.16 +67.9 Value. 39.29 +.09 +40.5 Templeton Instilt: EmMSp 19.70 +.35+155.1 ForEqS 23.17 +.29 +98.1 Third Avenue Fds: Intlr 21.63 +.15+136.1 RIEstVIr 29.82 +.11+103.1 Value 55.76 +.42+101.1 Thrivent Fds A: HiYId 5.07 +.01 +44.0 Incorn 8.63 +.01 +15.8 LgCpStk 26.89 +.08 +35.2 ~,- hAW Ohs %ft n~vu 9~ i At 12 8cft C. M ad.45. (Ms, I . TA IDEX A: FdTEAp ... ... 0.0 JanGrowp26.53 +.10 +61.9 GCGIobp 26.56 +.22 +38.8 TrCHYBp 9,08 +.03 +32.8 TAFIxlnp 9.42 +01 +13.9 Turner Funds: SmlCpGrn26.15 +.29 +90.0 Tweedy Browne: GlobVal 26.85 +22 +72.4 US Global Investors: AllAmn 27.10 +28 4+4.7 GIbRs 15.03 +.74+297.7 GIdShr 11.67 +.97+116.1, USChina .... ... NA WIdPrcMn 21.90 +1.58+164.9 USAA Group: AgvGt 31.88 +.12 +56.5 CABd 11.15 +.01 +15.1 CmstStr 26.34 +.12 +45.7 GNMA 9.62 +.01 +9.0 GrTxStr 14.49 +.03 +34.1 Grwth 15.51 +.05 +52.4 Gr&lnc 18.85 +.10 +52.2 IncStk 15.52 +.06 +47.9 Inco 12.23 +.01 +14.1 Intl 2430 +29 +80.6 NYBd 11.99 ... +15.3 PrecMM 22.84 +.38+122.6 SaTech 10.91 +.13 +72.9 ShtTBnd 8.85 ... +9.2 SmCpStk 13.84 +.06 +63.6 TxElt 13.18 +.01 +13.5 TxELT 14.07 +.01 +17.9 TxESh 10.63 +.01 +6.6 VABd 11.62 ... +14.3 WidGr 18.40 +.14 +64.8 Value Line Fd: Lev Gtn 22.92 +.21 9.0 Van Kamp Funds A: 'CATFAp 18.55 +.01 +12.7 CmstAp 18.05 +.07 +57.6. CpBdAp 6.63 ... +19.0 EGAp 42.84 +.33 +46.6 EqlncAp 8.82 +.04 +46.7 Exch 380.00 +3.00 +42.1 GrInAp 20.98 +.11 +58.3 HarbAp 14.71. +.08 +33.9 HiYIdA 3.52 ... +38.1 HYMuAp 10.93 +.01 +24.9 InTFAp 18.48 +.01 +13.1 MunlAp 14.67 .1r PATFAp 17.33 i +I :1 3 StrMunlnc 13.27 +.01 +21.0 US MtgeA 13.66 +.01 +83 UtilAp 19.25 +.05 +62.5 Van Kamp Funds B: CmslBt 18.05 +.06 +54.0 EGBt 36.51 +.28 +432 EnterpBt 12.26 +.06 +35.0 EqlncBt 8.68 +.03 +43.4 HYMuBt 10.93 +.01 +22.3 .MuIB 14.63 ... +11.1 PATFBt 17.28 +.01 +10.8 StrMunlnc 13.26 +.01 +183 USMtge 13.61 +.02 +5.8 UtIJB 19.21 +.06 +58.9 Vanguard Admiral: CpOpAdl n78.35 +.80 +96.6 ExplAdrml n71.55 +.62 +80.5 500Admln117.28 +.46 447.7 GNMAAdn10O.34 +.03 +11.3 HlthCrn 60.27 +.54 +60.2 HiYldCpn "6.18 +.01 +31.3 HiYIdAdmnl0.80 ... +172 iFbTAlT.Tiid i.'4. .01 +15.0 ITf .),TI r, 1 o ... +10.9: Lh.Ti 1, 0:2 +.01 +5.9 MCpAdmln81.84 +.61 +84.5 PrmCap r n69.66 +.2 +76,9 . STsyAdml n10.35 +.01 +6.4 ShtTrAdn 15.54 +.01. +4.7 STIGrAdn 10.53 +.01 +9.6 TliBAdmInlO.08 +.01 +12.3 TStkAdmn30.63 +.15 +55.6 WelslAdm n51.46+.07 +23.0 WeltrAdm n53.14 +.14 +43.6 Windsorn 59.23 +.36 +62.6 WdsrllAd n56.69 +.17 +63.4 Vanguard Fds: AEIaL.' ', +.10 +45.6 . iTrn i 11 +.01 +13.9 , i.':l'l3* +.35 +96.0 ll-.nl, I:i, +.12 +502 DivdGron 12.67 +.07 +48.3 , Energy 58.96 +.60+173.3 Eqlncn 23.20 +.09 446.8 Explrn 76.87 +.67 +79.6 FLLTn 11.65 +.01 +13.4 GNMAn 10.34 +.03 +11.0 Grolncn 32.62 +.16 +51.9 GnthEqn 10.71 +.09 +55.5 HYCorpn .18 +.01 +30.9 HlhCren142.79 +1.28 +59.8 InflaPron .12.19 +.01 +21.5 InllExplrn 18.68 +.27+156.7 InUlGrn 21.92 +.30 +86.5 InVan 36.38 +.55+103.9 ITIGraden 9.80 +.01 +14.9 ITTsryn 10.95 +.01 +9.7 UfeCeonn 15.69 +.06 +31.5 UfeGron 21.47 +.13 +54.0 Ufelncn 13.60 +.03 +21.5 ULeModn 18.80 +.09 +42.9 LTIGraden 9.51 +.01 +23.9 LTrsryn 11.56 +.01 +19.7 Morgn 18.19 +.15 +60.2 MuHYn 10.80 ... +16.9 MunsLgn 12.64 +.01 +14.2' Mulntn 13.34 ... +10.7' MuLldrn 10.72 +.01 +5,7 MuLongn 11,27 ... +13.6 MuShrtn 15.54 +.01 +4.5 NJLTn 11i84' +.01 +13.0 NYLTn 11.29 +.01 +13.2 OHL1TEn11,99 +.01 +1323 PALTn 11.37 +.01 +1323 PrecMls r n24.70 +.50+1572 Pimcprn 67.12 +.59 +76.1 SelValurn19.16 +.17 +78.6 STARn 19.95 +.10 +47.4 STIGraden1O,53 +.01 +9.3 STFed n 10.27 ... +5.7 StratEqn 22.44 +.1 +869.9 USGroen 18.34 +.07 +47.5 USValuen 13.73 +.06 +55.7 Wellsly n 21.24 +.03 +22.6 Weal n 30.77 +.08 +43.1 Wndsrn 17.55 +.10 +62.0 Wndslln 31.93 +.09 +62.8 Vanguard Idx Fds:. 500 n 117.27 +.45 +47.3 Balanced n20.08 +.06 +36.9 EMktdn 20.02 +.35+167.6 Europe n 28.97 +.39 +6.4 Extend n 35.02 +.26 +88.2 Growth n 28.13 +.16 402 TBnodn 10.38 +.01 +14.8 LgCaplx n 22.84 +.09 NS MidCapn 18.04 +.14 +84.1 Pacifcn 11.74 +.16+106.0 REITrn 20.29 +.08+100.8 SmCapn 29.18 +.22 +88.2 SmCpVIn 14.88 +.09 +81.0 TotBndn 10.08 +.01 +12.1 Totllnlln 14.80 +20 +99.5 TotStkn 30.63 +,15 +55.3 Value 22.73 +.07 +61.3 Vanguard Instl Fds: Inslldxn 116.34 +.45 47.8 InsPIn 116.35 +.45 +48.0 TolBdldxn 50.90 +.06 +12.3 lnsTSlrPlusn27.57 +.13 +56.2 MidCplstn 18.08 +.13 84,8 ToBIstn 10,08 +.01 +125 TSInsln 30.63 +14 +55.8 Vantlagepoint Fds: Growth 8.89 +.06 438.2 Victory Funds; DVsSIA 17.41 +.13 +62.6 Waddell & Reed Adv: CorelnvA 620 +.03 +39.6 Wasatch: SmCpGr 37.42 +26 +65.1 Weltz Funds: Value 35.82 +.13 +43.9 Wells Fargo Adv: CmStkZ 22.26 +.19 +70.0 Opptylnv 45.86 +.37 +72.5 Western Asset: CormPlus 10.42 +.02 +21.2 Core 11.26 +.02 +16.6 William Blair N: GrowthN 11.51 +.07 43.9 IntlGlhN 26.29 +26+f09.8 Yacktman Funds: Fundp 14.81 +.04 +43,2 U Ww din -u w 4D- OE.---low- -4b~ 411b -mob ~ -0'0 - - Up to $1,600 In Rebates and 10% DISCOUNT For full payment upon completion LENNOX INDOOR COMFORT SYSTEMS A better placeTm 4811 S. Pleasant Grove Rd. lnverness, FL AIR_____ ___.726-2202 795-8808 LIC #CMC039568 - - A E AIR FAS PRICES MARKED 20% BELOW RETAIL GI FTSTe SEF. :14 :14 ellS S ^*'iTTc^^n^H MUTUAL FUNDS I THuRsii&y, JANuARY 5, 2006 9A "TTRTNERSS rIT1,TrI. r "I ry /t L unCrONIC L CITRUS C mumommlow QAMWW ! Q - .0 . * d" -s i d pos -- "Copyrighted Material - Syndicated Content Available from Commercial News Providers" "" " "Building Beautiful Homes, - ...and Lastin Relationships! r "-- '1-800-286-1551 or 527-1988 5685 Pine Ridge Blvd STATE CERTIFIED Ct3CO4r2359- ; w- - -W Offl --. Get CREATE 0 0 Designers, manufacturers 410. a- M FLOOR BASED GAcustomcloset systems 4 W at affordable prices. --11111111- 4 Custom, Closets .44-00 4 Garage Systems d b. eb f Home Offices IOA THURSDAY JANUARY 5, 2006 ' "The critics were asking that we ! postpone consideration of the causes of poverty until no one was poor. John Kenneth Galbraith r11 oin C TRUS many differ with my choice, but not my right to choose." David S. Arthurs publisher emeritus NEEDY ALWAYS NEED HELP End of holidays should not end our compassion F rom the onset of their "52 Thanksgiving to when tin- feeding seled trees are stored families away in boxes, the admirable their fac: commitment to help others rang tinued loud and clear in Citrus County. Citrus C Sharing those holiday main- facilitate stays of festive meals and good- to 15,00( will to all has developed into an month; c impassioned community goal Resource that those who may have gone just toys, hungry or not have companion- ilies w ship or do not have the basic Novembe necessary comforts should not And ho be wanting during this season. be remind In the true fashion of the gen- Jim Pitts erosity that so often identifies ty of Bill this region, people in all walks Frank's ] and fashions of life stepped up to see that others THE ISSUE: were taken care Feeding those of during this sea- in need. son. Organizations, OUR OPINION: businesses, class- Helping others is a rooms, families. H year-round neighborhoods year-romise and churches promise. were valiant in their drives to bring, not just ests, ne' toys, but food and comfort to oth- tions, th ers. viding mi Canned goods stocked church no less t pantries, soup kitchens fed the Day. hungry, charitable agencies The p demonstrated. their unending empty, tl care and concern, and the volun- li vered, teer network which threads this turned ~ community reached out to hun- tinued r dreds. commur It is not surprising to hear Jim Pi such activities as the Shepherd charitab of the Hills Episcopal Church. dant up( providing 2,402 pounds of food to non-stop others, in November; of the munity,a Salvation Army averaging 300 the hun meals to the homeless through day of th Pick-Up" program and close to 75 additional each month through ility; to hear of the con- accomplishments, of County Harvest which es the distribution of 10 ) pounds of food .each or to witness the Family e Center provide, not but more than 360 fam- ith food staples in er alone. ow touched we were to ended of the dedication of who, with the generosi- and Wineski, owners of Family Restaurant, took it upon himself to deliver hot meals on .the weekends and hol- idays for the past nine years to those who were visited on the weekdays through the federal Meals. on Wheels program. But now, even as the new year sparks com- mendable new inter- w goals and new ambi- e need to assist in pro- neals to those in need is han it was on Christmas pantries could become he meals could be unde- the homeless will be away of not for the con- esponsiveness from this nity. tts is looking fot helpers, ble agencies are depen- on contributions and the p attention from our com- as a whole, to the need of gry is critical every he year. 400Ma 4wo - - .- m - .0 .-I" S0111. -- 1 0.- -b 1---ii W- 0- --0 - W allow alo- Q .0W 01----0 qa- .1- 4. .00 -M e ii d -Available from Commercial N- -111 swimmoqu, I ,llloW 4 ao.- olft-, 4 11110 a sp M0 N- _- --4*- * a -. * f -.000M (p S loo-..a-f, 1a a --NO -mo ** * 4M "CopyrightdUP - -. w * .. --.- e- - * -. ft-mm NMO Syndicated Con' Available from Commercial N( "W-so .-i a nee- - * -e m e m ** - a e m ae** * *- * mWb *~ AM -MMOn -0* nm 4-4- - a,,,, :,=*mf-milii -O t Smm WqW ol fwm-.0q- GOMlweslii- to.- - --Mme W- -w-4W* 40 no 400.0b alm-sm. __0 "_- 410490 4W 410-401 4111110-W -0M . -ftl ~ a q aim d,10alu no4 gap - .9- 1 opo. 04b 4um0 40om ,Pmdl- aMlwp 0 * S -go m- SOW 0 m -mnf -m mmm 000 mmdw 4 .00 M mom -l u 4 40 upme- mao 4 u ml T c-t 4wmp-mm-4 3te ri a IE te n t -a -t t 0 ews Providers". amimm -m f- -m -m 4 400 dim -me 0 e_ m ~ 0 4. we 4- 0 amom m ai- -- -mm4-0 MW msomew - comn 0010 United Way needs your help If every Citrus County family donated $25 to United Way.this holiday season, the fundraising agency would meet its goal of support for the 23 nonprofit r agencies in our community. We urge residents to get involved and send in a check. Your contribution Langford mourned I am sorry to see that when you had the notable deaths of 2005, you didn't have Frances Langford, who grew up in. Citrus County. She passed away in July 2005. It is sad when your own county can't say something nice about the person. What good things? CALL 563. Somebody called in and was talk- ing about all the good things that are going on in this country as a result of the Bush administration. Unfortunately, they forgot to name any of those good things. I wonder if there is a reason for that? Perhaps they couldn't think of any. School pictures I would like to know why, when they take pictures of the other county schools, Citrus Springs Elementary is never in the paper. They are one of our county's schools, too, you know. can be mailed to The United Way of Citrus County, do the Citrus County Chronicle, 1624 , N. Meadowcrest Blvd., Crystal SRiver, FL 34429. Checks can also be dropped off at the Chronicle office in Crystal River, Inverness or Beverly Hills. Airboat parade f We want thank the air- boaters in Hernando for another great parade Dec. l ,. 10. Santa was enjoyed by my grandchildren. All they could talk about was the z chocolate chip cookies 'Santa liked. I understand 05 that the Citrus County air -0579 -boat alliance also donated' toys for the event. We all look forward to next year. The paper never gave a thank you, so we all from Hernando will. Dungy's son It is nice that all the people are sympathetic toward Tony Dungy's son. People need to start figuring out why people commit suicide and try to prevent it from happening. Small savings I wonder if senior citizens really realize what a small percentage of savings they will actually receive under the 2006 Medicare B pro- gram? *~1I ) LETTER to the Editor Hancock visit I wanted to fill everyone in on how the trip to Hancock County went, because the community worked so hard to give these children a good ,Christmas.' Charlie Krammer, a friend, drove the truck We arrived in Bay St. Louis. -We stayed with Disaster Relief Corp. This group goes in and cleans up homes at no charge. They are regular people who give a lot. I could go into the heartbreak we saw, but I will share some stories that should make your heart grow. We encountered a grandmother of nine who is disabled, as is her hus- band, and the community was able to provide Christmas for her nine grand- children. Parents were coming up asking for gifts to put under the tree to provide for their children. A little boy, 4, loved his Nerf foot- ball. The girls all loved their Barbies. Some toys went to fulfill Head Start wish lists. We drove to the Bay St Louis bridge, or what is left of it, and some- one had put up a Christmas tree with all the trimmings. There was a lot of Christmas spirit OPINIONS INVITED The opinions expressed in Chronicle edi- torials are the opinions of the editorial board of the newspaper. Viewpoints depicted in political car- toons, columns or letters do not neces- sarily represent the opinion of the edito- rial bcard . hometowns will beprinted;llne.com. going. We saw a boy about 11 and girl about 8 playing byh the bridge near what used to be their home. So the look of joy and happiness when we handed them a basketball and Barbie and, more important, the sound in their voice made it all worthwhile. These people are amazing. I can't say that enough. I have to make a special thank you, to the Homosassa Fire Department I Not only did its members donate toy& but they were right here to help load4 the truck with me. Hope you guys enjoyed your pizza. It was a small token of my apprecia- tion. In Bay St Louis, its fire departmeir was right there to help with Santa. I had to laugh because the girls wanted pictures more with the fireman than with Santa. An extra-special thanks goes to Charlie for making that long drive. IM was a firefighter during the 1989 California earthquake and the Oakland fires, and all he could say was: "Oh, my God." He was a big helo. As I start my next project for Hancock County, I hope Citrus will be right there to help. We have a lot of awesome people here. This would not have been poss:- ble without each and every oine of you. Be proud-' I know I am. I wish everyone has a safe and Happy New Year. Lori Allen Homosasa. CITRUS COUNTY mqw- W- AA: 1%TA'1'TC~J THURSDAY, JANUARY 5, 2006 hA - ft- a.. - a .~ a. a. a. - --.4b ' :-__ onhtedMaterial Availarom ommercial News Pro -a.- -ow a f. 4i -MO Mamai 4- -.10.m vsm, NP .- *00 ~-0 i=a W4pso 41. 40-40111 ql ass. GN 40 -q pw amw 0 Sm- 1pNo mnnw-- 1 a. MINOW ..dm aNO NIO im- -s, MOW -4w am - On. - a.- --mommi ft 411, me 4b. ft- O _-09 a, 4 mmw t - a. o Nna. W. -s 41ow No wo B-%.NNW---ql 41m, -Nno -n Nun .o M-s-ow,-NO w- a. *41ba wo-a -mno .00 a N% a.w am -WO -pif .- a to. 4o manowi QW..44 m--wo 1 qmw0 w. .-qb 40D 411b ft aft- -amgw OD ON naf- -ow qmgb -o 40a. 0..N -M a.w O em ~ ft. -.MO No ftww- on- m - a. a. 41 0-- 4WD a G- -a.-qm ob ft a aft- 41b4 -Oo O.Mlw *0a41 a. Wwb amp Mop. m -.90o w Now .w a.omoo fta. - ft S-o -om owlm I.* qw.- 4*1b _ 40-- a. a. -- o 40- a. an-* dp 4md- a-qmo w -mwm .0p 4w -O coe 4b- A. - 40- at. a. a.- M-~ doom- mm. -a .' Safeguard Your Home t from Tropical Window recommends PGT WinGuard Impact-Resistant Windows and Doors for full-time protection against flying debris and hurricane-force winds. WinGuard windows guard against hurricanes, intruders. noise and also provides enhanced energy efficiency. (352)795-4226 Visit our Showroom. 1731S. Suncoast Blv., Homosassa (US 19) F ww.Se 0op 0 0 LIC. #CGC038593~ 4- a. lm- "- *0101 1m 400". 00 d 401 WNW 0 -a.animo - -.& mmnsG- me 0 lp mno MOa .m 44 mormo 9mm qD w - .90--0404 1b -.q a.-b- amo ".. 4=0 - -Emo-a"- SEarly registration: Must be postmarked no later than January 15. Completed form must be signed and include $10 payment.You will receive a Dash Plaque and five People's Choice Nominations for Best Car in Show. 1 Come out for the food, raffles, music, door prizes, dash -' plaques and camaraderie of car lovers. Proceeds to benefit NAMI Citrus and Marine Corps League Trike Fund !gg For more information, call Rosella at 352-746-2545 or chef8465@earthlink.net T H OM A S V I L L E winter home S A L E' SALON m aemm69 i 1, 00 OFF TUITIONI bFor starting in the January 16th, 2006 class. Bring this coupon to enroll. THO1IMASVILLE HOME FTJURNISHINGS 2300 S.W. 17T" ROAD OCALA, FLORIDA (352) 873-4780 '9 MONDAY-FRIDAY 10-6 SATURDAY 10-4 Visit our Gainesville location: (352) 374-4457 Roba offer good only on iomasvIl oood, uphotel or mattress chasmad. between Janu 5 0 and Janua 16,200. Sale pces effect 1/50 1/301 CITRUS COUNTY (FL) CHRONICLE ftw l m ' THuitsmy, JANUARY 5, 200611A MA'rTIO:)N a.lo --a - B- n- a.w a. dmo m 1 4h b lbmIima cw - - dbm- --M --a- ---am -"oo ft - a W .a k1--- 12A THURSDAY JANUARY 5, 2006 CIT.us-C l -.yc =NCL '~ ~- , - - a we - 5- - C - C C- - ___ a. - - S - S S * - -. ----~* - - - a- ~- - - .~ C. - C - - C a.. ~ - C -~ C - -~ -- - * CC C CC - CC ~ C 0 - 0 - do- -90 qu .M-. -anoe-4 4.00- -0- 40 - .- 4,- md*- - alb. 4m.saw 0 41b-MM ona-f 4w *- mw -- - WM S --ow - - 5-.a Imano ~- *- . qrdl -44p - mao- a dub No q ft .E-~ 0 4w4%p 4w 4ftmb -bo- Im mdb 4wo* 40mom m 0qulok -f Gbm am- o 40 40C o 4mo 4b f 4op * "m -op- o d 4w Cfm ob 004 Com- -1 obOP-OO -0 qlm -m4W 41 d 4m e 0 4 C amo 00 %040 a 4-O t -411 mo 0mmm L: ..w,0 op t wm Mwanmem b-qf ~ fow do-S --owp 4 0 40ilm am *fw o - alli 4 0 41 0C dbw ____ wC 414 GOP: for o an- -um *a oqu-* opON a op a mo momftwn- -a m le sma-M .* -.- 4f- 4f -of*m E -anow0 qw - 0 oop ONO copyrighted Material ynadicated Content= le from Commercial News Pro ft- a - ENO CC a.-a. - * - U -a *-~ a. - **~ momm nw -4bcm am- ~ f C. 0- ddb 4 qft 0 ag 4mm0 mmdo om 410W *4m doom-* a_ own& __w a a. %Nw mmm-% omo- " -WA 0 OCAI -a- 4 S00 Gmm 00 -mm d-Nw mhl o- mml %A q - =I -tp -. -40104 eqm4qmw .v C r - ftanwa mm- m4O m4m Gomf o melo0 40 we 4 soa *~M - -~ M- slow-- Gloom- doom- 4b - .4b a.-C -a C C C- C. C a.. C -~- C. - 4w0- omMO 4am4ho b f a - a 4b -.b a - -m=, a a= C .-=, * C - C - - - 40 40 40 ft- 0.. di mmods -C --.mo lo C d a 1~ vwmw o T87wiemB mwdor come doom f do& Ready to Rumble Sla take the ,I,.,ng road to S^i the'plrayorfI . ,: ,^ PAGE _ THURSDAY ../ JANUARY 5, 2006 "<. :-- .......~ r...,:o -,. ,:.. IOs.. , r^ : BRIAN LaPEII -R,, I riorc, Craig Frederick amassed a 010IV _ 4-16 record in two years as head coach at Crystal River. CR 7 coach fired I 4 Frederick let go after back-to- cl back 2-8 seasons JON-MICHAEL SORACCHI jmsoracchi@chronideonline.com Chronicle no A once-proud program let o d 'go of one of its own -ii Wednesday and will now begin the search for its third i head football coach in four years. Craig Frederick was fired gi as head coach of the Crystal "'River football team follow- ing a season in which he guided the Pirates to a 2-8 finish arid missed the play- offs for a second straight I | year. "I'm just disappointed," said Frederick, who in two seasons led the Pirates to a A v i la 4-16record. "'ve been work- A v a ila b I ine with these kids and was i hoping to have, them :ready for next season." * Patrick Simon; the princi- pal at Crystal River said the 1ew decision had nothing to do c with wins, losses or Frederick's effectiveness as a coach. b According to Simon, a Fac- so b tor in the decision is the retirement of athletic direc- i tor Earl Bramlett at the end of the school year S"We're looking for strong leadership." Simon said. "Possibly someone that I could serve not only as ath- S letic director but as oulr Foot- M.h ball coach." 4 Frederick, who has been at Crystal River since 1988, has no plans to leave and will continue to teach' and coach the Pirates' wrestling i program. * "I'm a lifer'" Frederick said with a chuckle. "I'm not going anywheree" Frederick, however, ini- tially ruled out remaining w \ith the football team. "Right now, I need a little break," Frederick said. Frederick was hired in August 2004 after an exten- sive search following then- S coach Jere DeFoor's deci- S sion to step down in Jtily. After being brotight in just days before the team's first w'c official practice, Frederick J-i faced a stiff challenge in t inheriting a 7-4 playoff team *"P'a. that had lost 20 of 22 starters " .TI from the year before. Please see COACH/Page 3B TPanthers rout Wolf Pack 55-35 C.J. RISAK cjrisak@chronicleonline.com I L Chronicle 9jk OCALA Talk in coach- speak if you like and analyze the game with all its intrica- cies, the x's and o's and switch- ing defenses at just the right time and doing all the little things that make teams win- *1Io( ners. -OJ= Know what? In the end, it all 1E funnels into one basic concept: Who can put the ball in the hoop. ,o Last night Lecanto did it just enough, which was a lot better than West Port, leading the Panthers to a 55-35 triumph and a commanding lead in the District 4A-6 regular-season race. "We were pretty pathetic," said Wolf Pack coach Lyle Livengood. "We're having a cri- sis of confidence shooting the ball right now. We had been shooting it real well until last week's Christmas Tournament." Told his team did not make a Please see PANTHERS/Page 3B .Syndicated Conten e from Commercial News Providers" 8 S ow* 0,-:' ORw mt Srumns away with Rookie award . 4* 0 . *lbwm Om* v 4 -a 4" a- .w UrNO b. UW @ iiiiiii d o f 0 m w 4 mmukpw 4a o -.iN lgi ew fall t* IMM m r om.l Raif"arW'1(1447 q 4N WMmO.NP 6 * me-N *M "d 40 t L CITRus COUNTY (FL) CHRONICLE NBA: lArm, Cavs ri * * * S - 4b. -now- omm a 4 4- -o w 0 41 -- O ft ~ ompft o 4b -mp 4a- 4a -now l 0=0 qw 4m 40 a -~ q 0mme so 40pob- a 8mo do B a oft 0 * -mm 4 4W 4W - New Jersey Philadelphia Boston Toronto, New York Miami Orlando Wasnington Cnartlole Atlanta Detroit Cleveland Milwaukee Indiana Chicago W L P San Antonio 25 7 .7i Dalias 23 9 .7: Memphis 20 10 .61 New Orleans 14 ,17 4' Houston 11 18 3 No W L P Minnesota 15 14 5 Utan 16 16 5I Denver 16 17 .41 Seanie 14 17 .4! Portland 10 22 .3 W *L P Phoen;i 20 11 6 LA Clippers 17 12 51 Golden State 17 15 53 LA Lakers 15 16 41 Sacramenio 12 18 40 Tuesday's Games Toronto 108 Atlania 97 Houston 123 Washington 111 Delroit 108 Orlando 99 Memphis 104 Golden State 94 Dallas 95 Portland 81 Utah 90 L A Lakers 80 Philadelpnhia 111. Sacramerto 98 Wednesday's Games Toronto 121 Orlando 97 Boston 109. Charlotte 106 New Orleans 107 Miami 92 Cleveland 91 Mrvllwaukee 84 Minnesota 91 Dallas 78 Seattle 101. Chicago 97 San Antonio 106 Portland 75 Denver 106 Indiana 86 Pnoenx 105 Philadelphia 85 m mm -- Imoplw b4w 41M4 - a4 O d 410 MIND q M moa dio 4M lolp a& -"dump am am go d doigm *00af w 4 - - ae0 d- *4N ~ 1m - e1mm .. -m 0 ub 0 004 4110 m 410 0 41 . C Go40Meo0 woe ft .-40 . GIN ea O4 -wl 10amem 40 smam Oaq 4M sm 4 4W - amms,400 04p 4w ao ao, -m EASTERN CONFERENCE , Atlantic Division L Pet GB L10 S 12 .586 8-2 W. 16 .500 2% 5-5 L. 18 .419 5 4-6 W. 22 .313 8% 6-4 W. 21 276 9 2-8 W- Southeast Division L Pct GB L10 S 14 .576 6-4 L- 17 414 5 4.6 L- 17. 414 5 4-6 L- 22 313 8i; 5-5 L- 22 241 10 4-6 L- Central Division L, Pct GB L10 S 4 862 '- 9-1 W 10 .655 6 8-2 W." 12 .586 8 5-5 L- 13 .552 9 4-6 L- 19 .'.387 14 .1-9., ''L-i WESTERN CONFERENCE outnwes ct GB 19 2 367 '4 52 10V 79 12Y2 orthwes ct GB 17 - 0 0 t, 85 1 52 2 13 6S1 Pacific I ct GB 15 - 86 2 31 3V, 84 5: 00 7,. Raptors 121, Magic 97 ORLANDO (97) Turkoglu 2-7 7-8 11 Howard 5-8 0-0 10 Battle 4-5 0-0 8. Stevenson 3-8 6-6 12 Francis 2-7 6-6 10 Garrity 0-5 0-0 0. Nelson 12-15 3--, 21 Augmon 0-1 0-0 0 Kasun 4-6 2-2 10, TeMorris 1.3 0.0 2. Diener 1-2 0-0 3 Totals 34.67 24-25 97 TORONTO (121) Graham 3-3 1-1 7 Bosh 4-7 2-2 10. Araujo 2-5 0-0 4 Peterson 5-9 4-5 15 James 6-10 3-4 17 Bonner 4-6 3-4 13. ,Martnn 5-7 0-0 10 Villanueva 10-13 3-3 24 Ro.. 3-6 4-7 11 E Williams 1-4 2-4 4 Aa Williams 1-1 0-0 2 Woods 2-2 0-1 4 Totals 46-73 22-31 121 Orlando 22 20 2629- 97 Toronto 28 33 2634- 121 3-Point Goals-Orlando 5-13 iNelson 4- 6. Diener 1.2 Turkoglu 0-2. Garrity 0-3) Toronto 7-10 i ames 2-2. Bonner 2-3 Rose 1-1 \fillanueva 1.1 Peterson 1-2 Martin 0-1) ." Fouled Out-None Rebounds-Orlando 30 (Howard 71 Toronto 40 Araulo 91 Assists-Orlando 17 iNelson 6) Toronto 23 (James 71 Total Fouls-Orlando 24. Toronto 24 Technicals-Orlando Defehsive Tnree Second A--14 085 119800) Home Away Conf , 96 8-6 10-8. 10-5 6-11 7-11 10-6 3-12 7-9 ,3-12 7-10.9-11 5-8 3-13 2-13 Home Away Conf 12-4-' 7-10 12-8 S8-9 4-8 .7-11 7-7 5-10 6-9 6-9 4-13' 9-10' 5-8 2-14 5-8 Home Away Conf 13-1 12-3 13-2, 13-3. 6-7,,12-5 9-6 8-6. .13-5 10-4 6-9 8-7 5-10 7-9 7-10' at Division L10 Str Home Away Conf 7-3. W-4 15-1 10-6 13-2 2* 7-3 L 12-4 11-5 13-7 4 -7-3 W-4 10-5 .10-5 .14-5.' / 5-5 WV-2 9-6 5-11 9-11 S4-6 W-1 3-9 8-9 7-11- t Division . L10 Str Homei Away Conf 3-7 W-1, 10-6 5-8 11-11 6-4 W-5 8-8 8-8 98 4-6 W-2 11-7 5-10,. 8-9 2 5-5. : W-1 8-9 6-8 5-12 ' 4-6 L-4 *6-9 4-13 4-14 Division L10 Str Home Away Conf 7.3 W-1 11-6 9-5 11-8 3-7 W-1 10-4 7.8 8-5 4.-6 L-1 9-7 8-8 7-8 S 4-6 L-5 6-8 9-8 7-11 4-6 L-1 8-10 4-8 7-11 Thursday's Games Houston at Cleveland 6 p m Indians at Golden State 10 30 pm Friday's Games Houslon at Toronto 7 p m Atlanta at Boslon 7 30 p m Orlando al New Jersey 7 30 p rr, Washington at New York 7 30 p m Utan at Memphis 8 p m Seartle at Detroit 8 pm rr Minnesota at San A.plonio. 8 p m Portland vs New Orleans at Oklahoma Cit' 8 p m Chicago at Milwaukee 8 30 p m Dallas al Denver 9 pm L A Clippers at Sacramento 10 pm Miami at Phoenix. 10 30 p m Philadelphia at L A Lakers 10 30 p m Cavaliers 91, Bucks 84 CLEVELAND (91) Gooden 8-10 2-2 18 James 12-29 6-7 32, llgausKas 7-170.1 14 Jones 1-7 0-0 3. Snow 0-3 5-8 5 Newble 0-2 0-0 0 Marshall 6-13 1-2 17 Wilks 0-1 2-4.2 Henderson 0-0 0-0 0 Totals 34-82 16-24 91 MILWAUKEE (84) Bogut 6-9 2-3 14 Simmons 7.15 2-2 18 Magloire 6-12 1-2 13 Redo 7.22 11-11 28 Will;ams 5.16 1-2 11, Kukoc 0-3 0-0 0 Welsch 0-3 0-0 0 J.Jacv.son 0-1 0-0 0 Gadzunc 0-2 0-0 0 Totals 31-83 17-20 84 Cleveland 19 23 2029- 91 Milwaukee 25 21 2117- 84 3-Po.nl Goals-Cleveland 7-22 IMarshall 4-8 James 2-8 Jones 1-. Newole 0-11 Milwaukee 5-19 iRedd 3.-7 Simmons 2-5 Kukoc 0.2, Welscn i0-2 Wija'p@,.,0-3) Fouled ...Ont--None Re.bund--Clevelard 5'57"s'mai. 11i Milwaukee 54 iBogdt' 1 'lss- Cleveland 23 i James 111 Milwaukee 17 iWilliams 91 Total Fouls-Cleveland 17. Milwaulee 19 Technicals.-Newr-le I- 15785 118 7171 C~wm si0 -- ___ .0 ~ - ~ C. - - a -- C -C ~- - " opyrig htedi Material i "-f oW -. S-% -Available from commercial ,- W -W f- C o - *in-am.0"M=u w -W f- a Mam4M* -qu 0- -w W- a a a C. C 'C - * a~ -- a - - C C -'C C C C.-. - a ~. a C C.. - - C-- - - -~ C - - - C C - I t 4 b E4MP - -C--- - e ~ C a- C- S ~ C. C -~a C. a S a a ~ C a - CC~ -- - e- -~ C-~ S C-" - --C 0- C 0 a ______ *-m = a.4m - e-40 JEILUEILM N - C -mm SW 0 - 04M mme 4we Cta-e o a mf umpONA00 0 010 40 =0IM e o* mmOa m o- i~ 44 a mb 4 MomE Noab oo u* m --- a apow -.10 4boma -40 sowNoms0 0q dom bda OMENS ow -0 wm o- do CC W-W dip- C a-.%mme 1w- __ --m qom 0, ews Providers"' NHJ Hui 23 -M lhl A---2 ft w"wn*aw- a am 400 fmv- - mm -4b -ab 40 0b- qmm Ma -0* a 0 -m 400Ma a4 lm .1- 4 mao 4b- ab 1ba-wlw a- - m vo 0a e soq ano 410 om~- q -mo4mq qb %now480 40mb4 4bM- 4 p q famu __4 am a po d- p4apw a NO.ma-GMeI c 4 4b am-0.0- a a C4 - 4 m mdw 6P4 a *- --IF NBA SCOREBOARD R 3w -4t- I I i -I- -,w- Cimus ou~m'(FL) CHRONIC S PcRTS URSDA., TAITR 5 00 2 BASKETBALL Hornets 107, Heat 92 MIAMI (92) Posey 2-5 0-0 6, Haslem 4-8 1-1 O'Neal 9-13 1-4 19, Williams 5-11 0-0 15 Wade 7-16 5-9 19, Walker 1-9 1-2 3 Payton 3-5 1-2 8, Mourning 0-1 2-2 2, Kapono 1-6 2-2 5, Doleac 1-1 0-0 2 Simien 1-1 2-2 4. Totals 34-76 15-24 92. NEW ORLEANS (107) Mason 8-16 8-10 24, West 9-14 1-2 20, Brown 2-4 2-2 6, Paul 6-10 1-2 15, Snyde 5-11 0-0 13, Claxton 3-96-7 12, Andersei 1-2 3-5 5, Butler 4-11 2-2 12, Vroman 0-( 0-0 0, Bass 0-0 0-0 0, Smith 0-0 0-0 0 Macijauskas 0-0 0-0 0. Totals 38-77 23-31 107. Miami 32 13 2324- 9; New Orleans 32 32 1924--107 3-Point Goals-Miami 9-23 (Williams 5 9, Posey 2-4, Payton 1-3, Kapono 1-4 Walker 0-3), New Orleans 8-14 (Snyder 3- 4, Butler 2-4, Paul 2-4, West 1-2). Foulec Out-None. Rebounds-Miami 51 (Wade 10), New Orleans 46 (Mason, West 7) Assists-Miami 19 (Wade 10), New Orleans 23 (Paul 9). Total Fouls-Miam 26, New Orleans 26. A-19,326. (19,163). Timberwolves 91, Mavericks 78 DALLAS (78) Howard 6-10 2-5 14, Nowitzki 8-19 6-6 23, Dampier 3-5 2-2 8, Terry 3-14 0-0 7, Daniels '6-12 4-6 16, .Diop 1-1 0-0 2, Stackhouse 1-9 3-3 5, Dev.Harris 0-2 1-2 1, Van Horn 1-6 0-0 2, A.Griffin 0-0 0-0 0. Totals 29-78 18-24 78. MINNESOTA (91) Szczerbiak 8-14 4-4 20, Garnett 7-11 9- 10 23, E.Griffin 2-5 1-2 5, Hassell 5-9 3-4 14, Jaric 9-19 4-6 22, Hudson 2-10 3-3 7, Olowokandi 0-0 0-0 0, McCants 0-0 0-0 0, Frahm 0-1 0-0 0, Carter 0-0 0-0 0, Tskitishvili 0-1 0-0 0, Dupree 0-0 0-0 0. Totals 33-70 24-29 91. Dallas 17 24 1918- 78 Minnesota 18 20 3122- 91 3-Point Goals-Dallas 2-11 (Nowitzki 1- 3, Terry 1-5, Howard 0-1, Stackhouse 0-1, Van Horn 0-1), Minnesota'1-7 (Hassell 1-2, Hudson 0-1, Szczerbiak 0-2, Jaric 0-2). Fouled Out-None. Rebounds-Dallas 49 (Dampier 10), Minnesota 48 (Garnett 10). Assists-Dallas 8 (Nowitzki, Stackhouse, Terry, Van Horn 2), Minnesota 18 (Garnett 5). Total Fouls-Dallas 22, Minnesota 20. Technicals-Dallas Defensive Three Second, Minnesota Defensive Three Second. A-15,702. (19,006). Spurs 106, Trail Blazers 75 PORTLAND (75) Outlaw 5-10 0-0 10, Randolph 1-14 3-4 5, Przybilla 2-3 4-6 8, Dixon 6-11 0-0 12, Blake 2-5 2-2 7, Webster 2-6 0-0 6, Jack 4- 9 7-7 15, Ratliff 0-0 0-0 0, Patterson 4-8 3- 4 11, Monia 0-3 1-2 1, Smith 0-1 0-0 0. Totals 26-70 20-25 75. SAN ANTONIO (106) Bowen 2-5 0-2 6, Duncan 6-15 6-7 18, Nesterovic 6-7 0-0 12, Parker 8-14 2-2 18, -Finley 5-13 0-0 11, Ginobili 6-10 2-2 15, 'Horry 2-5 0-0 4, Barry 1-3 2-2 5; Van Exel .0-5 0-0 0, Mohammed 5-6 1-1 11, Udrih 1, 22-2 4, Oberto 1-1 0-0 2. Totals 43-86 15- .18106. Portland 22 20 2211- 75 San Antonio 28 25 2528- 106 3-Point Goals-Portland 3-9 (Webster 2- 4, Blake 1-2, Dixon 0-1, Monia 0-2), San "Antonio 5-16 (Bowen 2-3, Ginobili 1-2, 'Barry 1-2, Finley 1-5, Horry 0-2, Van Exel 0-2). Fouled Out-None. Rebounds- 'Portland 34 (Przybilla 7), San Antonio 61 .(Duncan 13). Assists-Portland 12 (Outlaw,' Blake 3), San Antonio 24 (Parker .7). Total Fouls-Portland 17, San Antonio 19 Technicals-Poniand Defensive Three Second Patterson San Arton.o Defensive *Tr,ree Second A-168 97 18.7'500, Celtics 109, Bobcats 106 CHARLOTTE (106) Wallace 6-12 8-12 20, Robinson 4-14 3- 3 11, Brezec 9-12 1-3 19, Rush 0-5 0-0 0, Knight 6-16 6-6 18, Jones 9-17 2-5 21, Felton 1-8 0-0 2, Bogans 5-13 3-4 13, Voskuhl 0-3 2-2 2, Carroll 0-0 0-0 0. Totals 40-100 25-35 106. :BOSTON (109) Jefferson 4-5 '0-0 8. Pierce 11-177-8 31, BlounI 6-12 6-9 18 Davis 9.14 4-4 23, West 3-92-4 11 LaFrertz 2-30.0 5 BanVs "0-1 1-2 1 PerKins 0.0 0-0 0 Reed 3-6 0-2 6, Greene 2-2 2-2 6 Scalabr.ne 0-1 0-0 0 Totals 40-70 23-31 109 Charlotte 23 28 3025- 106 :.Boston 28 32 21 28- 109 3.Point Goals--Charlolte 1-8 (Jones 1-2, Robinson 0-1. Rush 0.1 Bogans 0-2; Fellon 0-2i Boston 6-11 Pierce 2-3, West 2-4 LaFrentz 1-1 Davis 1-2. Scalabrine0- I1 Fouled Out-Jones Rebounds- -Cr-arlone 51 (Jones Wallace 9) Boston 57 (Pierce, Blount,'. West 8) Assists- Charlotte 22 (Knight 12). Boston 26 iPierce 10). Total Fouls-Charlone 24 Bosior, 27. .Technicals-Cnariorne ..Defensive Three Second, Knight, Boston ,Defensive Three Second. A-14,202. ,"18,624). Suns 105, 76ers 85 PHILADELPHIA (85) Rorver 5-13 0-0 11, Randolph 1-3 0-0 2; Dalembert 6-10 2-5 14, Iverson 7-23 1-1 16, Iguodala 4-10 58 14, Salmons 1-7 5-6 7, Ollie 2-3 0-1 4, Hunter 1-3 0-0 2, Nailon 3-10 2-2 8, Williams 2-3 0-0 5, Bradley 1-1A 0-0 2. Totals 33-86 15-23 85. PHOENIX (105) Diaw 1-7 0-0 2, Marion 6-12 1-2 13, K.Thomas 3-6 2-2 8, Bell 7-16 0-0 16, Nash 11-15 1-1 24, Jones 7-13 1-1 19, House 7-15 0-0 18, Jackson 0-2 0-0 0, Thompson 2-5 0-0 5, Burke 0-1 0-0 0. ,Totals 44-92 5-6 105. Philadelphia 28 17 1624--85 Phoenix 29 15 3526-105 3-Point Gdals-Philadelphia 4-9 (Williams 1-1, Iverson 1-2, Iguodala 1-2, Korver 1-3; Salmons 0-1), Phoenix 12-28 (House 4-7, Jones 4-7, Bell 2-5, Nash 1-3, ThOmpson 1-3, Jackson 0-1, Marion 0-2). Fouled Out-None. Rebounds- Philadelphia 64 (Dalembert 22), Phoenix 46 (Marion 13). Assists-Philadelphia 12 (Iverson, Salmons 3), Phoenix 25 (Diaw 10). Total Fouls-Philadelphia 10, Phoenix 15. Technicals-Iverson. A-18,301. (18,422). SuperSonics 101, Bulls 97 SEATTLE (101) Lewis 6-14 8-11 21, Radmanovic 5-15 0- 0 14, Petro 3-6 0-0 6, Ridnour 3-5 9-9 15, R.Allen 6-13 4-4 20, Murray 5-16 3-4 14, Collison 3-5 3-6.9, Swift 1-2 0-0 2, Wilkins 0-1 0-0 0. Totals 32-77 27-34 101. . CHICAGO (97) Hinrich 5-15 4-4 16, Deng 3-7 0-0 6, Sweetney 0-1 0-0 0, Gordon 8-18 1-2 21, Duhon 0-5 4-6 4, Harrington 4-6 4-8 12, - .I m On the AIRWAVES TODAY'S SPORTS BASKETBALL 7 p.m. (ESPN2) College Basketball Villanova at Louisville. (Live) (CC) 8 p.m. (TNT) NBA Basketball Houston Rockets at Cleveland Cavaliers. From Quicken Loans Arena in Cleveland. (Live) (CC) 9 p.m. (ESPN2) College Basketball Michigan, State at Illinois. (Live) (CC) 10:30 p.m. (FSNFL) College Basketball UCLA at Arizona. (Live) (TNT) NBA Basketball Indiana Pacers at Golden State Warriors. From the Arena in Oakland Calif. (Live) (CC) 11 p.m. (ESPN2) College Basketball BYU at Air Force. (Live) (CC) GOLF 4 p.m. (ESPN) SportsCenter From Kapalua, Hawaii. (Live) 7 p.m. (ESPN) PGA Golf Mercedes Championships First Round. From the Plantation Course at.Kapalua in Kapalua, Hawaii. (Live) (CC) HOCKEY 7 p.m. (SUN) NHL Hockey Tampa Bay Lightning at Buffalo Sabres. From the HSBC Arena in Buffalo, N.Y. (Live) Prep CALENDAR TODAY'S SPORTS BOYS BASKETBALL 7:30 p.m. Lake Weir at Dunnellon BOYS SOCCER 6 p.m. Belleview at Dunnellon GIRLS SOCCER 6 p.m.-Dunnellon at Belleview Nocioni 1-5 0-0 3, Songaila 6-12 7-8 20, M.Allen 0-0 0-0 0, Pargo 2-4 0-0 5, Basden 3-6 2-4 8, Piatkowski 1-2 0-02. Totals 33- 81 22-32 97. Seattle 24 27 2624-101 Chicago. 24 16 2829- 97 3-Point Goals-Seattle 10-25 (R.Allen 4- 6, Radmanovic 4-10, Lewis 1-3, Murray 1- 6), Chicago 9-25 (Gordon 4-9, Hinrich 2-5, Nocioni 1-1, Songaila 1-1, Pargo 1-2, Deng 0-1, Piatkowski 0-1, Basden 0-2, Duhon 0-3);. Fouled Out-Petro. Rebounds-Seattle 52 (Collison, Petro 9), Chicago 58 (Duhon 9). Assists-Seattle 22 (Collison, 5), Chicago 21 (Duhon 6). Total Fouls-Seattle 26, Chicago 26. Technicals-Chicago Defensive Three Second. A-19,418. (21,711). Top 25 Fared Wednesday 1. Duke (13-0) did not play. Next: at No. 23 Wake Forest, Sunday. 2. Connecticut (11-1) did not play. Next: vs. LSU, Saturday. 3. Villanova (9-0) did not play. Next: at No. 9 Louisville, Thursday. 4. Memphis (12-2) beat Middle Tennessee 83-50. Next: vs. Winthrop, Sunday., 5. Florida (13-0) did not play. Next: at Georgia, Saturday. 6. Illinois (14-0) did not play. Next: vs. No. 7 Michigan State, Thursday. I' : 7. Michigan State (12-2) did not play. ""Nekt:-at'No.6-Illirois, Thursday. "':"", 8 Gorzaga (10-3) did not-play. Next: at Saint Mary's, Calif., Saturday. ' 9. Louisville (11-1) did not play.-Next: vs. No, 3 Villanova, Thursday. 10. Washington (11-1) did not play. Next: vs. Washington State, Saturday. 11. Boston College (11-2) did not play. Next: at Georgia Tech, Sunday. 12. Oklahoma (9-2) did not play. Next: at Nebraska, Saturday. 13. N.C. State (12-1) did noi play Hex at No. 25 North Carolina. Saturday 14. Maryland (11-2) beat Texas A&M- Corpus Christi 99-73. Next: at Miami, Saturday. 15. Texas (11-2) did not play. Next: vs. Colorado, Saturday. 16. 'Indiana (9-2) did hot play.. Next: vs. No. 18 Ohio State, Saturday. 17. UCLA (11-2) did not play. Next: at No. 21 Arizona, Thursday. S18. Ohio State (10-0) did not play. Next: vs. Penn State, Thursday. 19. Kentucky (10-3) did not play. Next: at Kansas, Saturday. 20. George Washington (9-1,) beat Temple 72-60. Next: at Marshall, Saturday. ,21. Arizona (9-3) did not play. Next: vs. No. 17 UCLA, Thursday. 22. Pittsburgh (12-0) beat Notre Dame 100-97, 20T. Next: vs. DePaul, Thursday, Jan. 12: 23. Wake Forest (11-2) did not play. Next: vs. No. 1 Duke, Sunday. 24. West Virginia (8-3) did not play. Next: at South Florida, Thursday. 25. North Carolina l.8-2i did not play. 'Next: vs. No. 13 N C Siate, Saturday. FOOTBALL NFL Playoff Glance All Times EST Wild-card Playoffs Saturday, Jan. 7 Washington at Tampa Bay, 4:30 p.m. (ABC) . Jacksonville at New England, 8 p.m. (ABC) Sunday, Jan. 8) pm iESPNi AP NFL Offensive Rookie Voting NEW YORK (AP) Voting for the 2005 NFL Offensive Rookie of the Year selected by The Associated Press in balloting by a. nationwide panel of the media: Carnell Williams, Tampa Bay 47 Heath Miller, Pittsburgh 1 Ronnie Brown, Miami 1 Login Mankins, New England 1 HOCKEY EASTERN CONFERENCE Atlantic Division W LOTPts GF GA Philadelphia 25 8 6 56 143 120 N.Y. Rangers .22 12 .6 50 122 102 New Jersey 1718 5 39 115 127 N.Y. Islanders 18 19 2' 38 126 142 Pittsburgh 11 .19 9 31 112 152 Northeast Division : W LOT.Pts GF GA Otaaw ;: ,, .28 7 3 .59 164. *89 Buffalo 2612 2 54 131 120 Toronto. 23 14 3 49 134 127 Montreal .18 14 6 42 109 125 Boston 14 19 6 34 111 126 Southeast Division W LOTPts GF GA Carolina 25 10 4 54 144 128 Tampa Bay 21 17 3 45 123 126 Atlanta 18 18 6 42 148 149 Florida 1621 6 38 111 135 Washington 1322 3 29 108 151 WESTERN CONFERENCE Central Division W LOTPts GF GA Detrbit 26 10 3 55 147 104 Nashville 25 11 3 53 124 113 Chicago 1322 4 30 103 139 Columbus 1226 1 25 82 139 St. Louis 10 23 5 25 103 147 Northwest Division" W LOT Pts GF GA Calgary 2412 4 52 108 102 Edmonton 2314 4 50 139 127 Vancouver .21 14 5 47 131 127 Colorado 21 17 '3 45 152 137 Minnesota 1917 4 42 115 100 Pacific Division W LOTPts GF GA Los Angeles 26 14 2 54 147 123 Dallas 25 12 2 52 129 103 Phoenix 2018 2 42 117 117 Anaheim 18 15 6 42 112 108 San Jose 1616 5 37 114 119 Two points for a win, one point for over- time loss or shootout loss. Tuesday's Games Tampa Bay 1, N.Y. Rangers 0, OT Minnesota 4, Detroit 2 Pittsburgh 6, Montreal 4 New Jersey 3, Florida 0 Edmonton 5, Chicago 0 Colorado 3, Nashville 0 Wednesday's Games Ottawa 3, Washington 1 Carolina 4, Atlanta 3 N.Y. Islanders 4, Florida 3, OT Nashville 4, St. Louis 3 Dallas 3, Vancouver 1 Thursday's Games Ottawa at Boston, 7 p.m. Tampa Bay at Buffalo, 7 p.m. Philadelphia at N.Y. Rangers, 7 p.m. St. Louis at Detroit, 7:30 p.m. Montreal at New Jersey, 7:30 p.m. Colorado at Minnesota, 8 p.m. Vancouver at Chicago, 8:30 p.m. Columbus at San Jose, 10:30 p.m. Phoenix at Los Angeles, 10:30 p.m. Friday's Games Pittsburgh at Atlanta, 7 p.m. N.Y. Islanders at Carolina, 7 p.m. Philadelphia at Washington, 7 p.m. Detroit at Nashville, 8 p.m. Anaheim at Dallas, 8:30 p.m. Toronto at Calgary, 9 p.m. TRANSACTIONS BASEBALL American League ,BALTIMORE ORIOLES-Agreed to terms with OF-1B Jeff Conine on a one- year contract. CHICAGO WHITE SOX-Agreed to '-- 0 Syndicated Content terms with INF Rob Mackowiak on a two year contract. SEATTLE MARINERS-Agreed to term with RHP Rafael Soriano on. a one-yea contract. Named Bart Waldman vice presi dent, baseball counsel and associate gen eral counsel. TEXAS RANGERS-Acquired RHf Adam Eaton, RHP Akinori Otsuka and ( Billy Killian from San Diego for RHP ChriE Young, 1B Adrian Gonzalez and F01 Terrmel Sledge. National League ARIZONA. DIAMONDBACKS-Named Tony Dello hitting coach for Tennessee o the Southern League and Todd Dunwood' hitting coach for South Bend of thi Midwest League. FLORIDA MARLINS-Agreed to terms with RHP Kerry Ligtenberg on a minor league contract. Designated C John Bake and SS Josh Wilson for assignment. LOS ANGELES DODGERS-Acquirec RHP Jae Seo and LHP Tim Hamulack front the New York Mets for' RHP Duane Sanchez and RHP Steve Schmoll. MILWAUKEE BREWERS-Agreed to terms with RHP Dan Kolb on a one-yea contract. NEW YORK METS-Agreed to terms with INF Bret Boone on a minor league contract. PITTSBURGH PIRATES-Agreed tc ,terms with OF Jeromy Burnitz on a one- year contract. Designated. INF J.J Furmaniak for assignment.. Southern League SL-Named Janelle Kwietkauski media relations coordinator and Lauren Thigper intern. American Association SIOUX CITY EXPLORERS-Named Ec Nonie fiild manager. BASKETBALL National Basketball Association HOUSTON ROCKETS-Waived G John Lucas III and F Josh Davis. SEATTLE SUPERSONICS-Waived G Mateen Cleave-e UTAH JAZZ-^ss.gned G C J Miles to Albuquerque of the NBA DeveloprmerI League. , NBA Development League . FAYETTEVILLE PATRIOTS-S.gned G Melv;in Sander- Waived F Mark Karcher. FLORID- FL; ME-Waived G Rick/ Shields. FORT WORTH FLYERS-Signed G Turner Banle Waived F Anthony Wilkins. FOOTBALL National Football League ATLANTA FALCONS-Fired Mike Johnson, quarierbac'- coach CLE'.'EL'ND BROWNS-Signed. OL Alla; -Herror, LB Juslin Kurpeilk0s COL Pete McMahon, WR Ker.anrc Mc.2le, LB Ciiftor *Smith, DB James Tnorntor, ana RB Jason Wright to reserve/future contracts. KANSAS CITY CHIEFS-Signed S Scott Connot, WR Nathaniel Curry, CB Gabriel Helms,' G Peter Heyer, C Johnathan Ingram, WR Jers Mcintyre, 'CB Justin Perkins, PB McKenz. Sm,.h and FB Travis Wilson. NEW YORK JETS-Signed FB Luke Lawton and G Michael King to reserve/future contracts and allocated King to NFL Europe. . ST.' LOUIS: RAMS-Signed WR Dominique Thompson, WR Jeremy Carter, WR. Brandon Middleton, TE Darius Williams, RB Derrick Knight and S Terry Holly from the practice squad. Agreed to terms, with WR Taylor 'Stubblefield, OT Jason Hilliard, TE Rod Trafford and RB Fred Russell. HOCKEY National Hockey League LOS ANGELES KINGS-Agreed to terms with C Connor James on a one-year contract and recalled him from Manchester of the AHL. Placed C Eric Belanger on injured -eser.,e reirc'acii.e to Dec 30. NEW JERSEY DEVILS-Wa.ved RW Alexander Mogilny,' t :, ... OTTAWA SENATORS-Recalled C Steve Martins from Binghamion of the AHL. 'ST. LOUIS BLUES-Assigned F Peter Sejna to Peoria of the AHL. American Hockey League BINGHAMTON SENATORS-Signed RW Cory Pecker. CHICAGO WOLVES-Announced G Steve Shields has been assigned to the team by the Atlanta Thrashers. GRAND RAPIDS GRIFFINS-Signed D Clay Wilson ECHL ECHL-Suspended Fresno D Cory Murphy and Phoenix D Brent,Henley two games each and fined them undisclosed amounts for their actions in a Jan. 1 game. Suspended Bakersfield D Oriel-.McHugh three games and fined nim ar, undisclosed amount for his actions in a Dec. 30 game. Suspended Pensacola D Steven Later one game and fined him an undisclosed amount for his actions in'a Dec. 31 game. LAS VEGAS WRANGLERS- Announced D Tim Hambly has been recalled, by Omaha of the AHL. SOUTH CAROLINA STINGRAYS- Acquired D Likit Andersson from Stockton for cash. Central Hockey League CORPUS CHRISTI RAYZ-Traded F Jori Foster to Lubbock for future consider- ations. LAREDO BUCKS-Announced D Serge Dube was recalled to San Antonio of the AHL. LUBBOCK COTTON KINGS-Traded LW Aaron Goldade to Oklahoma City for future considerations. COLLEGE NCAA-Named Rick Nixon associate director for the Div. I women's basketball championship and David Worlock associ- ate director for the Div. I men's basketball championship. ARKANSAS-Named Alex Wood quar- terbacks coach and passing game coordi- nator. BUTLER-Named Jeff Voris football coach. COLUMBIA-Named Aaron Kelton defensive secondary coach. CONNECTICUT COLLEGE-Named Bing Edmed interim women's soccer coach. C.W. POST-Named Pete Timmes baseball coach. GEORGIA SOUTHERN-Named Darin Hinshaw offensive coordinator and quar- terbacks coach, Scott Fountain offensive line coach and recruiting coordinator, Deion Melvin defensive coordinator, Joe Danna secondary coach, Jeff Beckles wide receivers coach, Parker Wildeman defen- sive line coach and Chad Lunsford running backs coach. KALAMAZOO-Named Chris Adrian men's soccer coach. MIDDLE TENNESSEE-Named Les Herrin defensive line coach. NEW ENGLAND-Named Kim Allen director of athletics. WIDENER-Announced the resignation of Stefanie May, women's soccer coach. - ~qw' - S 0 Available from Commercial News Providers" a. a - ~. a. a - - a.~ -~ - - - COACH Continued from Page 1B Subsequently, Crystal River finished with a 2-8 record. Justin Rolph, a junior who saw time at running back and linebacker this past season, expressed surprise upon hear- ing of Frederick's firing.. "Last year, he didn't have enough time to get everything, set up," said Rolph of the 2004 season. "I thought they would have given him at least another year." Shay Newcomer, a sopho- more who started at quarter- back, was equally taken aback "I was actually really sur- prised that he was fired," em * a "Er0l4b coo- aw 0 amApa _ qpmo am 0 ft- 10P0 Oiom - -000 SIMON *uu U010m -1 4up-. -whi qN* oth, 41 MMMM- -moB"ae - 41 a-mm- __ -M o ao fs O OMsooh PANTHERS Continued from Page 1B single three-pointer on the night in fact, neither team did Livengood answered, "I'd be shocked if we had a three-pointer in our last three games. And that's after we had seven in the game just before that." , With the win, the Panthers improved to 10-2 overall, 5-0 in the district West Port, which was second in the district com- ipg into the contest, slipped to 9-5 overall and 3-2 in the dis- trict with both losses coming against Lecanto. Attributing the outcome of the game entirely to the Wolf Pack's poor shooting, particu- larly in the second half when Lecanto held them to 10 points on 3-of-27 shooting (11 per- cent), would be misleading. The Panthers played nearly perfect basketball, in all aspects, outscoring the home team by 19 points in the last two quarters. Indeed, the first half bore no resemblance to the second. Both teams had problems scor- ing in the first quarter, ending it tied at 7-all. The second. quarter was quite different, with pressure defense by both resulting in baseline-to-base- line action. When it ended, Lecanto led 26-25, even though the Panthers had "4 baskets compared to 9 by West Port. The difference, as it was all evening: free-throw shooting. Lecanto converted 11-of-13 in the period; the Wolf Pack were 0-for-1. In the game, the Panthers hit 25-of-33 from the line (75 percent) to West Port's 5-of-9 (55 percent). "We get that every night and we'll be in good shape," said Lecanto coach Chris Nichols, impressed With his team's per- formance. Still, adjustments needed to be made at the half if the Panthers were to win this game. And they were. "At the half, we were looking at the way they were playing," said Nichols. "They were scor- ing a lot in the paint. The last time we played them they scored a lot of layups and got a lot of baskets in the paint. "So we went to our sagging man-to-man defense. And they Newcomer said. "We were a really young team and I thought he deserved another year. to see what we could do." Now the search for a new Pirate coach will begin. Bramlett said Crystal River will look statewide and beyond for possible candidates. "We want the best coach that we can find," he said. "We're going to advertise nationwide." Both Newcomer and Rolph will be back next season and would like to see someone in place early. I'm looking forward to see who our new coach is," Newcomer said. "I hope that the new coach gets here before spring practice so we can have the whole summer to work with him." ft1* w.- - U AC qp 41b Q- 4b- w .4 am *b ~'OP 4t 41 _o - m 0 w - 1. - ft m -oft --doom 41b-M ilm 0_m -m 41b.- 40 -a om a.. 4 smo 4 o- 0 01 .- GMswmom o qm * ftm 0 __m__ 411 B--o-W swam just didn't have any shooters." Lecanto did a much better job on the boards as well, enabling them to get more sec- ond chances. By the end of the third qualrte; the Panthers had a 38-32 lead, the biggest by either side in the game thus far. It would only get worse for West Port after that. After the Panthers scored the first 4 points of the fourth to push their advantage into double figures, they went to a spread offense, and that, as much as any other factor, was decisive. A Wolf Pack turnover seconds after Eddie Buckley scored gave Lecanto the ball back with 5:51 remaining; a missed layup by Ryan Blakeslee ended the posses- sion, 1-4 later. S"We did a good job spreading the floor," explained !Nichols. "It forced them to foul and once they did we knocked (the free throws) down." Buckley was particularly impressive, leading the Panthers with 21 points. Mychal Nichols had 11 and Richard Chaney scored 8.' The scoring at the other end was quite different. Dominic McDoiald's 8 points was best; John McNair was next highest with 6. "This puts us in pretty good position in the district," said Chris Nichols. "Or, it puts us in a position to be in position to win (the district), as Bob Knight once said." It seems only a complete col- lapse by Lecanto could lead to that. And that's something We;st Port is familiar with, certainly during the last week Panthers pounce on Central The Lecanto girls weightlifting team scored a 59-29 victory over Central Wednesday evening. Six lifters led Lecanto (7-0-1 overall) with first-place finishes. Shaneatha Gates earned a per- sonal-record of 300 after benching 145 pounds and clean-and-jerking 155 to win the 199 weight class. Jen Corriveau totaled 255 to take the 110 division while Christina Flores (129), Victoria Mele (154), Aysia Busbee (183) and Megan Schrantz (unlimited) all finished at the top of their respec- tive classes for the Panthers. Lecanto has a 1 p.m. Wednesday weigh-in at South Sumter in the preliminary region- als. - =-m..- Copyrighted Material :- o Syndicated Content - Available from Commercial News Providers"a "Copyrighted Material S - e s - 00 SPORTSs CiTRus CouNTY (FL) CHRoNicLE Ti-iURSDAY, JANUARY 5, 2oo6 3B p CITRus COUNTY (FL) CHRONICLE 4B THURSDI DAY, JANuARY 5, 2006 Onmg bowl win worth the waM PWO"W nd 4 myt B -MOo 40-m 004m. -olw 0 -. M a 4000- - 4 4. - - a- illm to doCopyrighted - 0Ee6 em up m_ 40- omm lom .0 G o o so- omoSm~ qjm 0d* 4 a o 0 co S 4 t*m wo .AM ONN Omw Mate'rial _ : -Syndicated.Coontent Wailable from Commercial News' 0. ..... -- - -W ab 4 S m Pro qw = 0 Noteb Kwan ithws ___ a S - S - * - -e - -e - - o -e - 4w owda oe 0 4wo-Wow --- - 411 - - - -_ do 4w C- ~ - ,goo. C - - S - - m.~ C -. - ~m - m - a w 4m a ,M mm- *- mmm qu o u-m buv 4m m q-Im- -41 a dm kILI dw-dom M -w40 - 0mm * qu* dw4 i 41 0 w 0 41mlii . 4 4m- do 4" ap 0= 4 %o -ta - U 1 P oq .Mo4 amo -ma fta If 4UMM *M- qm 4b a 0 Mid Dow a 41 - No a- 4w Urmn4 do *o -0 o ow -UNWO am q 0 do ~e 4WD NOWO q inI . - a * mow 40* dw4Dq a 4 4 M-. w~w 4 PU 0- 05 - 4b 40 *0 om m MWOM w q -jmm ~d wm w aw go 0 mpas 4 m -dt 4D4wwq 00 qb do= 404omoqp4 40 U.w QW0-o an -40 dw-90o 4w 0 qbm 40 4 mum W WN - 40 o q* *D 4m4 uo4 Q U b oq owl 0 C- e * --nwo- -m C S *~- Up S-gap -- --/24 Log Home Packages To Be Offered Ai Public Auction. Rogers Realty & Auction Co. SaturdayJan. 14th FL Uccnse #AU2922 11:00 A.M. 336.789.2926 or Orlando, FL r F ',-'" (Port of Sanford) r r' jr~ Ijr I For More Information! 1.888.562.2246 Or Log Onto: DOUBLE YOUR INVESTMENT IN ONLY 1 YEAR! Builders Lots Available in the Fastest Growing Areas in Florida KF es-r0i LOSE WEIG with HYPNOSIS 100% Written Guarantee That's right. Regardlessof yourpast exPerience t ., d- Maf. ,,,u a ng to loseeight YOU HAVE OUR GUARANTEE y l -Mon uary 9 THAT YOU WILL LOSE WEIGHT without hunger, 7:00 pm 9:45 pmONLY without going on a diet or your money back. Plantation Inn & Golf Resort Tonight you will experience two hypnotic 9301 West Fort Island Trail ". sessions designed to eliminate unwanted craving (West off Rt19 to W Fort Island Tr) reduce your consumption of sweets, and break (We st of- .R 19... Fort. .. impulsive/compulsive eating habit. Register at door 6:00 pm- 7:00 pm With the Gorayeb Method of Clinical Hypnosis, Cash, Check, VIs/MC, AmEx you enter a deep, relaxed state of hypnosis where I 23.com you are awake, aware and ALWAYS IN CONTROL. '" hisi/daeeastesttMngleeverdone. In2 attended You'll leave refreshed, feeling good. monthhs,'Ilost3siesand by5months41/2 Deslane Butwillit workfor me- tdoesntmatter howmuch r f63l have been ableKRo . weight you have to lose or how long you've been ,ke ..Tha.kyou. DebbeKervh, TX Ry S.*. trying to lose it, this program is designed so you YOUH VEOURWRITTEN GUARANTEE 8 months; START LOSING WEIGHT IMMEDIATELY YOU WILL LOSE WEIGHT: Lose all the N "lost and gain control over your eating It 's designed weight you want. If you ever want Keth (s Y so you can lose .30 lbs, 50 lbs even 120 Ibs renfrcement, you may attend any of our last 5 quickly and safely. Over 500,000 people have -weignt loss seminars free, or Cf you are Co.l attended our Lose WeightWith Hypnosis seminar, notf sOurp yr y ,Corporate 0 4w 4b I' - - | | 1 =ITW Teletheatre (352) 237-4144 Across from Ocala Airport on SW 60th Avenue Monnobd c oir~ sre ....., ___ m -wMI sul* do -om M -O vo- *Dsi-omo Nsam ~ w nm.4 - -MN mm46n 4D-1owOw OWS 0Mqlm - ooSNOW 400 -o 44- .wm -NDom ve4 qm t 4b I W ob4 da 4b dw omi -o owaTow0 1b -ooi 40M a w 'itodo q ftimi, 4 o4m a u 0 am d -mdu w 0 OD10- w. om dhowftoy= 400 op0 .omon -so, Umo Go 0 oom, 0 b- * * aww"m Da*iw 6w Ah THURSDAY, JANUARY 5, 2006 SB I Cr'Trrc C nrINTV F) C(4RfnwICLp pM-r -a c down - 0- - Now- aw n am 411P- 0W - 4- wdw-..,NN - Io-. - Im - -- a-a -"- a- - a- f a C opy ig hted M le. I! I - W- gio- ~p -A 40- D .4.0 o- o 4IN w w - 0- -l- w- 4p asiga mwP 4-1. -0 amp- qp aft__ 1P *ft f-aq 41b - 41.a u- -o as fmq- 4 40M.- =0 dap -OD *,0 amd"Ma - 4OM 0 am- s ..llilm40 a u-mo- iwanm-sO snob -40 40 Ig ft a m - 440 - ..d GIN ..aw G__ -o ow- a Mowa- mn a-- -mom oo m- 4M Gw a 41p~wof Mios w 1 - man-foe A Go-no awwwo 0 Go aw- o,- .amSno 41-141041 0 .m100-mn au-ooo 11 on MP -0 aom @1 - a-owmano e of -wn- m. 0NDa,- 0z a-*ab cmep io oyna caateqa.t content - from Commercial News Providers" w a- a. a a41P- a - a- .Oml-wa- - an--qm-~ a---m %now- ft. -a-~ ' qa-- IO-M - 0I 4l- a-o a-- oia 1 a--m --GNP- a 40- ao -.moo mm to 40M0 4 dim 4-0"~- ob-op Aa 0 1 .b a a a ww a- a-"& wow w am- o-- am-4bmmmm-4w e aw dM-0- M -W -O- aa 4D. .0 awmo 0 4 0 a-M .6-- a-40M 000 a- mdmmm 0. dm aw OD qmwb sposwe MORENO- MON.- dwommow Q~- 6-.00* - w Sbo 4b-.00 vp ON* 0 4b,- 4W* GP-* - Qw ot -aw-mago- S-a- a a-son- U 0 m0 v ws0 h0 impw -Raab- a aa 4Da .00a 4b. 411 * a -a a- - a- 41. lb. . * a - - - a- - 4b a a- a- aa- a - aa- lb 48.00 ft a- 0 p S.- -maw- 4b abo- 40. 4bba - 4b a a 4a a-ab -o ft- ON d a- - .m a-4 ftm m 40ma-i dD- 41W -mmaw 0 a-mw - - am-0 No a-0""- am lo-m*mm - a a- a- a- t -mpe ow 0011 *ENO o- Oa a-MMA- 400- w a- a- a- - - a0 - MON- to a- 1-111(W- UUUM I (I'l-) UM(UMULP 7 IL-w-, 117 ke I lb .Miani FRIDAY . JANUARY 5, 2006 Outdoor BRIEFS variety of topics, including fall and winter fishing tips and -techniques and the best places to fish this time of year. He is a wealth of information and has different topics. January Floral City Anglers meeting. The Floral City Anglers will meet SThursday, Jan. 26 at 7 p.m. Meetings are held monthly at The Floral City Community Building 8370 East Orange Ave,, Floral City. Renewal and new member- ships will be accepted at this meeting: Individual membership $25 and Family membership $35. Further information may be obtained by calling Capt. Rick and Bonnie Burns at 726-9283 or '. Unique holiday present for Boaters Want a unique present for a boater? How about a special learning experience? USCG Auxiliary Flotilla 15-04 registration, call 564-2521. Power squadron hosts boatur- ing the Florida boat operator's license for specified individuals such as everyone under the age of 22 operating a vessel with 10 HP and more. The Boat Smart class is for skippers-and would-be skip- pers, and is open to adults and teens. Boat ownership is not required to attend the course. This comprehensive eight-hour class includes such topics as Coast Guard and Florida State regulations, equipment require- ments, rules ofthe waterway, boat handling, trailer handling, basic knots, marine radio procedures, aids to navigation and emergency procedures. The course is free, but there is a fee for course materials and lunch. Upon successful completion of the course and final exam, the stu- dent earns the."Boat Smart Certificate of Completion." This certificate not only qualifies the student for the Florida Boat Operators License, but also mem- bership in America's largest boat- ing club, the United States Power Squadrons, and the local unit, the Crystal River Power Squadron. Make safety afloat a part of your boat. Sign up now. For more infor- mation and to register, call Bill Foster at 563-2114. c- 0- *Ww - -- qb-- -w s" 0 0 __- 4ft * _______ - ,4 m , -, a a o E1- .Q e- -0 4bs o *0.nt 0 *4b 4 WM el -* e n a -e ____ ___ * *-b e -b -- - U o. ~ -a m & mW MMM *D w MM- W p. .. -M bQ wd O (am& mow a o COpyrighted Material #-M- -0 0 D -. _ -*-_ - .-. .. .a e :---- .. - _- -. -A b-- fSyndicated Content __ Povide Avaiabl fr.i .rCeN.we Available from Commercial News Providers"4D 41 dw. -now* M. . -up- 400, 0 411b - -- -5-b- d- 4w - mw~m "m a40mm w.- 0 -. a--0 4b q - M- -Ni A- 40-- dbl- 4b - - mefm do= l- - %o ama -40 qb 4m 40M-am- %P-41bdw - smo 40 -ow41M- m w A a i a 4 Pure Fishing announces all-pro team FLW Tour veterans comprise newestgroup Chronicle MINNEAPOLIS Pure Fishing, the trade umbrella' under which several highly recognized consumer fishing' brands operate, announced the members of its professional angling team to compete in FLW Outdoors tournaments in' 2006. The group of anglers con- sists of David. Walker, Glenn Browne, Bobby Lane and Mark Goines. Earlier this year, Pure Fishing signed the largest,, most comprehensive endemic sponsorship, agreement in FLW Outdoors history. Through its multiyear partner- ship with FLW Outdoors, Pure Fishing will sponsor a four- member angling team that will compete on various FLW Outdoors tournament trails. Walker, who will compete from a Berkley-branded Ranger boat, is a force to be reckoned with on the Wal-Mart FLW Tour. The Sevierville, Tenn., native has recorded an astounding 29 top-10 finishes on his way to more than $380,000 in career earnings. This past season, Walker also began fishing the FLW Redfish Series and immediately expe- rienced success by claiming a top-10 finish and qualifying for the championship. Walker said he is happy to be part of the team. "I'm excited to be a Berkley team angler," he said. "Berkley is on the leading edge when it comes to designing and engi- neering products that catch more fish. They help me truly get in the zone with my fishing. I feel like this puts me in a great position for the upcoming season." Ocala pro Glenn Browne has fished 52 FLW Outdoors events since 1998, earning more than $100.0000 along the way and having finished in the top 10q nine times. In 2006, Browne will be seen driving the Stren boat. "Being with a strong endem- ic sponsor can only enhance your career," Browne said. "Stren is synonymous with bass fishing, and anglers have depended on Stren for many years. I trust it for my tourna- ment fishing." Lane, who will fish out of the Spider\vire boat, was last year's rookie sensation on the FLW Toutr. On day one.of his, first FLW Tour event, the Lakeland. pro boated two .8- pound-plus Lake Okeechobee monsters" leading to a seventh- place finish. As the tour head- ed just north to Florida's Lake. Toho, Lane once again wowed the competition with a third- place finish. As the field head- ed com- petes in the Stren Series (for- merly known as the EverStart. Series) and Wal-Mart Bass Fishing League and has a total of 14 top-10 finishes and more than $135,000 in career earn- ings to his name. Goines.is also no stranger to success on the water He has fished in 68: FLW Outdoors tournaments since 1997, span- ning manu- facturer in the business," Goines said. T CITRUS COUNTY Tide charts,, Chassahowitzka High/Low THURS 9:12 a.m. 5:11 a.m. 1/5 10:05 p.m. 5:32 p.m. ,FRI 1/6 SAT 1/7 SUN 1/8 MON 1/9 TUES 1/10 Crystal River High/Low 7:33 a.m. 2:33 a.m. 8:26 p.m. 2:54 p.m. Homosassa High/Low 8:24 a.m. 4:10 a.m. 9:17 p.m. 4:31 p.m.- Withlacoochee High/Low 5:20 a.m. 12:21 a.m. 6:13 p.m. 12:42 p.m. 10:22 a.m. 6:12 a.m. 8:43 a.m. 3:34 a.m. '9:34 a.m. 5:11 a.m. 6:30 a.m. 1:22 a.m. 10:45 p.m. 6:14 p.m. 9:06 p.m. 3:36 p.m. 9:57 p.m., 5:13 p.m. 6:53 p.m. 1:24 p.m. 11:4A a.m. 7:22 a.m. 10:07 a.m. 4:44 a.m. 10:58 a.m. 6:21 a.m. 7:54 a.m. 2:32 a.m. 11:31 p.m. 7:00 p.m. 9:52 p.m. 4:22 p.m. 10:43 p.m., 5:59 p.m. 7:39 p.m. 2:10 p.m. 1:23 p.m. 8:39 a.m. 11:44 a.m. 6:01 a.m. 12:35 a.m. 7:38 a.m. 9:31 a.m. 3:49 a.m. 7:57 p.m. 10:44 p.m. 5:19 p.m. 11:35 p.m. 6:56 p.m. 8:31 p.m. 3:07 p.m. 12:23 a.m. 9:56 a.m. 1:24 a.m. 7:18 a.m. 2:15 p.m. 8:55 a.m. 11:11 a.m. 5:06 a.m. 3:03 p.m. 9:07 p.m. 11:41 p.m. 6:29 p.m. 8:06 p.m. 9:28 p.m. _4:17 p.m. 1:20 a.m. 11:02 a.m. 2:39 p.m. 8:24a.m.' 12:32a.m. 10:01 a.m. 12:26a.m. 6:12 a.m. 4:18 p.m/ 10:18 p.m. 7:40 p.m. 3:30 p.m. 9:17 p.m. 10:26 p.m. 5:28 p.m. 218 a.m 11:57 am 12:39 a m 9:19 am. 1:30 a.m 10:56 am. 1:17 a.m. 7:07 a.m. . .. .. I . 1.. .. .. ....... ... 1/11 5:09 p.m. 11:20 p.m. 3:30 p.m. 8:42 p.m. 4:21 p.m. 10:' Tide readings taken from mouths of rivers 19 p.m. .11:21 p.m. 6:30 p.m. Outdoor BRIEFS stationed in Florida as proof of eligibility. Pine Ridge Fishing Club pro- gram : The Pin'e. Opportunities for disabled enthusiasts The Southwest Florida Water Management District and the National Wild Turkey Federation (NWTFi/Wheelin' Sportsmen have agreed to continue a successful partnership that allows disabled outdoor enthusiasts the opportuni- ty to participate in planned events on district land throughout the year. As part of a pilot program, three events were jointly organized outdoor activities. Those who participate in Wheelin' Sportsmen events are' pre-selected through an applica- tion process. For more information detected. The states and Canadian.. province where the deadly'disease has been detected are: New Mexico, Utah, Colorado, Wyoming, South Dakota, Nebraska, Wisconsin, Illinois, New York, West Virginia and Alberta, .Canada. Visit the United States Department of Agriculture's Web site at / for the most (up-to-date CWD . coverage. CWD, first identified in.Colorado in 1967, is a disease that affects the central nervous system and is relat- ed .to "mad cow" disease in cattle' and scrapie in sheep. The disease alwaysproves fatal to the infected animal, but there are no known cases of it being transmitted to peo- ple, har- vested from non-affected CWD - areas. For more information about , CWD, visit MyFWC.com/cwd. WED : -- ~ Crop kill /_ r, n r "' a/I BY JULIANNE MIUNN bonnyblu@earthlink.net t Ciron icl/ -. fl /* I 6 a, I I C THURSDAY JANUARY 5, 2006 Julianne Munn OVER EASY S tash all the leftover cookie- and cand.\ and hide the hips and dips It's time to sen- ously \work on those Ne%% Year's resolutions to shed unwanted inclies before the weather once again turns hot and steaimn and the beaches beckon. If you're thinking it \\ill be a tough couple of months getting rid of all that holiday extra weight, be assured you don't have to suffer unduly You don't even have to pass up the supermarket deli counter and that deli- cious array of meats and cheeses, since the calorie content is do-able on a diet. Just beware of the toppings and stick to low- or no-cal condiments and heap those sandwiches and salads with plenty of heart-healthy pro- duce like tomatoes, lettuce and onions. In today's Flair for Food, dynamite deli sandwich and salad selections, with the addition of almonds, cran- berries and citrus fruit, help lend an extra dollop of fla- vor, and you won't even know you're eating light. And don't forget taste enhancers like horseradish for the roast beef subs and various flavored mustards. Good bread and wraps are key ingredients to starting a terrific sandwich. Be sure and look for whole grains, sliced thin, so you don't overdo the calorie content. Low-fat tortillas and other wraps are also available in markets now. If you crave a sub or hero, just make it open-face and cut the bread calories in half. A real boon for dieters who don't want the tempta- tion of spending too much time in the kitchen are the fantastic prepared contain- ers of just about every type of produce one could want for sandwiches and salads. Don't hesitate to make good use of pre-cut and pre- washed onions, celery, green and yellow squash, green pepper and other con- venient add-ons. Consumers can now find a huge variety of dried fruit, such as cranberries and apricots that will add a little pinch of sweetness to the mix without imparting unnecessary calories. The government is into the diet-conscious mode, too, with up-to-date simple ways to cut calories and include fruits and vegeta- bles throughout your day, from the Office of Women's Health, U.S. Department of Health and Human Services, Centers for Disease Control and Prevention: Breakfast: straw- berries. You can still eat a full bowl, but with fewer calories. Lighter lunches: Add in 1 cup of chopped vegetables such as broccoli, tomatoes, squash, onions, or peppers, while removing 1 cup of the rice or pasta in your favorite dish. The dish with the veg- etables will be just as satis- fying but have fewer c.alo- ries than the same amount of the original version. veg- etables will help fill you up, so you won't miss those extra calories Dinners: Take a good look at your dinner plate. Vegetables, fruit, and whole grains should take 'up the largest portion of your plate. If they do not, replace some of the meat, cheese, white pasta, or rice with legumes, steamed broccoli, aspara- gus, greens, or another favorite vegetable. This will, reduce the total calories in your meal without reducing the amount of food you eat Just remember to use a nor- mal or small plate not a platter. The total number of calories that you eat counts, even if a good proportion of them come from fruits and vegetables. Today's list of low-cal salad and sandwich treats is compliments of Boar's Head deli meats and cheeses, but other brands of meat and cheese can be used as well. The list includes precise amounts and the calorie content of each ingredient, so you won't have to second- guess how your diet is adding up when you throw together a sandwich or salad. THANK GOODNESS FOR TURKEY 2 slices thin multi-grain bread (140) N 2 ounces Boar's Head Ovengold Turkey (60) M 2 thick slices tomato (20) * 1/4 cup baby spinach (0) M 2 tablespoons Dijon- aise (equal parts of nonfat mayo and Dijon mustard mixed togeth- er) (25) Total: 245 calories SATISFIED CHEF'S SALAD [ 1/2 hard-boiled egg (40) 0 1/2 ounce Boar's Head Cheddar Cheese (55) M 1 ounce Boar's Head Deluxe Ham (30) 1 ounce Boar's Head Ovengold Turkey (30) M 2 cups mixed spring. greens (10) M 1/2 cup.chopped carrots/peppers (20) M 2 tablespoons nonfat salad dressing (54) 6 low-fat crackers (78) Total: 317 calories Please see POUND/PAGE 2C Wishing you the happiest of New Years. From your friends at Publix. I I Health made tasty The latest buzz in the world of health is a type of food that may prevent the flu. No small matter with the global flurry over the pos- sibility of an eventual pandem- ic "bird flu" outbreak. Wheth- er or not that will happen is still arguable, but the delicious dishes said to be potential pre- ventatives are definitely worth considering in any case. For example, Frank's Sauerkraut sales have report- edly soared a record 50 per- cent this season on reports that it has had a beneficial effect on treating avian flu,, fueling the interest in new recipes as Americans inte- grate it into meals on a daily basis. To answer this need, Frank's, the leading national producer of sauerkraut, is offering 12 free holiday (or anytime) recipes. The company offers recipes on its Web site,- kraut.com, and also shares- recipes posted by consumers at. com/. And according to Frank's, sauerkraut has been on the menu for more than 2,000 years, so there should be plen- ty of recipes to go around. Guess what I don't even care about the therapeutic values of sauerkraut I make it all the time just because I love it. Here is one of my favorite recipes, followed by a Frank's Sauerkraut salad recipe: CROCKPOT SAUERKRAUT AND DUMPLINGS 1 small pork roast, fat trimmed and quartered, or meaty pork short ribs 3 to 4 cans of Bush's Bavarian Sauerkraut (my, personal favorite) 3 tablespoons brown sugar 1 golden delicious apple, chopped 1 small potato, chopped Bisquick Biscuit mix for dumplings a Toasted breadcrumbs Add first 5 ingredients to crock-pot (no need to brown meat first) and cook on high for about 6 hours. Check after a couple of hours and add a very small amount of water if need- ed and stir well. Stir well a ain about halfway through cooking time. When sauerkraut is done, Please see EASY/Page 2C Special to the Chronicle Tasty food can be enjoyed while still adhering to your New Year's resolutions. The key is keeping the calorie content low. Twm~r~&v ~,'jrt&pv 5 2OOt~ FccD Cimus Cour'n'y (FL) CHRONICLe Little bug has caused big damage through What if your living de- pended on grape growing, and suddenly, without warning, the harvest was ruined because every one of your plants got deathly ill? And what if this were not only true for your land, but equally devastating for every farmer Ron Drinkhouse WINES & SUCH and vintner in the region, as well as for the entire country. Such was the state of affairs in France in the years from the early 1860s through 1900 when a vine disease labeled "Phylloxera" or "leaf devasta- tor" threatened to terminate the industry of wine making forever. A new book titled "The Botanist and the Vintner" by Christy Campbell tells the story of this potential disaster; how at first the French were in a state of denial. The proud "vignerons" (folks involved in the wine trade) sim- ply would not accept it Next, they got angry. Who or what after all would challenge the heart and soul of France; to dare wreak havoc with its precious vineyards! Finally, after many years of searching, they decided to do something about a "petite" bug which threatened to put them out of business and defy the heart of national culture. This destroyer of vines, it .was eventually discovered, was a pest called an aphid. We have plenty of them right here in Citrus County, and they raise heck with many of our cultivat- ed plants and bushes. It's a tiny critter one-thirtieth of an inch long and one-six- teenth of an inch wide that feeds on a vine's roots, ulti- mately sucking out its life. And guess what: This nasty stuff originated in America. In the early 1860s, when native American vines were sent to France for experimen- .tation, the bug, without any- one's knowledge, hitched a ride on the roots. Twenty years later, most of the vineyards of Europe were destroyed. It spread, as they say "like wild- fire," and no one knew hpw to fight it The French government in 1873 offered a prize of what today would be the equivalent of $500,000 for a solution, to no avail. Many remedies were tried but nothing seemed to stop the little invader, including all sorts of insecticides, until finally it was agreed: there was only one solution to uproot and replant It takes about three years for the average vine to yield grapes, but they went ahead ripping out and replanting. Finally it was discovered the ultimate impasse was genetic. Botanists found by grafting Haw tl? Try d EASY a WContinued from Page 1C 'Ra -m ft - -____ wa wqwldm.41 fo- - - "sot -. op 1s -" ME 0M 40 -o a-N mp -4m qqm -m -- sas m -om40 swmmO* -- dEORO-4b DaEW'MO 0 Gmb -.04 a-.w .oqq a m * NW. mo- dm *b- ap a *mop "M follow package directions for dumplings and drop by large spoonfuls into bubbling pork and sauerkraut and cover for time suggested on package. Toast bread crumbs, stirring constantly over medium-low heat in a tablespoon of butter or margarine in small skillet. Serve pork and sauerkraut e t- Id if fs! European vines onto the roots of American varieties, the aphid was temporarily over- come. The wine world was able to breathe once more. But not forever, by a long shot It surfaced 'again in California in the 1970s. The lit- tle bug, it seems, had mutated. And in spite of all the science today, with its advanced expertise in genetics, the new fangled louse destroyed California vines. As late as 1997, it was estimated replanti- ng in that state alone cost more than 1-1/2 billion dollars. There is only one country in the world never affected by the "devastator," and that is Chile, which prides itself on this fact Are Chilean wines any better for never having been N Salt to taste U. 1 cup diced tart apples N 1 lb. light Polish sausage, sliced.1/2-inch thick In 2-quart saucepan over medium heat, cook potatoes, covered, in 2 inches boiling water until. tender, about 12 minutes: drain.. A traditional Korean food called Kimchi might be also be a solution in the fight against the bird flu outbreak Korean researchers said a bacteria in traditional Korean sauerlkaut is working to treat birds infect- ed with the avian flu by boost- ing their immune systems. Researchers at a South Korean university say there's no evidence yet that Kimchi can help humans fight the avian flu as effectively as it has in chickens. If you believe in prevention, however. Kimchi is readily. available in local supermarkets. They believe the German a- m *1m aw q- w awaso- 0 44m- io 4 .0 O- b 40 -alw - 4w .4w *- -o ow a- a- coZ Mqv m w* d~ml a 4O -to. *w 6 m 401 ww 00 i-ow--40d- ~w. b *m- q m- -ow * ~ * * - ~ * a * ___ * e a m ~ * -a ~ ~ a * a a ~*a ~0 -~ ~ qm~I-*~m- * -a * .~ a * a = * * T~ ~ *4jIEE~ a a- - a- - a * into 1/2-inch slices N 1/3 cup sugar * 2 tablespoons vegetable oil 0 2 tablespoons water * 1/4 teaspoon ground black pepper S 1 can (10-ounce) sauer- kraut, rinsed and thor-. oughly drained' * 1/4 cup sliced green onions * 1/4 cup chopped parsley I II. 65O983 Large 2 Topping Pizza............... 50 Crazy Bread w/ Sauce................. $199 X-tra Large 3 Topping Pizza.. 1099 Italian Cheese Bread.....................$39 10 W ings........................ .............$ " I II CRYSTAL RIVER King's Bay Shopping Center Hwy. 19 795-1122 WE DELIVER * Limited Delivery Area, $10 Minimum Purchase INVERNESS Citrus Center/Old Walmart Hwy. 44 344-5400 history attacked? They are good and! most are still reasonable, but: the rest of the transplanted wine world is still making decent stuff in spite of pesti-t lence. - The big question for. wine enthusiasts is: Does replanting, make for better wines? ,1 "You know you've found that, special someone when they' utter those three little words: 'Drinks on me.'" Anon. *. 1 Oak Ridge resident Ron Drinkhouse was a buyer and, seller of wines in his native Connecticut He wel-comes - inquiries, and can be reached via e-mail atronoct9@aol.com or via telephone at (352) 489-8952. pickled, cabbage dish contains a bacteria that fights the dis'- ease. Eleven, out of 13 chickens' infected with avian flu were' fed fermented cabbage andi showed signs of recovery with-- in a week Professor Kang Saouk made! the discovery in Seoul, South' Korea. He said: "The feed! helps the fight against bird fluid and other flu viruses." Experts! reckon the vital bacteria is cre-: ated during the fermenting; process and this gives the, dish its health-boosting quali-; ties. About the Old Farmer's, Almanac: The Old Farmer's, Almanac (2006 issue now ono the stands) was published first' in 1792 during George, Washington's second term as' president. Although many, other almanacs were being: published at that time, this; upstart almanac became an' immediate success, with 9,000Q copies in circulation for its sec-: ond year. Today more than 4 million copies are in circula- tion each year providing read- ers with thoughtful infbrma-: tion on everything from the; weather to health remedies;! recipes and sage advice.4 Check:. The latest issue is chock full; of down-home advice, weather forecasts, recipes and delight-- ful folk tales. a* w- with fluffy dumplings on th tm| side and sprinkle golden toas "opy vrinhted Material--:- :,isaZsai2 Copyrighte Mril dumplings. Serve with col -- | w applesauce or Waldor'salad. k..-.. I doesn't get any better than this. -- -Syndicated Content" *i- FRANK'S BLACK a-. ", FOREST POTATO Available from Commercal News Provders SALAD Available from Commercial News Providers medium potatoes,'cut Start the NewyearFresh! Try our Hot & Ready Pepperoni Pizza for$5.00. Call or Visit Little Caesars Pizza '11! J 04 "'Mrs. :CA F21 ] ANTIPASTO GREEK TOSSED SALAD FOOD Cmus CouNTY (FL) CHRoNicq 2C THuRsjDAY. TkNuARY 5. 2oo6 9 ** 0 ... D p- 'P l -. .**vo Available frc C.W - m - S - ~. * - - -mmf * l ** '" * * w - *. h IL . -.0 1ow.1 Wb 40 c 0 d 04 0 Jo ..NNW dl-a Ctm Sb g ~ %~.w L~. -Pd... qb~ fvkm- CL "a- - r qmc m doe &N -- dO 00 -n-om4910 4milm4d m 4 JV~N4 U Y - he * q e ~ . V - bAd .vYv AAA - - 4 a-- 0*a ewm amwmmm4 %b. oW- w--- %plw 0W -i3:'o .-", 1& lo, C % 4 4 ft-0 t. f.--g -.ab 1 S *6 0 S ohm r slw m alp m oa . oviders" .0. w-m m m la. amm ___ 4 WORPNW-- q ft wo- osmm 100 w - =M=uin wbAd -io -w ** 4bo"L0 10 & S qo w 0 >10Ub 0 40 4v -- G, 0ia . dw %4m 40?A -omm 4m o 4 3~bEIm m S* * * . ** * *S.. 0. 0 0 *0 0.0- *006- - 0* U a - - S.. *eSeOee 0 0S 06 0 *eeee@0e 0O S 0 0 6 0 * 600 *0 0 0 *0* 00 006 - V S U- U * -U a -U~ -tm - 4w W* gmukdrnt -- dgL- to of 1 [v-c ~. - - - - ~- - ~ U -a - U a- -a --U. - C - U- U a - - SM S4df dS - U --U 0 - * -a h S-~ -- - U U -C 5- U -a - U - * -a U - - -~ a - 5- U -a -U ~ - a * -U -~ a - - - - a - --U -a - - --U. -m U - U - * - S~- -~ U-~ - e 0 - - 0 -U - - - r - - U - a - a - - -U ~ -~ -~ _ SC - - - - - U- U- -r a - U a-~ --U --U U a - ~ m - a- - a -U - * -U MP - - a w f *0 - e S 'V ~ Y V V -m ~- - * - 0-~ U U ~- ST. - _m- -- b )pyrng hted: Materna Kynd icated Co intent . )mCommercial News Pr< w - 0 * S S - . ~ - . .4 0 6 - a U - U-- U -a C- * C U- U- a II S 0 Vn * 5 C - U U - U - . IF 1=4 m affw m Q - 69* - ,milU,. mv.. 1- d' Ae won - S So S 5 0 - a - 0 - - 5 SA - a - ~ S 0 Ii OI 4.bb ft dl v / q0p trial M6.- -- Ab 2 Syndicated Content , Available from Commercial News.Providers' 4- M lop 4MI w.-- op 4 - d- -ft 4b 4w . - q4'OEM * S 5'- * 'I ? p b.. ~I* *~ ~ Dy' OfW , q~~W 'I 10. 1a 4 a b *5 * lo ~. S ' a -S m -.0 -.EN -S - - ..0 -a. -- S1 - - w S ~5 m 40.m w - qqp - dim ~ m- ,NOW S S ~ a S ~ -- S - O0* - 3~ S S - 55' - - S - p -~ '0 0 * a. - 5's - 0 - -a -'a - a.- - 5' m * a. * -5 -S 5' - -5' S 5 5' 4100 -do- 41- o 05 - b -mw --o 41,"No "Mm 0 d s 4 mqmm glpm '. 4m ot Mom db* 0 4bqww -m -.* do- 4b 4=0 -M- S. -o ' 5'sa aIL1 - ,h te a. -A ~ -- ~ a - S - ~ "S 74 1"W, - U -1 Vba -f m d"11%4bd-p qf A 001 I AS 9MO-1 * "a *n- I -qm qm- SL * - qfm -o * 0 0 I 563-5966 I726m1441 r- Outside of Citrus County or Citrus Springs call: 1-888-852-2340 Sunday Issue...................5pm Friday Sunday Real Estate. .......3pm Friday_ Monday Issue...........5:30 pm Friday ,Tuesday Issue...... ..:. Ipm Monday Wednesday Issue.......... 1 pm Tuesday Thursday Issue........ I pm Wednesday Friday Issue.............1.... pm Thursday Saturday Issue:....... 1pm Friday 6 Lines for 10 Days! 2 items totaling $151 $400.............$050 40i1 :...... $801 -$1,500.:........$2050 Restrictions apply. Offer applies to private parties only. (HARGE I! ERROR I Re sn,' o iel or detieen All ads require prepayment. EeSs Cas "VISA first day it appears. We cannot be responsible for more than one incorrect insertion. Adjustments are made only for the portion of the ad that is in error. Advertisements may be canceled as soon as results.areobtained. You will be billed only for the dates the ad actually appears in the paper, except for specials. Deadlines for cancellations are the same as the deadlines for placing ads. SPCA OIE 0205HL A NTEA15 A0FI ANC AL 10- 91 EVCS 04 6A NIA LS 40-41[t O BIE OMSA ORRET R0AL 50-4 Attractive SWF 60's Christian, enjoys fishing, camping, home life, seeks gentleman friend who enjoys the same. Photo & phone please. PO Box 400, Homosassa, FL 34487 SWF, caring, funny and smart, looking for same in a fun-loving, outgo- ing SWM 55-65 for friendship and possible LTR. Reply to: Citrus County Chronicle 1624 N. Meadowcrest Blvd., Blind Box 925 P Crystal River, Fl 34429 WM 52 Looks 42, 6'1" S1801bs, blonde hair, blue eyes seeks attractive petite lady 30 to 50, 110 to 130lbs who likes riding Harleys for possible LTR. (352) 817-5833 ^ FREE SERVICE** Cars/Trucks/Metal Removed EREE. No title OK 352-476-4392 Andy Tax Deductible Recelot 2 FREE WASHERS, 1 DRYER, SAFE & FREEZER You remove. (352) 860-1491 2-6 month old Roosters. Take one-or both. (352) 726-5937 ADOPTIVE PARENTS NEEDED. 8 wk;'8 11 wk old puppies. (3,&2) 270-3345 Carpet 3 yrs. old good cond. sea green 16' x 14', also beige 17' x13' Quail Run S(352)613-3205 Collie/Chow mix. Shots & neutered. Golden color. (502) 345-0285 COMMUNITY SERVICE 1 The Poat. heiier ; S a .3,ilable i.r people who need to serve their community service. (352) 527-6500 or (352) 746-9084 Leave Message FREE Fire Wood (352) 527-1453 Free Alphalfa/Orchard Grass Hay. May have mold or Dust ( ,(352) 302-0962 FREE BEAGLE to good home, male, neutered. (352) 613-5101 FREE GROUP COUNSELING Depression/ Anxiety (352) 637-3196 or < 628-3831 FREE NICE COUCH Lg. leather recliner, dish- washer, 9 drawer dresser. Off CR 488. Call 563-0508 5 male very friendly 795-1684 Pit bull sweet male 344-5207 Blue min-pin female 2yo tiny 795-1684 Chow male friendly 1yo 795-1684 8 wk old Siamese kit- tens 795-1684 8 wk old white kittens 795-1684 6 month old med hair C: orange and white kitten 628-5224 2yo linx point I slamese-female 628-5224 ,,,. -. o - -qualified ,emplo.vee? This area's #1 employment source! Classifieds FREE KITTEN black & white, male, rescued, very loving (352) 228-7006 FREE REMOVAL OF Mowers, motorcycles, RV's,Cars. ATV's, jet skis, 3 wheelers, 628-2084 FREE Singlewide YOU MOVE (352) 628-7024 FREE WURLITZER ORGAN you pick up (352) 601-3997 Horse Manure / Shaving Mix 4075 W. Bonanza Drive Pine Ridge Area: (352)613-3205 KITTENS PURRFECT PETS' spayed, neutered, ready for permanent loving homes. Available at Eileen's Foster Care (352) 341-4125 Maine Coon Female Adult Cat: (352) 341-3295 Med.Sized Mix Dog, spayed, shots, needs room to run. (352) 628-2441. iv. msg. NEW OR USED YARD FLAMINGOS WANTED to join our flock at 1729 W Gulf to Lake, as a landmark for our new Path Shelter Store. 352-746-9084 rescued oet cornm Requested donations are tax deductible Pet Adoption Saturday January 7 - 9:30- 12:30 Barrington Place Rt. 486 Lecanto 527-9050 Cdtahoula leopard Kerr F 21/2 yrs only. .,r wray, -emale Lost In Citrus Springs on 1/1. friendly. (352) 465-8638 Found Pomeranian. Call to Identify (352) 795-1697 Lost Basset Hound, Homosassa Area, btw. Canary Palm and Oaklawn St. Fri. 23, needs meds. Reward (352) 628-9634 LOST BLACK & WHITE female cat, front declawed, flea collar, Vicinity: Ozello Trail. Last seen Christmas Day. Answers to "Sassy" (727) 364-6534 Lost Black Lab, In Crys- tal River Area, suffers from seizures please call If found (352) 302-4120 LOST DOG, Eden I(ardens, Inverness female, Collie mix, white & gold, fluffy, 80 lbs., Answers to "Maggie" Has freckles on her nose. (352) 726-5650 or (352) 476-3251 LOST DOG Shih-Tze In Chassahowitzka REWARD 1-888-511-1009 Lost Gym Bag on Highland St or HWY. 19. (352) 628-3590 Lost small Pomeranian, honey colored,, vicinity of Cinn. Ridge Homosassa (352) 7951712/(201) 303-8951 Tri-Color Gold bracelet, lost Publix, Crystal River area from 12/27-12/29 (352) 228-0740 Boat Equipment Found on US 41 in Hernando, Call to identify (352) 465-6861 Near Inv. Middle School. Small grey kitten w/ blue collar. (352) 726-7271 Siamese Cat Forest Lake North. Call (352) 489-0035 To identify I Bdnkruptcyi I *NameChange I Wils 1 Invemess 637.4022| ACCIDENT VICTIMS All Accident & Injury Claims *Automobile -*Bike/Boat/Bus *Animal Bites Workers Compensation 'Wrongful Dealth 'Nursing Home Injuries A-A-A Attorney Referral Service (888) 733-5342 FCAN ARRESTED- Need a Lawyer? All Criminal Defense *Felonies DUI *Misdemeanors *Automobile Accident 'Domestic Violence 'Wrongful Death. "Protect Your Rights" A-A Attorney Referral Service (888)733-5342. 24 hrs., 7 days a week FCAN *CHRONICLE* INV. OFFICE 106 W. MAIN ST.. Courthouse Sq. next to Angelo's Pizzeria Mon-Fri 8:30a-5p Closed for Lunch 2pm-3pm DIVORCE $275-$350 'Covers children, etc. Only one sigrnature required I Excludes govt. fees SCall weekdays (800) 462-2000 ext. 600 (8am-7pm) Alta Divorce, LLC Established 1977 FCAN LEGAL SECRETARY Seeking P/T Employment. Well qualified w/ 12yrs exp. (352) 527-0644 "MR CITRUSCOUNIY'" ALAN NUSSO BROKER Associate Real Estate Sales Exit Realty Leaders (352) 422-6956 ^-----1 REAL ESTATE CAREER | Sales Lic. Class I $249.Start 2/14/06 CITRUS REAL ESTATE I SCHOOL, INC. S ATTRACTIVE SWF seeking male companion. Candi, 352-628-1036 Full burial pkg. for 2, Fero Memorial Garden of Honor. Relocating. Worth over $10,000. Sacrifice for $5,874.50. (352) 746-0323 -4 BOOKKEEPING 'OFFICE EXP.. Needed for multi facet- ed business. Fax resume to 352-795-8897 DECCA *EXP. SERVICE TECH eJANITQRIAL TECH Apply At: DECCA In Oak Run, 7 mi off 1-75 on SR 200 west, Mon Thurs 8am-12 noon or Call (352) 854-6551 or fax resume (352) 861-7252 Decca is a Drug Free Work Place. EOE JOBS GALORE!!! EMPLOYMENT.NET Real estate Office Looking for Secretary Receptionist, full time, w/ Telephone & Com- puter skills. Health Ins... Marlin 1-866-724-2363 7127 U.S. Hwy. 19 New Port Richey, FL 34652 Beauty Shop for rent. (352)795-2511/794-4150 EXP. BARBERS Be your own boss. Own Clientele, 70% Comm. (352) 205-727 (352) 572-6029 (352) 572-6346 EXP. NAIL TECH For fulltime position Send Resume to: Park Avenue of Hair Design 3433 E. Gulf to Lake Hwy. Inverness, FL 34453. Attn: Sherry NO PHONE CALLS HAIR DRESSER. F/T or P/T, no weekends (352) 637-5152 Housekeeper Wanted. (352) 344-4883 HOUSEKEEPER Live-in, Pine Ridge, own room & bath. (352) 746-1894 C0OmNSCOIOtoMNOrilaN . LICENSED PRACTICAL NURSE (Full Time) Night Shift. Drua Free a Skilled Facility has openings for: CNA's Fulltime 3-11 & 11-7 Fax Resume (352) 746-0748 or Apply in person Woodland. Hernando (352) 249-3100 -- i-- jI CNA'S F/T I 3-11 Shift differential. Bonuses abundant Highest paid in Citrus County. Join our team, Cypress Cove Care Center (352) 795-8832 DENTAL FRONT DESK experienced team player to join quality dental practice in Dunellon. Excellent pay & benefit package. Fax Resumes to: (352) 489-8462 Life centers of America Dietary Aide Full Time/Part Time Shift Varies We offer excellent pay and benefits in a mission driven environment. Visit us at: 3325 W. Jerwayne Lane, Lecanto FL 34461. EOE DFWP EARN AS YOU LEARN CNA Test Prep/CPR Continuing Education 341-2311/,Cell 422-3656 EXP. DENTAL OFFICE RECEPTIONIST Experienced, Light Assisting, must be out going, detail oriented & professional. Call 795-3131 or fax resume to 795-2235. F/T Temporary Hygienist Needed for upscale Homrnosassa Dental Office. Please Call Lisa at (352) 628-0012 or 634-0264 FOOD SERVICES COORDINATOR FRONT OFFICE Medical experience required. Please send resume to: PO Box 3087, Homosassa Springs,FL 34447 LINCARE Leading national respiratory company seeks health care specialist. Responsibilities; Disease manage- ment programs, Clinical evaluations, equipment set up and education. Be the doctor's eyes In the home setting. RN, LPN, RRT, CRT, licensed as applica-- ble. Great personality with strong work ethic needed. Competitive salary, benefits and career path. DFWP/EOE. SHIFTS AVAILABLE $20.00 Hour Fax resume to (352) 637-1176 or apply in person Interim Health Care 320 S. Kensington Ave. Lecanto FIl 34461 MEDICAL OFFICE ASSISTANT NEEDED For Mon, Weds & Fri. for Woman's Center. Fax resume 352-795-2296 MEDICAL TRANSCRIPTION 1ST Busy medical practice Exp. med. terminology, 65-75 wpm w/1-2 yrs medical exp. Excellent written & oral communi- cation skills needed. Excellent benefits. Mon thru Fri. Fax Resume 352-637-4510 RN FULL-TIME For a growing medical practice, excellent pay with benefits. Fax Resume to: 352-746-6333 SRN's/LPN's NEW VISIT RATES BEST RATES IN TOWN Looking for extra $ for The Holidays? A+ Healthcare Home Health (352) 564-2700 Start your New Years!! Off with the Company that works for you!!!!! LTC, Hospitals, County Jails, Local Prisons & Home Health. We Welcome HMK*HHA* CNA*LPN & RN's Come join our TEAMI! I Call 352-344-9828 -I- ADMINISTRATIVE ASSISTANT to our MARKETING DEPT A New Job for a New Year! Join the Top Employer in Citrus Countyl We are seeking a dynamic adrinistra- tive Individual to support our Marketing Department. Success- full candidate Ymust be proficient In Microsoft Office software to Include Excel, Word & PowerPoint as well as Publisher. The desired candidate must be a team player, creative, detail oriented, self-motivated and organized. Competitive pay & benefits. Send your Resume for consideration to: TLC Rehab, Inc. Afttn: Director of Recruiting PO Box 1214 Homosassa Springs, FL 34447 Or via fax or e-mail to Fax 352-382-0212 vbolton@ therapymgmt.com Bookkeeper Excel. Opportunity for a self motivated, dependable & detail oriented ind. Must be proficient In Microsoft Excel & Word. Bookkeeping exp. & A job references are req'd. Fax resume to: (352) 746-3838 EXECUTIVE HOUSEKEEPER For 114 Room Resort Hotel In Crystal River. 3 years prior experience In position required. Health Insurance, 401, Vacation & Holidays Fax resume with salary requirements to 352-795-3179 Financial Services Client , Coordinator Rapidly growing financial services firm in central Citrus County seeks client -services coordinator with financial and/or banking experience to join our team. Attractive compensation package for the right individual Including health care benefits. All replies held in strictest confidence. E-mail cover letter and resume to Recruiter2450@ yahoo.com. INSURANCE CUSTOMER SERVICE REP. License 440/220 Great pay & benefits, Fax resume to 352-746-0128 or call 352-746-5580 REALSTATE CAREER I Sales Lic. Class. I 1 $249.Start 2/14/06 CITRUS REAL ESTATE SCHOOL, INC. _s (352)795-0060 Securitas Security Services Inc. the largest Security provider In the world, is currently hiring for Security Officers for the Crystal River site located at the Progress Energy Nuclear'Facillty in the Citrus County area. If you enjoy working in a physically demanding, professional environment, have excellent customer service skills, and are dedicated to doing a great job, this may be the opportunity for youl Minimum Requirements: SReliable transportation SEligible to work in the U.S. 0 21 years of age or older >- High School Diploma or G.E.D. >- Good written and verbal communi- cation skills > Military background or previous Security experience Is preferred, but NO EXPERIENCE NEEDED. a- Willing to submit to background procedures Including drug screen and back ground check. ALL APPLICANTS ARE WELCOME. To learn more about Securitas Security Services Inc. in your area, visit us at net $$$$$$$ DELIVERY DRIVERS w rV'.'3t J *:.:.T. i.:.r. ':ju fTer.r, Ir, e,'r.e : PIZZA HUT: 726-4880 ALL POSITIONS At HOMOSASSA RIVERSIDE RESORT &. RIVERSIDE CRAB HOUSE. AoDIv In Person Way, Homosassa APPLEBEE'S Crystal River now hiring ALL POSITIONS Apply in person, Between 2-4 NO CALLS PLEASE. *BARTENDERS *SERVERS High volume environmcri E.p preferred. :.:.:i.:.r.. available in Inverness COACH'S Pub&Eatery 114 W. Main St., Inv. EOE Concession Help, Wait Staff, Cook & Counter Help ARpp.ly jn.person at the West Entrance at Homosassa Springs State'Park Dishwasher & *Various Positions APPLY IN PERSON Mon-Thurs. 9a-10:30am or 1:30p-3:30pm ANGELO'S PIZZERIA 108 W.Main St.,lnverness NO PHONE CALLS 1^ FULL TIME BREAKFAST/ LUNCH COOK. EXP. Only Apply at DECCA at OAK RUN 7mi off 1-75 on SR 200, applications accepted 8am-12 noon, Mon-Thurs., call for more.information 352-854-6557. Decca is a Drug Free Workplace.EOE LINE COOK BUSSER Full and Part time positions available. Apply in person at Sugarmill Woods Country Club at 1 Douglas St. (352) 382-3838 *'. I: A Gulf Coast Ford 2440 N.W. Hwy. 19 I Crystal River, FL 34428 Ask for Jim Preston A 1 Equal Opportunity Employer S o8840 Drug Free Workplace SCTRS S "" U. THuRsDAY, JANuARY, 5 - 2006 SC clASSIIFIIIF-11)s 'I.;' CITRUS COUfVTY (FL) CHRONICLE & PKG & DELIVERY EARLY MORNINGS Apply Monday Friday before 10am at 211 N. Pine Ave., Inv. LINE COOKS Needed, apply within, good pay. Marguerlta Grill . 10200TW, Halls River Rd. Homosassa Sous Chef Exp. req. Vandervalk Restaurant 352-400-2138 EXP. SALESPERSON Fulltime, Great customer service skills, Send Resume to: Park Avenue of Hair Design 3433 E. Gulf to Lake Hwy. Inverness, FL 34453. Attn: Sherry NO PHONE CALLS IMMED. SALES POSITION For accredited Water Quality Co. Highly motivated. Top earning potential. Contact Bob 352-621-0403 LINCARE Leading national respiratory company La l.e re. -;lari..n ,ris-. e ...,rt:lr.3 relationships with MD's, Nurses, Social Workers, and articulate our excellent patient care with attentive listening skills. Competitive base plus uncapped commission. DFWP/EOE. Please fax resume to 352-726-7174 VILLAGE Village Cadillac Toyota/Scion is starting a two week AUTO SALES TRAINING CLASS January 16th, 2006 We offer: Paid Training Best Pay Plan in area cC.rtr ..j i :.r, Paid Vacation Dental Plan Promotion from within No experience necessary but you must be well dressed, well groomed, arof l,-ri ri e and work ethic. Please apply in person at: Village Cadillac Toyota/Scion i 2431 S. Suncoast Blvd. Homosassa We are aDrug Free Workplace Zone Advertising Sales Rep Full Time, to sell print advertising lnto the Chronicle Zone Edi- tions and other LCNI products. Service established customers and prospect for new advertising customers in the Crystal River/ Homosassa, Florida area. QUALIFICATIONS *College degree or at least two years of sales experience preferred. * Computer proficiency, * Must have-initiative, be self-motivated. * Strong skills in planning/organizing, listening, written and verbal communica- tion, problem-solving and decision-making aptitude. Strong presentation skills preferred. * Reliable transporta- tion to make local and regional sales calls, Application deadline Jan. 16,2006 EOE, drug screen required for final applicant. Send resume & cover letter to: HR@ chronicleonline.com 6C THURSDAY, JA. -S $$$ SELL AVON $$$ FREE gift. Earn up to 50% Your own hrs, be your own boss. Call Jackie I/S/R 1-866-405-AVON NEW HOME SALES Experienced New Home Sales Associate wanted Real Estate li- cense required, Min 2 yrs exp., for the Citrus County area. Fax resume to 727-835-1140. DFWP/EOE Phone Sales Help Earn $1000 week easy Mon-Fri. 35 hrs.week. Base pay + comm. Call Note, 563-0314, Cell 464-3613 REAL ESTATE CAREER Sales Lic. Class I S$249.Start 2/14/06 CITRUS REAL ESTATE l SCHOOL, INC. (352)795-0060 LI,,=m = m =J CITRUS COUNTY (FL) CHRONICLE SALES HELP Salary. Ask for Clyde 564-7008 btw 9-5pm $100 A gfBnus TRANSPORT CO. Drivers Needed Company & Owner Operated, class A, CDL, hazmat & tank- er, endorsement a plus. Benefits after 90 days. Come join our growing company. Minorities encour- aged to apply. EOE, DFWP (352) 728-5361 S INSTALLERS *SERVICE TECHS *HELPERS FREE Health Ins. 401K.,Company truck & 2 weeks paid vacation. Family Owned & Operated. SENICA AIR CONDITIONING INC 1803 SE US. HWY 19 Crystal River 34429 (352) 795-9685 Y-ourVbrl Your World c- .... Cfl,-r.t, m ta,,l.,fl I' "Copyrighted Material p Syndicated Contentl Available from Commercial News Providers" itW %4j'. 1 =one t $$$$$$$$$$$$$$$ LCT WANTS YOUR $$$$$$$$$$$$$$$$$ Immediate processing for OTR drivers, solos or teams, CDLA/Haz. required Great benefits 99-04 equipment Call Now 800-362-0159 24 hours ALUMINUM INSTALLERS/ GUTTERS MUST HAVE CLEAN DRIVER'S LICENSE Call:(352) 563-2977 ALUMINUM INSTALLER Exp. only. Must have good driver's license, Sno truck req. 40+ hours. 352-726-6547 Automotive Tech. Do you like to fix cars? Busy Inv. shop looking for honest, friendly tech/ trainee w/ some exp, Call (352)726-3539 Boom Truck/ Crane Operator Req. Class A or B CDL Uc. Steel fabrication & welding exp. req'd. 8794 W. Tradeways Court, Homosassa. 34448 (352) 628-6674 CABINET SHOP Seeking experienced craftsman or person willing to learn the trade for cabinetry & Installation. Bushnell. 352-793-8132, Sharon. Driller's Assistant & Service person Needed, long hours, clean Class D lic & Ch, Ir.,3 i.:-.:,rd r,,:,:J 352-400-0398 before 9p DRIVER For specialized carrier, oversized. 2 yrs exp, benefits (352) 799-5724 FRAMERS Local-Steady 352-302-3362 DRIVERS Class A & B. Required, Full time & Part Time. Local/ Long Distance. Home most weekends. Contact Dicks Moving Inc. (352) 621-1220 SEALCOATING STRIPING, ASPHALT PAVING DUMP TRUCK DRIVERS CDL License TOP PAYI (352) 563-2122 F/T DRIVER Class B CDL Exp'd. dump preferred. (352) 302-3915 or (352) 628-6414 FRAMERS & CARPENTERS Must be dependable & exp. Own tools and ride a must. 352-279-1269 FRAMERS & LABORERS Local work (352) 302-4512 FRAMERS, LABORERS &, SHEETERS Trades cn /Skills L I MSONSTad cn/SillsK CILASSIEFEEIDS FRAMER & HELPER For Inverness Area. (352) 418-2014 FRAMING CARPENTERS & HELPERS NEEDED Transportation Req. (352) 422-5518 MASONS & MASON TENDERS Steady Citrus Co. work. $10/hour to start. Start Immediately 352-302-2395 Mechanic Wanted Must be experienced in diesel and must have tools. Apply at SMG, Crystal River 795-7170, ask for Steve. METAL BUILDING Erectors, Laborers All phases pre- engineered bldgs. Local work. Good starting salary. Paid holidays & vacation. Call Mon-Fri, 8-2, toll free, 877-447-3632 MIG WELDER $1HR/ Piece work, experience Mig weld- Ing. Local references. 2541 W Dunnellon Rd PLASTERERS & LABORERS .l.u.i hO 352-344-1748 EXP PLUMBER Starting Wage between $16-18/hr. I | ALSO HELPERS | Benefils, Health, Holidays & Paid Vacation. 621-7705 *PLUMBING FOREMAN *PLUMBERS *HELPERS E" cr;,C,-,,: e [fr. ,-. r .lr ,.:',3 Call 1-800-728-6053 Plywood Sheeters & Laborers Needed in Dunnellon area. (352) 266-6940 60FT BUCKET TRUCK JOE'S TREE SERVICE All types of tree work Lic.& Ins. (352)560-7326 Split Fire Wood for Sale 26 YRS EXP. Tree Service Removal stump grind, trim. Tom Donnelly. Lic 0183997(352)726-1875 A TREE SERVICE serve. Lowest raes Free estimates352-860-14526 All Tractor & Truck WorkN Deliver/Spread. Clean, Ups, Lot & Tree Clearing Bush Hog. 302-6955 DOUBLE J STUMP GRINDING, Mowing, HaulingCleanup, Mulch, Dirt. 302-8852 LAWNCARE-N-MORE Lawns, Hedges, Trees, Beds, Mulch, Cleaonups Haul, Odd job 726-9570 Debris &TREE ag& CRANE SERVICE Serving All Areas. Trees Topped, All Trimmed, or k, Removed. Upcensed Lot & Insurled.aring R WRIGHT TREE SERVICE, grind, 'r.r, ir.. ** 1-,.: #0256879 352-341-6827 STUMP GRINDING Lic. & Ins. Free Est. Billy (BJ) Mclaughlin 35ch, Dirt. 302-212-6067 STUMPS FOR LE$$ "Quote so cheap you won't believe It!" (352) 476-9730 (352) 476-9730 .IVIPU UIcK TECH MEDICS Hardware & Software Internet Specialists (352) 628-6688 REPAIR/SERVICE Housecall *$59 Flat Rate 1-800-768-7851 Citrus VChris Satchell Painting & Wallcovering.All work 2 full coats.25 yrs. Exp. ixc. Architectural Covers Inc. Painting res./com. Int./Ext. Service you can trust! Cont. Uc.# 99990004139 Cell - (352)257-1436/746-9471 CHEAP/CHEAP/CHEAP DP Pressure Cleaning & Painting. Ucensed & Insured. 637-3765 George Swedlige I S352-464-3967 Pressure Cleaning Painting, Handyman, Rental unit restoration #73490256567 726-9570. BATHTUB REGLAZING Old tubs & ugly cerarilc tile is restored : nre .' cond. All colors .3.oii 697-TUBS (8827 - CUSTOM UPHOLSTERY M.: -'i.rr, 5. artiqu, :oni,, 628-5595 or 464-2738 LOVING CARE That makes a difference. Will care for elderly person In my home or yours 24 hr. care. Louisa 613-3281 vChris Satchell Painting & Wcllcovering.AlI work 2 full coats.25 yrs. Exp. Exc. Ref. Lic#001721/ Ins. (352) 795-6533 CLEANING. Reliable, affordable, Weekly, bi-weekly, monthly Joy, 352-601-2785 cell Dailey's Cleaning From LBI., NJ. Res./Comm. Lic. Ph. Teresa (352) 503-3296 Dennis Office Cleaning and Floor Waxing 17 years experience (352) 400-2416 HOMES & WINDOWS Serving Citrus County over 17 years. Kathy (352) 465-7334 KAYLA'S CLEANING Res./Comm. Wkly, bi-wkly, monthly, Lic./ Ins. Bonded, Free Est. (352) 341-0275 The Window Man Free Est., Com./residential, new construction Lic. & Ins. (352),228-7295 Additions/ REMODELING New construction Bathrooms/Kitchens Lic. & Ins. CBC 058484 (352)344-1620 LINGS PLUS Trim & Finish Contractor. Uc/Ins. 99990003893 (352)344-1982 (352) 361-7714 ROGERS Construction Additions, remodels, new homes. Most home repairs. 637-4373 Screen rms,Carports, vinyl & acrylic windows, roof overs & gutters Uc#2708 (352) 628-0562. 341-3300 Pressure Cleaning Painting, Handyman, Rental unit restoration #73490256567 726-9570, Oil #1 IN HOME REPAIRS, paint, press.wash, clean roof&gutters, clean up, haul #0169757 344-4409 #1 NEW ENGLAND HANDYMAN. Siding, painting, all repairs, llc# S AFFORDABLE," " DEPENDABLE I HAULING CLEANUP. PROMPT SERVICE .,I Trash, Trees, Brush, | Apple Furn, Const, | Debris & Garages 352-697-1126 Andrew Joehl Handyman. General Maintenance/Repairs Pressure & cleaning. Lawns, gutters. No job too small Reliable. Ins 0256271 352-465-9201 Dan Hensley Home Maintenance Service Friendly-Fast Service 10% disc to all Senior citizens, lic.99990003899 Call (352) 628-6635 DANIEL HARSH EXP. HANDYMAN. Full Range Services. No Job too small. Punctual, Reliable & Affordable. .Uc. 80061, Ins. ,& Ref. (352) 746-2472 EXP'D HANDYMAN All phases of home repair. Exc work Honest, relia- ble, good prices. Ins/Uc #73490255092, 860-0085 servlces.Uc.0257615/lns. (352) 628-4282 Visa/MC mE- Pressure Cleaning Painting, Handyman, Rental unit restoration #73490256567 726-9570 CITRUS ELECTRIC All electrical work. Uc & Ins ER13013233 352-527-7414/220-8171 All of Citrus Hauling/ Moving items delivered, * clean ups.Everything from A to Z 628-6790 S AFFORDABLE, S DEPENDABLE, HAULING CLEANUP, PROMPT SERVICE I Trash, Trees, Brush, Appl. Furn, Const, SDebris & Garages 352-697-1126 FAST, FRIENDLY, AND AFFORDABLE, Clean up, hauling & yard work (352) 560-7139 GOT STUFF? You Call We Haul CONSIDER IT DONE Moving.Cleanouts, & Handyman Service Lic. 99990000665 (352) 302-2902 HAULING SMALL LOADS With dump trailer Reasonable rates. 795-3015 or 634-1789 LAWNCARE-N-MORE Lawns, Hedges, Trees, Beds, Mulch, Clean ups Haul, Odd job 726-9570FENCE Free est., Lic. #0258336 (352) 628-1190 813-763-3856 Cell John Gordon Roofing Reas. Rates. Free est. Proud to Serve You.. ccc 1325492. 795-7003/800-233-5358. SPOOL BOY SERVICES I Total Pool Care I I Acrylic Decking L 352-464-3967 RIP RAP SEAWALLS & CONCRETE WORK Lic#2699 & Insured. (352)795-7085/302-0206 Additions/ REMODELING. New construction Bathrooms/Kitchens LUc. & Ins. CBC 058484 (352) 344-1620 S AFFORDABLE, I DEPENDABLE, HAULING CLEANUP, PROMPT SERVICE I I Trash, Trees, Brush, I Appl. Furn, Const, I Debris & Garages I 352-697-1126 L m m m mI DUKE & DUKE, INC. Remodeling additions Lic. # CGC058923 Insured. 341-2675 CERAMIC TILE INSTALLER Bathroom remodeling, handicap bathrooms. Uc/Ins. #2441 795-7241 CUTTING EDGE Ceramic Tile. Lic. #2713, Insured. Free Estimates. (352) 422-2019 LINGS PLUS Trim & Finish Contractor Uc/Ins. 99990003893 (352) 344-1982 (352) 361-7714 REPAIRS, Wall & ceiling sprays. Int/Ext Painting Uc. Lrc. lns.(352)302-7096 VanDykes Backhoe Service. Landclearing, Pond Digging & Ditching (352) 302-7234 (352) 344-4288 r AFFORDABLE, DEPENDABLE, I HAULING CLEANUP, PROMPT SERVICE I I Trash, Trees, Brush, I, a. rd-.r. f'.,loc. il,r.g. Uc 5 Ir,: 352- 303-4679 HAMM'S BUSHHOG SERVICE. Pasture Mowing, lots, acreage. Licensed & Insured (352) 400-5233 mIm-- SUN RAYS Landscaping Water gardens, stone walls, pavers, tree work, cleanup. 352-228-1235 PRO-SCAPES Complete lawn service. Spend time with your Family, not your lawn. LIc./Ins. (352) 613-0528 . AFFORDABLE, - I DEPENDABLE, I HAULING CLEANUP, PROMPT SERVICE I Trash, Trees, Brush, Appl. Furn, Const, I Debris & Garages I 352-697-1126 L m-m m m me use a EML POOLS Pool cleaning & repair, Serving Citrus County 32 yrs. Usc & Ins. (352) 637-1904 MAVEN Pool Maint. NEW LOWER WINTER RATESI Wkly. chemical & full service avail. Uc. (352) 726-1674 POOL BOY SERVICES I r.roi p.oli :oi, I I -cr,i.- Dec,inra 352-464-3967 " --- -inm Seasoned Oak Fire W ood, .''i ,1 7C J. Will Deliver. (352) 344-2696 FIREWOOD Oak, Cherry, Hickory Mix. Seasoned (352). 726-9476 or 860-2214 Firewood, Oak Sea- soned split. Pick-up or deliver. (352) 754-5146 CRYSTAL PUMP REPAIR Filters, Jets, Subs, Tanks, w/3yr Warr. Free Est. (352) 563-1911 WATER PUMP SERVICE & Repairs on all makes & models. Lc. Anytime, 344-2556, Richard "MR CITRUS COUNTY ALAN NUSSO BROKER Associate Real Estate Sales Exit Realty Leaders (352) 422-6956 YANCIE'S REFINISHING. Reasonable Rates LIc.# (352) 697-0489 --j1Gutters RAINDANCER Seamless Gutters, Soffit Fascia, Siding, Free Est. Lic. & Ins. 352-860-0714 CREATE VI7COA I. G" Slip Resistant '. Surface .. v- No Reseaing S. Oil, Rust& ." "u c:ii,,c"* age . s .. .. 'a..- *, *.." Driveways Pool Decks Walk Ways Any Design FNew Years Special 1 25% OFF L expires 1/31/06 J 352-628-1313 Siding, Soffit & Fascia, Skirting, Roofovers, Carports, Screen Rooms, Decks, Windows, Doors, Additions Renew Any Existing Concrete! Designs Colors Patterns MAINTENANCE-FREE ACRYLIC Pool Decks Driveways, etc. 352-527-9247 Lic/JInc. WHAT'S MISSING? Your ad! Don't miss out! Call for more information. 563-3209 EXP. PAINTERS Wanted. Lonny Snipes Painting, Cell, 400-0501 PRODUCTION/ MECHANIC Great Southern Wood Preserving Inc., Is seeking a goal oriented, dependable, safety conscious person to become part of our team. Individuals would need some mechanical background & be. willing to work the 2nd and/or the 3rd shift. We offer competitive wages, health care & 401 Please apply In person at: 194 CR 527A Lake Panasoffkee, Fl33538, Or call Sean 0 Dell (352) 793-9410 Drug Free Work Place EOE PROFESSIONAL PEST CONTROL Needs Technician * Hourly pay * Commlsion * Company Vehicle * Paid Training * Paid Vacation * Paid Sick Days * $30,000 Depending .:,r, b.Ir (352) 344-3444 Rainey Construction Is seeking Exp. Pipe Layers & Equipment Operators For underground water and sewer. Good pay and benefits. DFWP. Call 352-748-0955 READY MIX DRIVERS Class B or A, drivers ....-nl,.i O,' P .c d, r0.;. ir.QuIr- ...,r.irr .31 Gulf Coast Ready Mix 8778 W. Jump Court btw. hrs. 8am 5pm ROOF REPAIR PERSON WANTED Min 5 vrs exo Apply In person AAA ROOFING MASONS & LABORERS 352-529-0305 ROOFERS Brooksvllie commerce. company experi- enced in built-up, modified, single ply. Must have valid driver's ic. Good pay + benefits. 352-225-1407 (cell) or 877-596-11 Needed Must have own transportation. (352) 628-3248 TOW TRUCK DRIVER Weekends a must. Experienced. Must live In Inverness/Floral City area, Apply at: Ed's Auto & Towing 726-5223 TRUSS TRUCK DRIVER Clao CDIL O,'T: Full .r,.rni; Call Bruce Component Systems. Inc. BUDDY'S HOME FURNISHINGS I: u rn r it . I. h'i .p .3 Delivery Drver,' Account Manager Trainee. Must have clean Class D license. Good people skills. (352) 344-0050 or Apply in person at 1534 N. Hwy. 41, Inverness. EOE DFWP CAREGIVER NEEDED PT for male Parkinsons patient. Flexible hours. (352)564-1741 CARWASH HELP BKLEEN has a position open for a Drug.Free hard working person. 527-4977 CDL-DRIVER Class A, B or C w/ passenger endorsement. P/T 20hrs week. Nursing exp. helpful Apply at: Barrington Place 2341 W. Norvell Bryant Lecanto, Fl CIRCULATION SYSTEMS MANAGER Responsible for the maintenance and performance of the circulation systems; Produce reports and troubleshoot system problems. Assist with compli- ance and reporting Sir-e Circulation IAudit Bureau. .Involved in newspa- per's marketing and NIE efforts; 'r l..eJ,3E .O: ir. DSI *:ir.:uliailon 5,1er6r Knowledge ..K aK ouairi,.a Sr,uiheT, er,l. Reports to the rcuiarl.-.rn Dire -,or Full oirri, Ji'-J.5 r..:,u per ..4i. .-.mpt p..:l:,,-,r .3rnd c,-.uld require some early morning and weekend duties. Applications being accepted through January 10, 2006. Apply to: hr@ crr.:.rilr il ori iri :- rr. Cleaning Position F/T or P/T, days or night Dependable trans., good driving record, exp. pref., bondable. DFWP Call 8am-6pm, 352-860-2646 CITRus COUNTY (FL) CHRONICLE Cleaning Positions Up to $12 per hour. Nights & wknds. Inver- ness area. DFWP EOE 352-860-0596 Lv. Msg. or fax resume 637-0330 CONSTRUCTION LABORERS WANTED No exp. necessary Must be 18 or over, Transportation preferred. Call for Interview, 860-2055 Delivery Driver For Ocala, CLW, Tampa areas, Class D Uc., local ref., $10-12/hr., Benefits 2541 W Dunnellon Rd DRIVER Clean driving record, CDL or class D, drug free work place, 1505 S. Suncoast, Homosassa 564-7008 btw 9-5pm FRONT DESK Hotel experience preferred. Great benefits. Full time. Apply in person: BEST WESTERN 614 NW Hwy 19, Crystal River. GROWING BBQ & CATERING BUSN. Hiring happy, prompt, dependable, courteous, driven, outdoorsy team members for day shift. Call (352) 302-8971 HOUSEKEEPER i Good Benefits Apply in person at: Best Western Crystal Rive,r Housekeeper Wanted. (352) 344-4883 Housekeeping Looking for an ind. to help maintain Country Club Activities Center, Golf Pro Shop, Restaurant, etc. Full Time. Apply in Person: 240 W. Fenway Drive. Hernando JOBS GALORE!!! EMPLOYMENT.NET LAUNDRY ASSISTANT :.I;: ir, i urC rur:, li-.r igr,t maintenance. Good Benefits Apply in person at: Best Western Crystal River MUNRO'S LANDSCAPING Is seeking exp'd landscaping personnel. Must have valid driver's license. (352) 621-1944 NOW HIRING FRONT DESK & '",,OUSE-PERSON - Apply in person, Bella Oasis. Hwy.19, Homosassa Springs OFFICE ASSISTANT For Home Builder l.Iu1t a e .:ha',il ..j Ar. ., i .-."-l, r, .ur ,.orI' c_- L: C .:.r. trj,:Ill.:.r. Organizational & Customer Service skills a must. Fax Resume 352-637-4141 OPS Food Support Worker One Year of Food, Service Experience. High School Diploma Sor Equivalent. Note: This Is Work With Youth At A Remote Second-Chance School. The Incumbent Will Be Required To Pass Background Screening. and Requires Possession of Valid Driver's Ucense. Salary $8.44 Per Hour, 24 Hours Per Week. Submit a State of Florida Applicatlon'to DACS, Division of Forestry, Forestry Youth Academy. Attention: Sandy Jinorio, 14251 SE Glass Road, Inglis, FL 34449. EEO (352)465-8533 POOL SERVICE TECHNICIAN Exp .requested but not necessary. Will train, senior citizens, welcome. Apply in person. Mon-Fri 8am-3pm1233 E. Norvell Bryant Hwy. r mm REAL ESTATE CAREER I Sales Lic. Class I ' |$249. Start 2/14/06 CITRUS REAL ESTATE S SCHOOL, INC. (352)795-0060 SECURITY OFFICERS Security Class D Lic. Required. Local. 352-726-1551 Ext 1313 Call btw. 7am -3pm TRUSS BUILDERS O/T; Full Benefits. Call Bruce Component Systems, Inc. (352) 628-0522 Ext 15 WE BUY HOUSES' Ca$h........Fast I 352-637-2973 1homesold com An Help For nights & weekends. (Wll Train). Must be over 18. Apply In person. Manatee Ldnes, Crystal liver. DFWP,12006 REAL ESTATE CAREER CITRUS REAL ESTATE I | SCHOOL, INC. | PERSON AND OUTSIDE upcoming for new yearly. Call for Application (800) 556-7577 FCA06 TEAMS! $1,000 sign on bonus/ea. Approx. $1,100/wk 2 yrsOTR,00No DUI/DWI Northern FL area. Excellent equipment! Excellent lanesi Great benefltsi Home weekends! (888) 216-0180 FCAN OFFICE MANAGER PT Must be able to work flexible hrs. Book keeping & computer skills a must. Good with people. Security Check. Please fax resume to (352)726-2787 ALL CASH CANDY ROUTE Do you earn machines, free candy. (888) 629-9968 B02000033 CALL US: We will not be undersold FCAN KNIFE & DART BUSINESS Ready to set up a store $85,000 in Inventory, high quality items, asking $25,000 obo.. cor (352) 22-6155 MILLIONAIRE MAKERS ' That's what Success Magazine called us in their Cover Story. To learn how we can help you realize YOUR dreams call (800) 311-9365 FCAN ""EHmplomen HOTTUB SPA, 5-PERSON 24 jets, redwood cabinet. Warranty, must move, $1495. 352-286-5647 HYDRO SPA, PRINCESS 3 person compact spa. LIKE NEW. Used only 4 months. W/Hard Cover. Cost $2650 new. Asking $1800. 860-1634 Sauna, 48" W X 44" Deep X 80" high. Cost $4400. Never used. $1500 OBO. 382-7888 SPA W/ Therapy Jets. 110 volt, water fall, never used $1850. (352) 597-3140 SPA, 5 PERSON, Never used. Warranty. Retail $4300. Sacrifice $1425. (352) 346-1711 15 CU. FT. GE Refrigerator/ Freezer and 16 cu.ft. Kenmore upright freezer, $75 each (352) 860-2042 30" KENMORE RANGE continuous cleaning oven. WHIRLPOOL DISHWASHER, Both in exc. cond. $150 each ono (352) 726-1761 A/C & HEAT PUMP SYSTEMS. New in box 5 & 10 year Factory Warranties at 2 Ton $827.00 -, 3 Ton $927.00 -*4 Ton $1,034.00 ; Ir.:o.II rI' ,-.,Jloai ',- : or professional Installation also avail. Free Delivery -ALSO POOL HEAT PUMPS AVAILABLE .;: "CAC 057914 ':..i 746-4394 ALL-APPLIANCES. New & Used, Scratch Dent. Warr. Washers, dryers, stoves, refrig. etc. Serv Buy/ Sell 352-220-6047 AMANA side-by-side Ice 'n water, white, 27cu. ft. Works/looks great, $199. (352) 382-3322 APPLIANCE CENTER Used Refrigerators, Stoves, Washers; Dryers. NEW AND USED PARTS Dryer Vent Cleanina Visa, M/C., A/E. Checks 352-795-8882 GE Deluxe Range, self cleaning, Ig. Oven '$150. Frost free Refriger- ator, good condition 18.5 cu. ft: $125. (352)637-1792 KENMORE DISHWASHER & Refrigerator, both work well, $40 each oab (352) 341-4739 Kenmore, self Cln.- Solid service, bsq. used twice $200. GE no frost, fridge, bsq. $100,, all work excellent (352) 212-1791/ Chain Saw 18" Stihl, -025, 2 extra chains $150, (352) 726-1961 LECANTO New Hardware Half Price FREE measuring tape w/$10 or + purchase. 'The Path Shelter Store 1729 W. Gulf to Lake Hwy. (352) 746-9084 PICK-UP TOOL BOX, Diamond Plate, fits fullslze trucks, like new cond., paid $400, will take $225 (352) 344-8328 PORTA CABLE Compressor, 135 PSI, extra hoses, never used, $160 (352) 527-7971 PORTA CABLE TABLE SAW, 10" with stand, perfect cond.,, $250 PORTA CABLE 4-1/2" grinder, never used, 4 disks, $75 527-7971 Senco, Duraspin, 14.4V, cordless, sheet rock, screw gun, still In box, extra battery. $150. Dewalt, 5.0 amp, Heavy duty cut off tool. $50. (352) 527-6670 General Ob Help 2 IAN MICROFIBER Rocker/Recliners, like new, $300/both. 1 FLORAL SOFA, exc. cond. $75. (352) 564-0144 2 Wood Cabinets w/shelves, 7'X3'X2' $750 each. (352) 746-4749 3 pc. Iron Porch Furr.lhuri .. ,-.r: ri-: Amoire 6 ft. x 4ft, enter- tainment center, $500. obo (352) 637-1161 4 White Bar Stools, upholstered, chrome legs, $200; (352) 795-5804 4 White Wicker Chairs .. ;: u ; i.:.r, fair :: -.r,i .:,.nr $75. for set (352) 795-7764 5 piece Dinette Set. Ught Wood. $125.00- (352) 341-3295 10'5 PC. Oak Entertainment center, $1200; 3 PC Wrought Iron & tile patio set, $100. (352) 746-4749 3pc. Sect. Sofa, r. ..h;l-: $100. Elec. Stove $50. (352) 637-5171 48" Octagon Table w/4 upholstered beige chairs. Excellent condition. $85. (352) 746-0729 5-PC. WICKER SECTIONAL, 2 corner/3 middle sections, 12FT long end to end, very good cond., $375 (352)465-6619 SMR CITRUS COUNTY ALAN NUSSO BROKER Associate, Real Estate Sales Exit Realty Leaders (352) 422-6956, All Leather Couch, Loveseat, Clubchalr, Ottoman, camel color, Food cond. Must sell. 850. (352) 382-2743, ATTIC HEIRLOOM BY BROYHILL NEW, Table & 6 chairs. Pd $2,700 Sacrifice $1,500 obo (352) 476-8828 or 563-2349 BEAUTIFUL KITCHEN SET, light oak, 4 overstuffed, naugahyde chairs, must be seen. $200. Call (352) 726-2695 Suite, white, queen size bed, night-. stand, dresser w/9 Ig. drawers,.desk w/chair, & occasional chair, $700. (352) 382-1731 BEDS BEDS BEDS Beautiful fact closeouts. Nat. Advertised Brands 50% off Local Sale Prices.Twin $78 Double $98-Queen $139 King $199, (352)795-6006 - I are oeveny 1ills Moving-must downsize. Fri & Sat. 9-3. 3341 N. Sunrose Path' BEVERLY HILLS Fri. 9-? Solid oak swivel, stools, electronics, misc. 23 E. MURRAY ST. HOMOSASSA Thurs. & Fri. 8a-lp Moving In Sale, hshld, antiques, turnn, tools, misc., S. Slash Pine Ave. off Green Acres INGLIS End of the Year Sale 20% off Sale items 10:00-4:00pm Thurs-Mon INGLIS ANTIQUE & COLLECTIBLES 45 Inglls Ave. INGLIS Thurs thr. Sat. 9am until Come to Inglls at red, follow hot pink signs. INVERNESS Highlands, Fri & Sat 8:30-3p. 302 Blanche St. LECANTO Fri, Sat & Sun 8am-5pm Living Rm Sectional, 2 'bed frames, antique porch glider &. much more. 2200 W. Silver Hill Lane LECANTO New Hardware Half Price FREE measuring tape w/$10 or + purchase. The Path Shelter Store 1729 W. Gulf to Lake Hwy. (352) 746-9084 PINE RIDGE Frl./Sat. 9am, no earlier 2181 W. Greywood Dr. * BURN BARRELS * $10 Each Call Mon-Fri 8-5 860-2545 VENDING ROUTE: Local, All Brands. Soda, juice, water, pastries, snacks, candies. Great equipment & locations. Financing available with $7,500 down (877) 843-8726 # B02002-037 FCAN WE MOVE SHEDS 564-0000 CiA Seel $1300. 382-7888 m e Sa FACIAL CHAIR Barely used, white. For salon, $125.. (352) 795-0732 or (352)422-1926 "A" Model Mandolin, like new $49., Vintage Banjolln, collectors items $100. (352)746-4063 BUILDINGS DIRECT! 25 years. Order now for spring delivery and savel Extensive range of sizes and models. Built to last. Priced to sell! Pioneer (800) 668-5422 FCAN Cedar Lumber Rough Sawn, air dried 12 mo. 1200 plus board feet $1,600. (352) 628-0279 Floor Tile 80sf, 12x12, bone, $80 100sf, 20x20 beige, $100.(352) 476-4378 METAL ROOFING SAVE $$$ Buy Direct from manufacturer. 20 colors in stock with all accessories. Quick turn around! Delivery available. Toll free (888) 393-0335 FCAN. STEEL BUILDINGS Factory Clearance. New, never erected 30x40,40x60,50x100 and 60x100. Will sell for balance Call Frank (800) 803-7982 FCAN STORAGE BLDG. 14x25, converted. Office/ , efficiency, heat/air, bathrm, kitchen, frldge, lots of storage, $8,000 obo.Pat, (352) 341-1575 DIESTLER COMPUTERS Internet service, New & Li:.i . l ,m a : i . MCard 637-5469 Mac Proformer, 6400, Mustek long bed Scanner, new keyboard, mouse, manuals, disks, etc. $175 OBO. (352) 527-7788 MINOLTA COLOR LASER punter, i I. 'L ..irr -,,i r. -;o :,.3.-ir, i.;.,r.-. cartridges, almost new, $450 (352) 860-1795 STARTER COMPUTER $200 complete with printer. (352) 382-3895 FARM BOSS 28HP Tractor, 2005, 4X4 diesel, 3pt. hitch. 5' cutter Incl. $9,945, 352- 726-0415 or 228-2618 Bunk Beds, like new, twin/Full, white w/ mattress's, $75. (352) 489-1082 Chase Lounge 2 arms, tan & black paid $800. now $250. Citrus Hills (352) 726-4048 China Cabinet wood $300. Rd. Wood table, w/ 4 chairs $250. (305) 984-2986 COUCH AND LOVESEAT Leather, Blush color. Very Good Condition. $500 422-1316 or 726-1326 COUCH/RECLINER striped couch and . green recliner.$125 352-344-5815 or 352-476-5471 Day Bed with riser Excellent Condition $150. (352) 746-4501 DINING ROOM TABLE, with 6 chairs, washed oak, $250 obo SOFA 92" brown w/2 reclining ends $250 obo (352) 344-3321 Dining Table with 4 chairs $75. (352)344-3981 ETHAN ALLEN Nutmeg -.'i,-, :J'1f. DINING TABLE, 64x42, 3 12" leaves,. $250. Mint cond. SMW, (352) 382-4911 Executive Desk,6'x3' w/ matching Credenza, 6'x2', $400. (352) 382-1731 King Size Pillow Top - Mattress Set. Never used. Still in plastic. Cost over $1100. Must sell $375. Del. Poss. (352) 465-8741 KITCHEN HUTCH Wood, $75 (352) 746-4749 Liv. Room Set L:. r .l :,r :I 3 :,:,r,3o $75.obo (352) 726-8604 Living Room Set, Vinyl/Leather, dark green, coach, loveseat, chair, ,utl.:.rr,1r, 2 end ix7.: g,:,, 6nd, $800.(352) 746-9499 Magic Chef 30" Gas Stove w/ glass front $125. Basset Floral de- sign, queen sofa sleep- er $250. good condition 352-637-1061 , MULTI COLOR BROWN SOFA & CHAIR, $100, (352) 726-2165 Pair of Twin Brass Beds, complete, $175.obo Antique Love Seat, ,$700. obo (352) 726-8604 pillow top mattress set. Never u. -Jd 111il ir. 1.l.al.: C .Ast 5 J00 DelC.er, p,:..: (352) 465-8741 1 RECLINER ' SOFA/LOVESEAT Tan sofa & loveseat re- clining $500 Blue, gold, burg couch & chr $300 249-1132 Recllner/sofa; Book- case/china cabinet; ,:'rr 3 1o r,-,ip ; r-,: I :'-: dishes; decorative, bike & racks, mower more. (352) 465-8430 Sectional Sofa, seats 6, L shaped, light neutral fabric, $250. SMW (352) 382-0651 Sofa & Loveseat - Camel back, navy/maroon/ beige - floral pattern; wood claw legs. excel, cond. $650. (352) 538-6311 The Path's Graduates, Single Mothers, Needs your furniture. Dining tables, dressers & beds are needed. Call (352) 527-6500 6 HUGE PARROT CAGES, $100 and up NEWER DINING ROOM SET (352) 726-9593 ALUM. SCREEN DOOR, white, standard size, $40 (352) 628-1669 Alum. Topper fits GMC & Chevy Standard bed trucks, $50;Reptile Cage V/2x" coated wiring, 24" sq. Incl. alum. stand on whls, $45. 352-795-8777, after 6 p.m. CARPET 1.I00' of Yards/In Stock. Many colors. Sacrifice352-527-1528 CARPET FACTORY Direct Restretch Clean * Repair Vinyl Tile * Wood (352) 341-0909 SHOP AT HOME COMPUTER DESK $15 NECCHI sewing machine, in 4 drawer cabinet, very good. cond., $125 (352) 637-0881 COUCH, LOVESEAT Neutral tans, $275; BIKE Royce Union, 21spd. Shimano $45. SMW (352) 382-4153 CRAFTSMAN 10" Radial Armsaw w/cabinet on wheels, $120.. PATIO TABLE J ..-r.ir. ;5 (352) 586-6733 David Bramblett (352) 302-0448 List wilh me & get a Free Home Warranty & No Transaction Fee (352) 302-0448 Nature, Coast Dining Room Table, $50 6, 30x40" Mobile home Windows ,$50 for all. (352) 382-8970 Fainting Couch $500. obo Gas Grill, like new $75. obo (352) 637-1161, For Sale, Dining rm;. set; .'. ch: l-hir.a .:ab & buh 3 ,'r'.! "lec rquipo f li:c (352) 628-1280 Gas Grill Charmglow, 3 burner, new tank & regulator, $70. (352) 341-0811 GENERATOR TECUMSCH 3500.4 cycle, horizontal crank shaft, air cooled, $475. (352) 795-0678 F INVERNESS Fri & Sat. 8am-2pm Household Items, tools, Christmas goods woman's clothing, etc. 3022 S. COUNTRY CLUB DRIVE Magnetic Mattress Pad, European HEALTH CON- CEPTS. queen size iiL.e (352) 465-6619 NEW 5 SEATER HOT TUB 26 Jets. Paid $4,500. $1,500 OBO, Will Deliver. (352)697-2596 Onan automatic Transfer Switch 3 wire, 120/240V, $175. obo (352) 212-2966 Reddy Portable Kerosene Heater. 40,000 BTU, $100 Brand new, never used. (352) 726-9742 SOD' ALL TYPES Installed and delivery avallable.352-302-3363 Table Saw and Stand, like new $60. Full set of golf clubs, cart and bag, $75. (352) 746-4063 TELESCOPE MEADE ETX-70 State of the art w/auto Star computer controller, database' to located planets w/carrying case, * deluxe field tripod, never used, still In case, $200 (352) 344-5639 Iv.msg. 1,2 & 3 BDRMS. Quiet family park, w/pool, From $400. Inglis. (352) 447-2759 DW, 2/2, $525 up & IBR furn $425. up. No smoklng,no pets. (352) 628-4441 HOMOSASSA 2/1 on lac. $450 352-563-0964/220-0200 HOMOSASSA 1/1, convenient to US19 $375. mo. 1st, last, sec. (352) 634-2368 HOMOSASSA 2/11/s. 2 porches, 1 shed, nice No pets or smoking W/D, $500/mo. 1st, last & dep. 352-628-6643 HOMOSASSA 3/2 w/2 kit's In 55+ pk, $425 mo (352) 621-6995 Kimball, Super Star, the entertainer model, w/ preset magic cord, etc. w/ bench & books, excel. cond. $325. (352) 382-1167 Marshall 4x12 Guitar Cabinet JCM900 1960 Exc. condition. $450 (352) 382-0098 Story & Clark Piano console, solid cherry, excel. cond. tuned yearly w/ extras. $800. (352) 465-2356 Crossbow by Welder, assembled, never used, asking $300. (352) 746-4091 Guthy, Renker, power rider, full fitness as seen on TV, w/video, like new, $100. (352) 382-1167 Home Gym Welder Dual Rack System, space savor, New $500. Will Sell for $250. OBO. (352) 637-0799 Adams GT Extreme Irons, like new, 3-PW, : '. :. L ,-- I:C 0 lr 1 n . ,iii-.e. :..i "' Adams Tight LiUes 3,5 woods, graphite stiff flex, hit few times. $100. SMW (352) 382-4153' Bicycle, 10 speed, 26", .-,-r.; Fr, p;r;Il r ,.:.,j t.3. rI 1r. t il -3l'.'-, r tire, $25. Gas Chain Saw, $25. (352) 628-7688 Bicycle, Boys 20 Bicycle, Girls : . very clean (352) 628-7688 GOLF CLUBS Callaway Big Bertha Irons, GW-4 steel, $265. Callaway 4+ steel head wood, Graphite $60. (352) 860.0048 Gorgeous like new, Pool Table, wine. felt, $1,500. obo, Call Mary 352-302-8946 Gun Show Jan. 7th & 8th ,:.:,i., ir, ',Jd. N.E. San Chez, Con. weapon' permit class (931) 629-2203 HOME GYM IGS, Includes 3001b Free weights. New In Boxes. $1000. SPhoto @ www tiptopwebslte, com/soeinfl 352-220-3422 PAINT BALL GUN, Eradicator, semi auto., $30. BB PISTOL with ,C02, $30 Call after 4pm (352) 344-9880 Pool Table, 7 ft, slate w/ accessories, like new $500. (352) 628-7993 POOL TABLE, Gorgeous, 8', 1" Slate, new In crate, $1395, 352-597-3519 SK 30 & 50 round:clips C,. tb..:.r. :lo.l. : .:.CI- & 'aing, Sa;_. (352) 447-3842 or (352) 978-0658 TRACKING EQUIP. MN-10 receiver and 3 Johnson collars $550.00 (352)628-4716 WILL BUY YOUR UNWANTED GUNS ; 352-400-1070 BUY, SELL, TRADE, PARTS, wwwezpulltrailers.com Hwy44& 486 -mWate Over 3,000 Homes and Properties listed at homefront.com with den, cent. H/A, 2 lots, shed, fenced, porches, exc. well water, $99,500 352-344-3864 3/2 w/Concrete Block A MUST SEE! New 3 bedroom, 2 bath on 1/2 acre. Great location, the best construction, too many options to list. Seller motivated, $2,000 down, $587.47 per mo. Call-for more info 352-621-9181 HOMOSASSA Good location, 1 bdrm, $385 mo. 352-422-1932 after 12 noon. INVERNESS 2/1, vaulted ceiling, clean quiet area, river access, $425. mo. also lffi.:;en.: ,aro-*r, ai. 35, ,r., iu l rii r 652-726-5292 727-492-1442 INVERNESS 2/2 DW. $700/mo. Tenant. pays until. 352-476-3232 INVERNESS 3/11/2, rg. lot, gobd water, $450. 1st, last,' sec. (352) 476-1122 'INVERNESS L o t 'e rr t nr l r l: lr .- ingr. cli-r n:r,%,rcr ..l- II. rng I .:r 2 1;.': .:r;. r, Leeson's 352-637-4170 Weeki Wachee ,: n ri.. r,.:.rr. r. ',r 1i,11 Jl : .rr.mur., .:r r. US19. $650/mo. 1st, last, sec. (352) 596-3087 meo. Call for Details (352) 628-0041 BUILDING A NEW HOME? Want'' oa r..iorl, 30%? 3-.nr qualir, rni':l.rIlr Le m, show you how. Call Builder .' 352-628-0041 Hernando .t-i ..1a- Commercial Possibilities! By owner, on Hwy. 200. 2/2 Fla. rm., prlv. fence. Good location. Lg. arage & shed..88 Acre 135,000.(352) 726-0117 HOMOSASSA, By owner near Suncoast hwy. 12x65 move In cond. 2/2, CBS gar., elec. door, 1 fenced acre, scrn porch, rear deck partially furn. 344-8138 CHASSAHOWITZKA 4/2, furn., Seas. Rental or annual, $975. mo. 727-480-2507, 480-2216 OZELLO 2/2 Private, urlobstucted views. $850/mo. Agent owned. Call Steve 352-634-0101 or Alan 352-212-1000 New Land Home Packages Available. Many to Chose from. -Call today for .appro:.. I L.:,,..'d.:,.,.n payments. 1-877-578-5729 Old Homosassa Fishing Retreat, 1 acre. Mobile elevated w/ city water. Deeded access to gulf. No owner fin. $189,000.(352) 628-0049 OWNER MUST SELL! Land & Home-3 bedroom, 2 bath full appliance pkg. Quite lot with nice oak trees. 5 yr. warranty. Owner will assist with down payments Only $736.43 per mo. W.A.C. Call for more details 352-621-0119 REDUCED 60' Mobile on 2 lots, Only $29,999. Call Michael @ www floridarealtv andauction.com (352) 220-0801 2003 JACOBSON, DW, 2/2, 55+ park, Stone- brook Park glassed & screehed In Florida Rm., excel. location on pond, mostly turn., ceiling fans, sprinkler sys,, all apple's, Incl. W/D $77,777. (352) 628-7778 or 628-9660 CRYSTAL RIVER VILLAGE Fully furnished, 2/2 dollhouse, must see. , Large double carport. $75,000. (352) 795-6895 CRYSTAL RIVER VILLAGE MoveJn this month 55+ Park, 2/2, gated community used 5 win- ters, heated pool, club house, Full carport, shed & enclosed porch. $45,000. (352) 794-4135 FOREST VIEW ESTATES WALDEN WOODS WESTWIND VILLAGE From $39,500. $79,000. All homes are 2 brs., 2 bths., in good cond., some Fully Furn., and Immediate possession, to inspect any of these homes, Call Jim (352) 422-2187 F.MH.., 959.000. (352) 302-3884 NICE SINGLEWIDE ON HALF ACRE. 3-4 rroiles iron-, Hon.osassa3 Waiman Call C R 464.1136 o see i $65.900. ., ; :.. >T: , click ,on Find Tour. American Realty & Investments C. R. Bankson, Realtor 464-1136 FREE Singlewide YOU MOVE (352) 628-7024 Great Country Setting 3 2 .-.r, -' '3.-r : ir, rr r.lirai Fa n'..i Eo :, ic ,'->.,j'hr, ': J ?'1, cC,'..r *,r...3 .:. mno (352) 795-1272 HERNANDO 1' 8 J-1 2 C- ,, ::-111 r. plan ..r. 1 : o.a-re e ... ..Iell a l,.ar,.., hie IC r:.-ter. poin.. t 1 a .: : $119,900. 352-302-1466 Hernando 4/2 MH 16x40 add., 13ft vaulted ceilings, 1.25 fenced corner acre. pool and : i : p ... e l .- : tr i : ', * ..ell1 eprT.: ,r,3 r.:...r .. *Sdir..3 rn d. fr;rr, and (352) 302-7583 Inverness By Owner. No. Highland Estate. Home:has addi- tion & carport +.3 ext. lots: $130,000. (352) 726-1798/601-2301. INVESTMENT PROPERTY 2/1 & 2/2 ea. adj. / ac lots. Exc. loc. $82,500 352-563-6591 AM only Just what you've been looking for lie.. J r,' .3).'r ; ;-onr.a i.:,r ,,ril.: jIrHjr.- Ho-f. Down $750 mo. (352) 795-8822 LAND/HOME 1/2 acre homesite in country setting., 3 bedroom. 2 bath under warranty, drive- way, deck, appliance package, Must See, $579.68 per month W.A.C. Call 352-621-9183 Like-New Homes of . Merit DW 3/2+ Fam Rm. on 2'/2 ac. Wooded lot. $179,900. 352-212-7613 Like-New Homes of Merit DW 3/2+ Fam Rm. on 2'2 ac. wooded lot. $179,900. 352-212-7613 Crystal Palms Apts 1& 2 Bdrm Easy Terms. Crystal River. 564-0882 CRYSTAL RIVER 1 Bedroom, laundry, on. premises, $450 mo.+ sec. deposit. 352-465-2985 . CRYSTAL RIVER Nice 2/1 duplex, $525/mo. 1st, last & Sec. 352-527-3887 352-563-2727 INVERNESS 1/1 Clean, quiet area. $375+; 1st, lost, sec. 352-422-2393 INVERNESS Apt/house. 1 blk. from 44. 2 sm. bdrms. or lbdrm w/den, bath, cozy, quiet, wooded setting in lake commu- nity. House to yourself, downstairs not occupi- ed. Great porch, yard. $600+ util. Call Kathy352-726-9136 INVERNESS Very nice 1 BR apts. Many lakefront, boat ramp, fishing, etc. $495 BEVERLY KING 352-795-0021 Specialist In Property Mngmnt/ Rentals. beverly.kinag centurv21.com x = o,21. Nature CoaSt CI.ASSIFIEDS Floral City Remodeled 2/1.5. CHA,, Clean, Lg. Lanla, Part. Furn. Park rent $144/mo. $17,500. (352) 746-6410 GAINESVILLE 2002 24x48, Homes of Meritt, 3/2, attached carport, all appliances, Includ- ing washer & dryer, all window treatments, many extras, approx. 4-mi. to UF, $39,800 (352) 495-1252 INVERNESS 2/1 Singlewide 1982 "As Is" $6,000/obo (352) 344-4970 LEESBURG Hawihorne Gated Cam 5 20007F '2? S5 PK. ',srr.o.j'li.3 t-.j tr. kit + suhrm + den + laundry $105,000 (352) 728-6332 MOONRISE RESORT 28x44, 2/2, 2 screen r.:.r. ': r,...,, :,C ', Heat pur.,r., J5, ri ,r,. nego. (352) 726-3016 Walden Woods 2002 .-' 5. .:.rrmm, 3. 2 upgrades, & some furn.; corner lot. MUST SELL! Reduced $67k (352) 382-4076 Nice Family Pk W/Pool $205/mo. 6 mo Free rent, Inglis (352) 447-2759 Over 3,000 ; Homes and 'Properties listed at homefront.com Property Management & Investment Group, Inc. Licensed R.E. BMoker ' f.l.a lr, I; .:.ur :'rp. r, & ar . *:'ri, [I ,, ,-. ird l. '' a. : >) Condo & Home owner Assoc..Mgmt. Robble Anderson LCAM. Realtor 352-6285600 infoforopertv managmentgroup, corn CRYSTAL RIVER .Newly Renovated 1 bedrm efficiencies w/ fully equip kitchens. No contracts necessary. Next to park/Kings Bay Starting @ $245 wk (352) 795-2836 FLORAL CITY Nice Studio. Includes all util.+ cable TV. $550/mo +dep. No pets. (352) 228-1325 -- ~-- - al O'"Copyrighted Material _ Syndicated Content + Available from Commercial News Providers" NOTICE Pets for Sale In the State of Florida per stature 828.29 all dqgs Black Lab Male.Pupples. Asking $150. each (352) 860-1914 Call after 5pm CHIHUAHUA bilk & brn male, 1 yr old neutered. $50. 476-9064 after 10am. Humanitarians of Florida Low Cost Spay & Neuter by Appt. Cat Neutered $20 Cat Spayed $25 Dog Neutered & Spayed start at $35 (352) 563-2370 LAB/MIX PUPPY, F Lab/Mix puppy in need of a loving home. Free of charge (352)563-2310. Shih-Tzu Puppy, 4 months old, female, $300 (352) 302-2821 . Crystal Palms Apts CRYSTAL RIVER Brand New Home 2/1/1, LARGE YARD, Priced to Sell, house on Immaculate Custom Over 3,000 S 2Bdm Easy Terms 3-BR, 2-BA, nice, clean, PUBLISHER'S 3/2/2 Laundry, newly pointed, all new ten acres, 3/1, $300.000, 3/2/3, exec. home CrystalRiver. 564-0882 800 mo 352-795-6299 NOTICE: tiled living areas apple. new septic field, 39/29% high & dry, paved road, w/solar htd. pool Homes and HOMOSASSA All real estate wood cabinets H.D. approved 3rd 3 .9/2.9 near 495 & 488 a great overlooking wooded Properties SasserOaks, 2/2/1, scr advertising in this w/upgraded counters Bdrm.3 N. Adams, Full Service Listing Call 352-601-2727 DistrictMotivated Seller sted at porch, W/D, Shed, newspaper is subject & more $169,900. $104,900 (352) 637-3614 Why Pay More??? C (352) 476-1569Movae fenced yard, 725mo. to F air Housing Act (352)7-3951314/06 FOR SALE BY OWNER No Hidden Fees REDUCEDI *U $279,500. 183 Pine St. homefront.com No smoking, No pets, which makes it legal 302-3929 CRC 1327106 Oak Ridge, 4/2, Sweet- 25+Yrs. Experience NEW TWO STORY Prime Location HWY 44 Availa-mart (352) 628-7449 preto adherence, limise stationn water Tradewinds III Call & Compare CAPE COD -2,900 sq.ft Need a mortgage r S ----- 2 MI. West ofWa-mart (352)628-7449 preference, d iscrimination Brand New Home 2156 under air, heated of Living on 1/2 acre. & banks won't help? REAL ESTATE CAREER 1760sq.f. Retail Space, f you can ret You based on race, color, 3/2/2 w/den/office pool & spa, granite $150+Million SOLD!I! Spotted Dog Was $230,000, Self-employed, Sales Lic. Class ffon filed living areas, counters, custom DogReduced to $199,000. all credit Issues $249. Start 2/14/06 cels Will Build to Suit! show you how. Self- cap, familial status or wood cabinets, decorating, many Please Call for Details, Real Estate Call (352) 746-5912 bankruptcy Ok. CIU ALSAE Realty, 352-726-0662 Issues bankruptcy Ok. intention, to make central vac, alarm $299,900 (352) 746-0025 Market Analysis Resolution Involving Call M-F 352-344-0571 (352)795-0060 Inverness, N Apopka Associate Mortgage such preference, limi- sys., & more. Near ofc/shop next to Crt HS Call M-F 352-344-0571 station or discrimina- club house. $219,900. RN & KARNA NEITZ o about a Ho SEEN THE REST? Annex, Uberty Prk. tion." Familial status in- (352) 795-1314/ R S REALTO Trail. Lots start in e.WORKwith the sA 8 be 550 INVERNESS 2/i /I cludes children under 302-3929 CRC1327106 ECITRUS2ATGOUP T a fo r$$PRICED TO SELL$$t s. $800mo 32-344-5234 CHA, City limits, 1305 the age of 18 (352)795-0060. 30'sCall fr a 3.9//2.9/o S LakeviewDr. No pets/ living parents or FOR SALE BY OWNER FREE TRAIL GUIDE Full Service Listing living with parents or FOR SALE BY OWNER Cynthia Smith, Realtor LARGE 3/2 smoking. $675+/1st, last, legal custodians, FREE WEBSITE.Direct (352) 601-2862 ONLY $128,900/obo, Why Pay More??? sec. 344-3364 6263 r eg's n w .Se Own Lovely Oakwood H e rna t 3d2)W262 BNSu2o WWN PayMore?? sec. 344-3376422-6263 pregnant women Lovely Oakwood DoingWhatllove@ Beautiful 2000 Mobile No Hidden Fees INVERNESS and people securing Homesite.com Village Home. 2/2/2, tampabay.rr.com on .97 Acre, MB suite, 25+Yrs, Experience 2//1CH/A, all new custo f children Ne 4/2/2sr Fireplace, Too muc to Call & Compare BEVERLY HILLS .5 appliances, city limits, under 18. 2163 sq. ff. CBS, split sys. & lots of extras By Owner 1998, 28 x 48, list, Must See, Won't Last real estate which 352-726-7543/201-0991isin (937) 269-6658 Laun.Rm., DR, ceiling Full Service Listing com/ATM6913 Please Call for Details, CITRUS HILLS INVERNESS violation of the law. fans, sky lights, all apple, Listings & Home 2/2.5, unfurn lanai & 2/2/1, FL rm, $775 mo., Our readers are NEW Quality Built g. sheds, available , I:.Capt Linda Market A ys Deborah Infantine prch. All Appl. Att. Car- 1st, last, sec. dep re- hereby informed that 3/2/2, 1,600 sq. ft. mmed. $155,000. h.:.. H...-.-r, f Thompson Top Sales Agent port, Clean., close to quired. 352-726-8445. all dwellings living, opened plan, 1908 E. Maryann Lane .5+ I. EI.,erler'.- (352) 628-5500 RON & KARNA NEITZ 2T Ae pool.$825/mo +1st & quire 2 8445 alldwelings . pool.$825/mo +Ist & advertised in this tile & carpet, 464-3741 or 489-2925 Cail .- orr.,are BROKERS/REALTORS (Inv. Office) last. Avail. immed. INVERNESS newspaper are avail- separate laundry, CITRUS REALTY GROUP EXIT REALTY LEADERS (352) 746-7562 3/1.5/2 Gospel Island, able on an equal appls + microwave NICE NEIGHBORHOOD Fixer upper $150+Million SOLDII (352)795-0060. (352) 302-8046L A/C, tile, W/D, pets ok, opportunity basis. buyers rebate at' 2/1/1 FL. Room, Lg. For Sale 4/2/1 on 2 lots CRYSTAL RIVER $950mo 352-637-3449 To complain of closing $229,900. fenced yd. shed, w/ 0x12 shed Please C. il.-r C.r t, .. .WAYNE 1/1, completely furnish- INVERNESS 3/2/2 discrimination call (352) 592-4403 sprk. sys.$119,000. $85900. Listings &,Home -CORMIER ed, waterfrontcondo- INVERNESS3/2/2 toll-free at or (352)584-7738, OBO(352)464-2702/ (352) 476-3710 Market Analysis CORMIER $1000 mo 352-795-3740 BeautifulNewHome, 1-8U669-9r7 the avail, immediately 527-1096 .r 3.9%/2;9% $1000 m 352-795-3740 Pets on approval 1-800-6699777 The 6635 N. arlington Dr. LRON & KARNA NEITZ Full Service Listing Crystal River Condo Gall Stefanski toll-free telephone 726-1192 or 601-2224 hearing impaired is Your Neighborhood CTRS REA U Why Pay MoreBO no pets. (352) 302-5972 INVERNESS 1800-9279275 REALTOR' 3.9%/2.9% $$PRICED TO SELL$$ (352)95-00Yrs Experience 3/2/2, Ist., lost, sec., Full Service Listing L E 2 Call & Compare INVERNESS $900. mo.,305-510-1234 LARGE 2/2/I Lrg. 1/1 screen rm, Inverness Why Pay More??? ONLY $124,900 in the $150*MillionSOLDIII clean, Royal Oaks, $595 eHighlands, MUST SEE, ,. Fil.:j :ail or Deri1aii FLORAL CITY Brand newly 3/2/2 No Hidden Feesontlast t this price Listigs & Home Duplexrg2/1 allnew No smoking or pets 25+Yrs. E e 351Online at Its A About YU n Here To Helpl Market Analysis $655 Call M e., $900. + util. 1st, last & Call & compare 3251ownersoNeed Listings Visit. 552 -7 sec$150 llon LD!!! com/AT J8454r skipper@nccentral waynecormiecom RO & KARA NEITZ INVERNESS r REAL ESTATE CAREER Please Call net (352) 382-4500 BROKERS/REALTORS Lrg. 2/2/1, shed, | Sales Lic. Class | call Cindy Blxer Lting 18 Yrs. in Citrus (352)422-0751 CITRUS REALTY GROUP C- Dscreened lanal, $800 $249. Start 2/14/06 REAOR Market Analysis Donna Raynes 'Gate House (352795-0060. =tfII f mo. 1st, last, no pets, no 5 CITRUS REAL ESTATE I 352613-6136 Market Analysis. ... (352)4761668 Rea smoking (352) 344-4453verness SCHOOL, INC. cbixlerl5@tampa RON & KARNA NEIHTZ7 Vic McDonald CITRUS SPRINGS nverness 352)795-0060 ba:rr.com BROKERS/REALTORS (352)637-6200 New, 2/2, all oppl., W/D Pool, Spacious, 3/2/2, CIIRUS REALTY GROUP i... F, 01 $700 mo (954) 557-6211 3000 sf, No pets $900. Craven Realty, Inc. (352)7950060 -:, .W b.ju,-.-, --r.; ar 3E2 T mo.(908) 322-6529 352-726-1515 '-'. rrrl rt iare r i .r ,3 BED2 B RATHBANK CRYS RIVER/HOM. SUGARMILL ,e ,.,.:. WITH ,u FORECLOSURES! ,,' 2/1, with W/D hookup, SUGAR MIL __i___ ^hI i.:.,r lh-,.'. i|aor -001 i' .:.r i,:hr.g: CHA, wtr/garbage incl. WOODS aes Meredith Mancini 800-749-8124 Ext H796 $500mo., 1st, Last & sec. 2, 3 & 4 Bedrooms H om es,'46,- No pets. 352-465-2797 Homes $950 to 24 LOG HOME a (352) 464-4411 $1500.mo. SMW Sales PACKAGES to be 2, New 3/2/2, on 1/2 'ERictRCeUltLae INVERNESS (352) 382-2244 offered at Public 2678 W. Goldenrod Dr. acre lots w, '-,Cir.:dr,-l Call Me Exit Really Leaders IDEAL FOR RETIRED Auction. Sat., January Corner of Elkcam & ceilings. Fo.-r ,le e, CCrystal River '=Wer - COUPLE, brand new SUGARMILL WOODS 14th at 11 am, Orlando, Goldenrod. 3/2/3 on 1 Owner, $176,900. ERIC HURWITZ 2005 BUILT. 3/2 end 2/2/1, owner maintains New, 2/2/2 Avail Feb 1. FL (Port of Sanford), acre. 2,100 sq. ft. Homes to be 352-212-5718 2car gig on 3 acres, Reallor yard, $750.00/month, long $925. (352) 592-9811 Rogers Realty & Laminate firs., fully land- completed by end of ehurwitz@ $299000 All new apple. My Goal is Satsfied term lease, no smoking/ Auction, License # scqped (352) 527-1717 Jan. (352) 726-3940 tampabay.rr.com C/H/A. Out bldg. "Here to help you Customers pets(352) 527-9733 AU2922. Free brochure, 2/2/2 + Sm. computer Exit Realty Leaders Superior wtr. treatment through the Process" Buffalo Log Homes, rm& opt. 3rd BR. Totally. 3/2/2,W, 2000sqft sys. (352) 212-2448 ,,. r REATY ONE H Cn3og)wwa2-2448rrlr, :ar,-, ,-,04,'0 (888) 562-2246.or Custom & Unique under roof, upgraded . Gourmet Kitchen, kicunderIraofupraded dvor.r...o'i." I.. i1 ', O. aui g ndig.r in 3/2 Car ort/Shop loghames.com FCAN F. kitchen & bath, Prlv. O.rin ng Luis HOMOS. $950.unfurn. Fireplace 'in rr,.fencedyad, 1003. .(352)637-6200 River Links Realty Pond w/waterfall, Princetod Ln $139,900 628-1616/800-488-5184 Absolute Auction Inground Spa on lanai, ( .352) 563-4169 Dail/Weekl BH2/2/2HOME Hurricane proof con- (352)5634169 aiy/eey Crystal River Condo struction, priv. 1.4 ac. 3/2/2 HOME- ALAN NUSSO Monthly Unique 1/1.5 right on Ed Messer corner lot, energy effic. COMPLETELY RE- BROKER u Efficiency the water. Furn., $900. Lic. Real Estate Broker home. $339K. Internet; PAINTED, CBH BUILT IN Associate Selling Seasonal no pets. (352) 302-5972 citrusswapshoo.com Bonnie Peterson 1995, VINYL TILE IN LIV- Real Estate Sales 5 1800/m Floral City 2 story, 3/2 BA iD C ATI Click on buyM then RelL Realtor ING, DINING, KITCHEN. -iene B ExoRea ty sLeasdersasi $725-$1800/mo. Fr i 2 ry 2 BANKRUPT AUCTIO Estate then "mes PEACE OF MIND" GREAT FOR PETS. Bonnie Peterson 3 21 itrus!! F/ P uan eg r nebal r ,. u S ells r e g a rd les s of p i c e I m a c a n (3 5 2 ) 4 2 2 -6 9 5 6 Maintenance grades galore. L regaL ss pric Lastly click on Pine is what I offer $160,000. CALL TROY Realtor Services $280,000. OBO (Will Luxury cars, planes, Ridge & Coralwood "YOU"' 352-560-0163 "PEACE OF MIND'N"O rascto VI consider rent/lease 1 more. January 19, Call for o..:.ir,hr, (352) 586-6921 3/2/2 Pool Home In 1: i.r.ar i.:.rner NO Transaction Available option) 6511 S. Dolphin details! (888) 404-9977 10% BP Call for (352) 746-3330 Paradise Realty & Desirable area. "YOU" 'n fees to the SDr. (727) 848-5765 ranzon Driggers, ls (888) 404-9977 Investments, Inc. Open/split floor plan, (352) 586-6921 j Buyer or Seller FLORAL CITY WTranzonlt Driggers #AB 1237 CITRUS COUNTY (352) 795-9335 Summer kitcheri, much Paradise Realty & B CalToda Assurance brick 3/2 dock $1800/mo Driggers AB1237 Lovely 2. 3 and 4 more. No brokers, Investments Inc. Ca Today bick 3/2 dock $1800/mo' "bedroamRHomes.$lt Property season can e-mail photos FCAN Ni ihomeds. $269,000 352-726-6878 (352) 795-9335 Management HOMOSASSA RVRFNT. Lease options. ay setting, 3/2/2, new C. Lynn Wallace .. ......l.tr C 'Craven Real y.,Inc. 2/11/2,Furn.. all util.incl.. Free Recorde home on over 1/2 acre. -- (352) 726- 515 352-726-0662 Ig. a:.:i 'i m,' I.-.I n Message corner lot, 1500sf, split Bonnie Peterson (352) 628-7913 1-8C0-233-9558 X1005 plan w/great room, all Reallor HOME FROM $199/MO or contact us apple hat tub o Open Hose! "PEACE OF MIND" 4% down, 30 yrs. @5.5%. directly at m.9%/2.9% aster, $189,000. Saturday 1 what ffer I 1-3 bdrm. HUDI Listings Open House! 352-346-7672' Full Service Listi52) 220-3897 J Saturday I what YOU"ffer . 800-749-8124-Ext F012 Saturday ng Brand New 3/2/2 15m8 RAINBOW SPRINGS CC HOMOSASSA ROOMMATE WANTED: Jan. 7th Don't Horse Aroundl Why Pay More??? Inv. Highlands. Inside m 3pm d e I 00 r rHear ..'.r 3/3 or 2/1, Single male 21-45 to 11am 3pm No Hidden Fees laundry/screen rmMe icedes Homes InvestmentsInc ero.er d tr 3 share house on 1 ac. in Mercedes Homes25+Yrs. Experience All appliances New Conslruclion (352) 795-9335 '1 uaa iuriurrurn on har se1Acn Mercedes Homes 25Yrs. Experience Included. $188,900. $256,990 u term.r352)'r465r ..3761 .. New Construction Call & compareV I e $-9$256,9902 .I. . term. (352)4653761. all util. food & laundry.9 $150+MionSOLDII Atkinson Construction, List with re and get a Available B IIGR1 9 352-489-2394 term.U (352) 46 1 Y 1 u(352) 503-3108 P e$256a90,l L Inc. 352-637-4138 Free Home Warranty & Immediately! L' . If you can rent You (352)Available Pleasor Detail CBC059685 no transaction fees rees t., Can Own Let us352-302-2675 5 Freesia Ct.. .. ... Can Own Let us mmedlate lyl Listings & Home BUILT '05 3/2/2 Homosassa . show you how. Self- ll R i 15 Freesia Ct., Call Diana Willms Market Analysis Good neighborhood, Inthelovely Golf I employed,olal credit IiooC FOR SALEoWInTHheovWEoR employed, all credit t Homosassa A Pine Ridge Resident close to everything. Course DevelomentFOR SALE WITH OWNER Issues bankruptcy Ok. inthe lovely Golf REALTOR .. RON & KARNA NEITZ $199,999. ourse Deveiopment Sruce Creek PIeTeONR Associate Mortgage FULLYFURNISHEDROOM Course Development 352-422-0540 BROKERS/REALTORS (352) 3986570 l -Spruce Creek Preserve Call M-F 352-344-0571 w/LG WOODED YARD of Sugarrnill Woods dwillmsl@tampa CITRUS REALTY GROUP Nature Coast just off the Rt. 200 Dunnell 2 2 ./BBQ AREA. CABLE TV just off the bay.rr.com (352)795-0060: CITRUS COUNTY Suncoast/S.R. 589. ., ne.. sr,_ p ar. INVERNESS $90/WK. 352-6285244 Suncoast/SR. 589 Lovely 2. 3 and 4 CRYSTAL MANOR 3i2/2 .Come see this Bulliin '021.0 Ea.r, r.r.ge Highlands 2/2/1, lanai, Comesee this Craven Realty, Inc. bedroom Homes. 9262 Beechiree Way beautiful 4 Bed- l rr. .io CHA, dishwasher, $685, Sbeautiful 4 Bed- 352-726-1515 Nice neighborhoods. brar.2i- re.... nr, rn.r, ',,..:.em boir, nr.,,, window, 1684 sq. ft. 813-973-7237 room/2 Bath home Zero Down Payments, e.rar. o.. o.:. a.-r ir.,-,J, ;.. n Stucco. Large cement i-IRein l featuring 2234 sq.ft. E Lease Options. "' m l'- :a ic living space rear lanai deck. $190,000. Call , S a 2/2 SW Mobile, WF, living space rear lanai Free Recorded app l.ir,5 i "'.' with pool bath door, Call Me owner 1-352-291-2788 Homos, $1175; 2/2 se with pool bath door,. Message (352) 795-5308 security prewire, PHYLLIS STRICKLAND Over 3,000, Condo Cit.-Hills Jan. security prewire, 1-800-233-9558X1005 Duplex in gd. cond. and much moreIl (352) 613-3503 $1300. 2/2 WF, $1575 and much more all or contact usNew roof, upgraded, situated on a 1/4 Homes and ARBOR LAKES Crys. Rvr, 3/2/2 $1675 situated on a 1/4 directly at $139,900. 352-628-1769 acre conservation lof EXIT REALTY LEADERs Properties 3/2/2, tennis, pool, club SMW. River Links Realty acre conservationlot 352-346-7672 House on 1/2 acre, Builder pays closing listed at house, dock, $975 mo. 628-1616/800-488-5184- Builder pays closing CUSTOMBUILT 3/2/2 2200 sq ft, large kitch- costs when using FREE REPORT ww.naturecoast (352)228-3599 CRYSTAL RIVER approved lenderl 567 SLukle Ave. r security approved lender!. What Repairs Should ho ntcom BEVRLcomlew teryfurnt7. Ja-. ,,err. cin ..lnor garage, Call for directions: You Make Beforeefront.com BEVERLY HILLS ed waterfront condo C352-267-7948 a : o: ', chain link fence, 352-267-7948 You Sell?? Nice 2/1, $725. mo. $1000 mo 352-795-3740 FREE Home Warranty (352) 637-0477 $179,000 (352) 563-1928 Barbour, 727-c 9 HERNANDO Policy when listing CUTE HOME, 2/1-/2 Online Email Babou, -424-5597 rg., 1/1,clean. On Lake your house with "The FREE Home Warranty 1-car garage, 1/4acre, debbie@debbie CITRUS HILLS Lrg, /D, cable, queen Max" R.MaxSimms, Policy when listing nice neighborhood, Or n INGLIS Remodeled UtRS IL il, W/DC cable, queen LLC, GRI, AHWD your house with "The $130,000 Or Over The Phone INGLIS, Remodeled, 2/2 Condo Citrus Hills bed, C-H/A, off Van Broker Associate. Max" R. Max Simms (352) 341-174 352-795-2441 5/2, barn/work oom 2/2 Brentwood Ness.Rd. No pets/No (352Y 527-1655 LLCGRIAHWD "3ke s341-1784 3oiae M ax'CRR nx 5 pr mark)e 3/2 Canterbury smoking $850, 1st, last, (352last, 5271655. Broker Associate. HIGHLANDS SOUTH Li ce ne--- -$49,-DEBBIE RECTOR on apprContx 1acrs, 3/2 Pool, Kensington sec. (352) 637-3495 HAMILTON GROUP G taidg&Crdl (352) 527-1655 Immac. remodeled, Lisa VanDeboe 2Laurel Ridge (270). 320-3332 FUNDING, we specialize (352)527-1655 3/2/2, Inhs. IndryLg; lot. i Broke R) /Owner 2BeverlyHills HOMOSASSA RVRFNT n all types of mart- lld & illl Ready to move In tol. ...... I................... 'I....Bi. Broke.352.422.(r352-422-7925 Greenbriyr Rentals, Ic. 2/1H. Furn.. all util. inc gages and all types of is aealEitite $189,000 352-746-0592 Realty One (352) 746-5921 ig. dock. $1,150. mo. re, e G418 HIawatha Ave Over 3,000 CITRUS HILLS OMS(352) 628-7913 Z 5 Need a mortgage Tjiesta On otFOR$ 0 E0 homesnow.com Homes and 3/2, caged pool ique 1/12 FP, water 8 banks won't help? 3/2/1 w/Laundry Po HOME FOR SALE POperties W/D $1100 access. porch Self employed FREE REPORT Atkinson Construction on Your Lot, $103,900. listed at (352) 746-4821 heds, $800. mo. barpt e What Repars Should 352-637-4138 Dog 3/2/1, w/ Laundry Citrus Hills util. inc. (352) 628-5222 Assocate Mortgage You Make Before LIc.# CBCO59685 ft?]' 9Atkinson action homefront.com 3/2/2 New home on 1 INVERNESS 2/1 Call M-F 352-344-0571 You Sell?? INVERNESS GOLF & 4 (?^ LRca#ClBCOe592685 . adre. Fenced back yd. Comp: furn.,priv. wood- COUNTRY CLUB 3/2/2, (352) 628-9191 Lic.# CBCO59685 1st, last, sec. $1175./mo ed seffing. Utilities incld Need a mortgage Online Email with great room, all (352) 746-5969 No Smoking. 2 wk. min. & banks won't help? RUSS debble@debble appliances, den/office/ Need a mortgage Ss k 352-76-6312 Self-employed, 9m possible 4th Bedroom & banks won'I nelp? a B 2 CITRUS HILLS 0 Sall credit INssuesRM Or Over The Phone Clean, $239,900 -r.-2,pe,-f. dO T 2a0. Beau. Oaks, 2/2 3/2/2'2, Pool, strg; bldg. U I R bankruptcy Ok. 352-795-2441 (352)400-5274 al -di :ue. Home & 2/1 turn. MH. $1300/mo: 1st, last & I Associate Mortgage .. DEBBIE RECTOR Marilyn Booth, GRI bankruptcy Ok. "It's All About Y NeIr 175/Rvr. Get-away sec. (352) 746-6908 Call M-F 352-344-0571 Marilyn Booth GRI Associate Mortgage Is A t.I or rent. prop. $168,500/ 2"I LVowwT2MeAOVEHOvOer3,00K CITRUS SPRING 2/2/1homesnow~com LEILA K. WOOD, GRI listed at $695. mo. CITRUS COUNTY Broker/Realtor BEVERLYHILLS m CITRUS COUNTY LINDA WOLFERTZ '. We're Growing horefront.com 15ED DotHo /1/ L Both off Ice anad/or HAMPTON SQUARE Broker/Owner i '' tm" Visit us at ouro $645.mo 352-697-1907 rent. On R 488. GNC rlnstrom@ Buyers & Sellers are new location CITRUS SPRINGS Zoning, (352).465-5210 g0 2u2sa e 2 me work WIth you 7655 W. Gul to Lake 2/1 2, carport, very "! (352) 746-1888 for the best deal! Hwy, #8 (next to clean, 2050 Howard St. CRYSTALRIVER (352) -Manatee Lanes In the $800. mo 352-746-5969 .i9 Suncoast Plaza List with me and get a Meredith Mancini Executive Center) Beautiful 2/2, SMW 'Now leasing. US Hwy 19 '** 2 r-I. Free Home Warranty & n(352) 795-9335 Condo., Ig. Screened CRYSTAL RIVER frontanne Several i unit .W ,, ,...... ,. no transaction fee (352) 464-4411 lanai, end unlt.2nd e -... -1.p.... b.. .. .Morton, R.E., Inc 3/2/2, C/H/A, $795. mo ALAN NUSSO avail, from 500 sq. 726-6668 637-4904 352-220-1401 floor, elevator, mmed. Craig, 352-613-2226 BROKER ft. to 4800 sq ft. 3.9%/2.9% 726-6668 637-4904 pdavs.c21-nccoExit Realty Leaders occupancy, $155,000. BROKEDUNNELLN Associate Call (352) 563-1322 Full Service Listing HAMPTON SQUARE MUST SELL, Lrg. 3/2/2, Crystal River 352-382-7335 lye. mess N EateREALTY, INC.Leaes Why Pay More?? many upgrades, C !21 2/2, 2000 sq. f under FLORAL CITY Rainbow Lakes Estates Real Estate Sales Ihy Pay Mare??? lindaw@ $195,900 neg. roof on 1 1/2 lots. New Delightful, bright & Exit Realty Leaders WOMAN'S CIRCUIT No Hidden Fees tampabay.rr.com (352) 860-1919 roof, 2000cathedral ceilings, N 1/ h possbe BR spotless. 2/2/. (352) 422-6956 TRAINING BUSINESS 25+Yrs. Experience 800-522-1882 Nature Coast roof, cathedral ceilings, lake dockage aval. In The Pines. FOR SALE Call & Compare (352) 746-1888 Need a mortgage __ 2 sky lights, Fl. Rm., scrn. Exc. condo. Screen lanal, Immed occupancy $35000(352)220-9218 $150+Mllion SOLDI & bankswon'thelp?rm., laundry rm., lots of $67,000 (231),920-7573 ed(352) 527-3953ccupancy 000 (352) 2209218llSAVE $1,000'S Self-employed,lp? closets, urn, avail SPACIOUS TOWNHOUSE (35) 5 5 '. Please Call for Details S.AVE2 $0 ll yed, m 85,0 (32) priced to sell. Gospel Isl. S listings & Hom Detaias, Terra Vista Villa. 2/2/2 all credit Issues 3.9/o/2.9% 382-8282 or 422-1007 '. 1500 sq.f. liv. area. w/ den, prof. decorat- bankruptcy Ok. FllSevie isin2BSTVAU : 1. Market Analysis ed & landscaped, can Associate Mortgage Fl e g Michele Rose Screen lan w/hub rnot be duplicated for Call M-F 352-344-0571 Why Pay More??? SUGAR IN REALTOR w/Upgrades. Must See. NEWOMES"4/22,nRONotbAANTZ selling ce$290,000 Why Pay More??? SUGAR MILL WOODS REALyTO w/Upgrades. Must See. S2 NEW HOMES, 4/2/2, BROKERS/REALTORS (352) 746-9097 SELL YOUR HOME 25Yr ene Outstandng custom $129,500(352)860-2786 FOREST RIDGE a over 2,200 sq. ft., split CITRUS REALTY GROUP Place a Chronicle Cl&Experience contempt. pool home, 352-212-5097 FORESTAT RID plan, for sale or rent for (352)795-0060. Terra Vista Golf Course Classfied adCall & Compare 5/3/3,4200sq.f. on prv. thrn@alantnet ESTATES Si $1,050. mo. owner will Pool Home 3/3/2 6 lines, 30 days $150+Millon SOLDIIll c Lg. state of the art Craven Realty, Inc. 2/2/2 Villa GEORGE OUELLETTE finance $214,900. Single Family Villa 6$49.95 kit. Huge master & tam. 352-726-1515 $825. mo Exit Realty Leaders (352) 560-0031 INew in 2003 Please Call for Details rm. 20' ceilings, $349,900, 505-250-6805 Call Listings & Home columns, 2 FP's granite, Need a mortgageOver 3,000 Please Call: tOve 20 yeas expn 2/2/1.5, split plan w/ Terra Vista, golf course, 726-1441 Market Analysis marble, all upgraded r & banks won't help? Homes and, For more Info, or etmexperience Cath. Ceiling, Liv. Rm For Sale By Owner single family home, 563-5966 demanding buyer it Self-employed, Properties vst the web at: woet my experience Din Rm, Sky Light In Kit., ,3/2/2, located in Black overlooking #2 greens, Non-Refundable RON & KARNA NEITZ offemandingbuyer all credit Issues listed at ltusllaes Call meat 586-7041 Fl Rm, Scr porch, Shed, Diamond Ranch, 2100 sq. ft., 3/2/2/2, PrivaTe Party Only BROKERS/REALTORS Asking $379,000. Must bankruptcy Ok.naturecoast Office 527-1112 New AC, $144,900. no membership, many upgrades, Rs.:,rre Pecich.:.or,s CITRUS REALTY GROUP see to appreciate Associate Mortgage.naurecoas ice527 12 Neg. (352) 465-1904 Call (352) 527-2624 $385,000. 352-527-3638 .l, appi, (352)795-0060. Owner (352) 746-7033 Call M-F 352-344-0571 homefront.com quARY 5, 2006 long..] M-1 I -ftj ^ .. - I IWAIJ 11:11- 1 I mwl ^!-. - I I I I I lft..J .-. i CITRUS COUNTV (A) CHRONICLE Cl--kSSIIFIIF-I[)S 7 CrrRUS CouNTY (FL) CHRONICLE WAYNE CORMIER Here To Help! Visit: waynecormler.com (352) 382-4500 (352) 422-0751. Gate House Realty BEAUTIFUL NORTH CAROLINA Winter season Is here Must see the beautiful peaceful mountains of Western NC mountains. Homes, Cabins, Acreages & Investments. Cherokee Mountain Realty GMAC Real Estate. Murphy mountainrealty.com Call for Free Brochure (800) 841-5868 FCAN MURPHY, NORTH CAROLINA Aah Cool summers, mild winters. Affordable homes & mountain cabins. Call for free brochure (877) ULimited Home Sites Starting at $99,000 2 Hrs. North of Atlanta Toll Free (866) 997-0700 Floral City 2 story, 3/2 F/P, built in bar, up- grades galore. $280,000. OBO (Will consider rent/lease option) 6511 S. Dolphin Dr. (727) 848-5765- Homosassa By Owner RIchman's-Bargain Natural Splendor on the clearest water on the west coast. Gated 3BR/3.5bth suites, 4200sf $863,000. 352-628-4928 INVERNESS, GOSPEL ISLAND, by owner, wide open lakefront, custom 3/2/2, new cor.Itru:.tri.n ,sJ5 r00 . (352) 212-6155 LETOUR OFFICE GUIDE YOU! Plantation Realtv. RON EGNOT 352-287-9219 Real Estate-Real Easy TOLL FREE .877-507-7653 1st Choice Realty. WE BUY HOUSES & LOTS Any Area or Cond. Call anytime, Iv. message 352-257-1202 Private Investor actively looking to buy apartment bidgs., commercial retail or warehouse ,* bids. Call Michael 772-321-3661 TOP $$$ PAID FOR Mobiles w/land, houses & promissory notes. Any location or condition. Call Fred Farnsworth (352) 726-9369 -E OLDER COUPLE wants fix-up type home. Cash- fast closing. (352) 628-4391 . WANTED 3/2 w/ at least 2 acres of land, Owner Finance have down payment Crystal River Schools (352) 212-2055 WE BUY HOUSES Ca$h........Fast I 352-637-2973 Ihomesold com res Comm. In the heart of Floral City $300,000 .(352) 726-7446 10+ ACRES 6521 N. Treefarm Ave., Beverly Hills, High and Dry, 8" well, priced for quick sale. $160,000. 491 to Treefarm to sign on left, interested Call Keith 352-249-8205 CITRUS HILLS $67,900 lac Wooded lot 352-212-7613 Citrus Springs 4- 1/4 Acre Lots. 3-side. by side. 1 lot Corrinne St & 3 lots- Fairbanks ' Road. $37,500. per lot. (954)501-4792/695-3601 LOOKING TO BUILD VtOlID URtfHIM INM We Specialize In Helping FAMIUESA.+ or ac. (386) 445-7776 PINE RIDGE I AC. on Birds Nest Drive. Asking $105,000. (989) 868-3409 SUGARMILL WOODS Beautiful wooded lot, Oak Village South. Utilities overhead. Vast Green Belt.$75,000. vijaykmahaian@ yahoo.com (908) 359-4285 RAINBOW SPRINGS GOLF COMMUNITY Dunnellon. Lot 4, Fox Trace, $75K., Lt 14, Country Club South, $70K(214) 402-8009 26.7ac Hwy41 Citrus Co. 1238 ft Fronla'ge .:.r, HwylI GI IC :or.rg to 400 ff deep Also fronts on 3 other roads M. Walters & Co Uc RPE Bkr S1 '00 000. I acre lot In very desirable PineRidge Estates (352) 527-9390 2 2/2 Acre Adjoining Lots, Squirrel Tree Ave. - .Lecanto; Homes Only, . Ig. trees, high & dry. 2 mi. to Pine Ridge, Terra Vista $134,900. ea. 352-563-8077 2 lots Floral City 1 water front, 1 Historic Orange. Ave. $55,000 eadh. 352-344-3376/422-6263 1-1/2 BUILDING LOTS Floral City, zoned for houses or mobiles. City water, paved Street, septic system & power pole In. Impact fee paid $39,500 obo (352) 726-9369 Inverness over v/sacre 9645 Baymeadows, beautiful, live oaks, underground utilities, deed restricted, $79,700. Call (703) 408-7990 Lot In Forest Area of Rainbow Springs. 1.0 + acres on quiet SW 73rd Loop. No Rear neighbors. By Owner, $92,900. (352) 465-4037 PINE RIDGE Cimarron, Buckskin, Oatmont, Rosewood, & Corral Drive (352) 422-2293 SHEILA FROM ENGLAND CALL DAVE (352) 628-7024: (352) 382-4500 (352) 422-0751 Gate House Realty ASHEVILLE, NC AREA Peaceful gated community. Incredible riverfront and mountain view homesites. 1 to 8 acres from the $60's Custom lodge, hiking trails. 5 miles to natural hot springs. Call (866) 292-5762 FCAN 0000 THREE RIVERS MARINE CLEAN USED BOATS We Need Theml We Sell Theml U. S. Highway 19 Crystal River 563-5510 16 Ft., Boat, 40 H, mariner motor'& trailer, runs good, $1000. obo Call Bob (352) 637-5433 Bass Boat 15', 50hp engine, ready to fish, has trolling motor, live well & bait well, $2500 OBO. (352) 476-8177 BAYLINER CAPRI '93, 20ft., 120(P force Tandem Trailer, many extras, excel. cond. $6,790. (352) 382-4507 DURACRAFT #2074 Bay Series/ Tunnel BIminl Top, Trolling mo- tor, live well, Jack plate, 80HP Yamaha. Perf. trir. $6,900 (352) 795-0596 HURRICANE 17' FD 170, '05,90HPYmh. Bim top, 5yr. warr. Ped. seat, Brk-away trir. D.F. X-batt, trm. ga. $17K/ obo. (352) 795-9133 JON BOAT 15 Veml V Boat, 20 jet, merc, gal, traller.excel., cond., too much to list, Ir . '98 Ford Mustang Convert V6, Red,WhL Top...............$7,450 '02 Chevy Malibu V6, 4r, Sth l!........................$7,980 103 Dodge Intrepid SE 26k ik enw .Warr $118......... 80 -*BIG SALE- CARS. TRUCKS. SUVS REDT REBUILDERS $500-$1000 DOWN Clean, Safe Autos CONSIGNMENT USA 909 Rt44&US19Airport 564-1212 or 212-3041 BMW '85, AC, auto trans., sunrf., CD, new tires, very low ml., very nice car $2,800. (352) 637-1937 CADILLAC white, I owner, mint. $34,500. (352) 746-9436 1992 1-ton dually, 454, 6 speed stick, must see, $4,500 (352) 637-4864 or 422-3047 CHEVY '85, Suburban, 454 eng;, turbo 400 trans., 2500 , series, PW, PL, PS, CC, tilt wheel, too many new parts, some body work needed, $1,700. obo (352) 563-2106 DODGE - COASTAL SOUTHEAST GEORGIA Large wood- ed water access, marsh view, lake front and golf oriented homesites from the mid $70's ULive oaks, pool, tennis, golf. (877) 266-7376 www. cooperspoint.com FCAN EAST ALABAMA MOUNTAIN PROPERTY FOR SALE One hour west of Atlanta In Piedmont, AL Beautiful view 48 acres $144,000 $14AOO/100 down $1,087 per month owner financed. Call Glenn (850) 545-4928 FCAN MOVE TO TENNESSEEI Looking for lake lots, Lake homes, land, farms, victoriaris, Invest- ment or marinas. We have It all at affordable prices. Executive Choice Real Estate In Tennessee (865) 717-7775 Charlotte Branson Agent or visit my website www. execuftvechoicereal estate.com or www., charlottebranson.com FCAN NC MOUNTAINS 10.51 acres on rpountaln top In gated community, view, trees, waterfall & large public lake nearby, paved private access, $119,500 owner (866) 789-8535 FCAN NORTH CAROLINA GATED LAKEFRONT COMMUNITY 1.5 acres plus, 90 miles of. shoreline. Never before offered with 20% pre-development di:couni,.90%' financing. Call (800) 709-5253 FCAN' TENNESSEE LAKEFRONT HOMESITES 1 to 6 acres - from the $40's. Spectacular lake, mountain and-wooded nature Gines rne.vl' "ei.aosea Juil I .,2 hours to Ngshvlle. Don't miss outl Call (866) 339-4966 FCAN TENNESSEE LAKESIDE RETREATS New gated community. Incredible lake & mountain views. 1 to 5 acre building sites from the $40's. Lake access, boat ramp, private slips (limited). Don't miss out. Call (866) 292-5769 FCAN TENNESSEE WATERFRONT LAND SALE Direct Waterfront parcels from only $9,9001 Cabin Package from $64,9001' 4.5 acres suitable for 4 homes and docks only $99,9001 All properties are new to the market Call toll-free . (866) 770-5263 ext. 8 FCAN -g CITRUS COUNTY Lovely 2. 3 and 4 bedroom Homes. Nice neighborhoods. Zero Down Payments, Lease Options. Free Recorded Message 1-800-233-9558 X1005 Or contact us directly at 352-346-7672 / WATERFRONT. Over one beautiful acre In Floral City right off Hwy4l. Only$79,900. Call(352) 302-3126 BOAT TRAILER for 16' boat, galvanized. $400. (352) 302-8600 POLARIS JET SKI MUST SELL. $950 or make offer. 352 257-9321 SEEDOO MILLENNIUM'S 2000 GTX & 2000 RX 50 hrs on both $9,000 for both (352) 302-1891 KENCRAFT '97 19' Center console, hard- top, 140 Suzuki, trailer, dual bait. great shape. $9,500. 352-527-8376 Uving Issues, nautical issues, dishes & more. 352-465-8430 SILVERTON FUN BOATI 1987, 34 Ft., runs great $15,000 or trade, (352) 249-6982 or 249-6324 Stratus Bass Boat '95, 130HP Johnson, Troll motor & other access. Boat, motor, trailer, $5,000/obo 302-3199 FORD TIOGA 1985, 26', Needs TLC, 460 V-8, runs exc. $3,000/obo (352) 465-2048 Holiday 24' 1977, low miles, new brakes, needs TLC. Make offer. (352) 637-5525 NATIONAL '29', Noh smoker, banks systemclean, full bath, must sell, Asking $26,000 (352) 746-6607 Search 100's of Local Autos Online at wheels.com Looking For A Good place to spend summer w/cool nights? 35' RV on 2 LOTS, fishing,. swimming, golf & more. $27,500. (352) 330-4031 HOLIDAY RAMBLER 1989, 28FT. sleeps 6, full bath & kitchen $4,950 obo (352) 238-5809 after 7pm,. HORNET TT" 33' 2005, slides, air, awning, micro. All options. $19,500,352- 726-0415 or 228-2618 JAYCO EAGLE '95,34' 5TH Wheel, 1 slide, new fires/carpet. Exc. cond. $9800/obo (352) 228-9774 LAYTON DELUXE 1997,28' 5TH Wheel, slldeouts, awning, TV stereo, loaded, exc. $10,000. (352) 447-4428 -MALLARD '89, excel, .aond, too many options to list. $5,000.,. 302-8979 (352)637-0511 THOR FIFTH WHEEL 1998 Needs fiberglass work on the right front side. 2 slide outs, Interior in great cond, too many Items to list. $13,500. Call after 6pm, 352 795 2601, or leave a message., VIKING POP UP 17' 1998, garage kept since new. Awning & AC, $2,995. 352- 726-0415 or 228-2618 ,1989 Ford 302 Motor w/transrnisslon, runs great, $500. OBO (352)302-99, 3 wheelers. 628-2084 VEHICLES WANTED-, Dead or Alive. , Call Smitly's Auto 628-9118 WANTED: 83 TO 86 MUSTANG COUPE Wanted: Dead or Alive: 1983 to 1986 Mustang Coupe 5.0 11- ter, no hatchbacks or convertibles, coupe only, prefer tan or brown Interior, can be running or notli Call anytime: 352-220-5028, If.you Iv. a msg. w/ph. number I will call you back. 1993 TOYOTA TERCEL 141460 miles, 1000 obo, 5-spd runs greatly 341-4357 1993, PONTIAC Grand Am, looks, runs & drives exc. cold AC.$2000 OBO.(352) 400-5101 1994, CHEVY Corsica, Looks, runs & drives Exc. $20000BO. (352)400-5101 BMW 5301, Needs work, $1200. (352) 302-6082 Call Us For More Info. About New Rules for Car Donations Donate your vehicle to THE PATH (Rescue Mission for Men Women & Children) at (352) 527-6500 CHEVY CORVETTE 2005 VET 17500 MILES $46,600 ONE OWNER 4/29/05 MSRP $52,585 6SPD, DUEL TOPS XM.ONSTAR, BOSE 6CD CALL 352-949-0094 REASONABLE OFFER CHEVY IMPALA 1999, Black, fully loaded 4 door, CD player, Ithr. seats, $4399, (352) 563-2111/212-9032 FORD, 1997 Taurus, Looks & runs great, $2,900 (352) 422-0098 FORD '98, Contour SE, excel. cond., white, 4DR, auto windows $1,500. (352) 628-5472 Ford Escort ZX2 1999, White, Very clean. 107k,$3000. (352) 489-3584 Ford LTD Crown Vic. 1991, Runs & drives great. Clean, $800. OBO (352) 400-5101 FORD MUSTANG GT 1995 117K,'$3900 5.0, 5-speed, all power, a/c, 352-302-2214 HONDA ACCORD 2003,4-dr., silver EX, bik leather Int. loaded, auto., 4cyl., exc cond. $17,000 (352) 400-0042 HONDA CIVIC 210J0 -,3, ilna iurn L' ir-G r-e,,, ,aul, ^,C: 'i r,paO '*:-- A .*, J1,- (352) 344-4197 or 476-3640 HYUNDAI 2003, Accent, auto. 32mpg. 4dr, cold air, 32K, good cond.,$7,400 OBO. (352) 795-6364 HYUNDAI 2004, Sonata, 4 cyl, 35K, exc cond,.AskIng $11.5K (352) 382-0148 (352) 422-7884 LINCOLN 1996, Towncar; 75k ml., great shape., $5,700. (352) 527-0790 MERCURY '92, Cougar LS, 3.8, V6, all power, runs great, very good tires, 143k., $750. (352) 563-5253 MERCURY GR MARQUIS LS 2001 77.700 ml, owner, $7800, Exc. cond. Spec, ally tuned susp w/ dual exhaust. Electronic.in- stru. panelmulti-CD player. 352-446-0006 MERCURY SABLE 99k MI, new engine at 30K, exc. rubber, runs good, AC ok, needs some body & Interior work. Best offer over $750. 489-0574,, Iv msg. sheena@atlantlc.net OLDS 88 '86 85,000 miles, $2400, Air Condition, Power Seating. AM/FM Stereo SGreat first car, built-in CB, phone 382-0388 PONTIAC T GRAND PRIX 1994, $500. Runs, needs some work. Call after 6pm. Ask'for Paul (352) 628-3148 PONTIAC '98, Trans Am, black. excel. cond., 1 owner, $7,500. (352) 746-5515 PONTIAC GT 2000,97K mi. Fully loaded. Exc. cond $7000/obo' (352) 795-0095 SATURN 1996,4 dr, runs & looks great, ice cold air, $2000.OBO. (352) 400-5101 SATURN SC2 2001 110k, Leather, $4000 obo reliable, runs- greatl 341-2673 Iv msg SATURN SL2 1998 A/C, Pwr Str, Tilt Whl,C/D, Spoller,5-spd, Alloy Whis. New tires. Runs Greati $3,000. 352-228-7651, Search 100's of Local Autos Online at wheels.com VOLVO 1990, 240DL, station Wagon, perfect mech. cond., 1 owner, new A/C $2,500 S(352)637-1438 (352) 228-2152 FORD d..alaoc and M4 Comet both restorable, $375 for both OBO.(352) 628-5308 CHEVROLET 1986 Ram, looks good. ii runs great, $1,500 obo a (352) 341-0786 ATV + ATC USED PARTS DODGE RAM '05 Buy-Sell-Trade ATV, ATC, Quad Cab 4X4,17k all Go-carts 12-5pm Dave's pwr, Ithr, ABS Brakes, USA (352) 628-2084 bedliner, Chrm bmpers, Yamaha Raptor 660 Nerf bars. Ovrhd cons 2001, mint cond. Less w/trip cmptr, Ext. warr. than 20 hrs. $3500/obo $23k firm. 352-697-1200 (352) 422-4571 DODGE 1997 1500 Club Cab, 2-tone, fully loaded, 71 K mi., Lrg. toolbox, dual exhaust, Nerf tubes. $8,950 (352) 212-4091 Dodge Ram 1500 2004, Blue & Silver, Alold Wheels, 30" tires, 20k, $15,000. 382-7888 FORD 1992, F150, straight 6, manual trans, runs & drives exc. $1800 OBO (352) 400-5101 FORD 2004, F150, FX4, off road, exc cond, auto, 54 triton. leather/pwr seats, black w/ fiber- glass cap, 4 dr ext cab, 21,900. (315) 868-0220 FORD '91, F250, 4 Wh. Dr., AC, .brand new trans., still under warranty $5,000. 302-8979, 352-637-0511 FORD '99, F350, 4 x 4, power stroke diesel, many extras, perfect cond., lifted, $20,000. obo (352) 795-0550 , Ford Ranger XLT 1990, parts truck, needs clutch, no title. $400. (352) 220-9163 Search 100's of Local Autos Online at wheels.com FORD EXPLORER 2 t Cili rrni 'LTi -.,rn.i r ir.ir;3 io *e:. a.r,.1 rear a,c I. ;("i'C 352-746-3003 FORD EXPLORER 1992 $11I 00 0 ,uIc. J Or CC'1 10,l1r C 352-795-2825 JEEP CHEROKEE Sport 1992, 4dr, 106K mil New brakes, shocks, . tires, looks great In/out & runs great, $3600. (352) 621-3049 JEEP CJ5 ' 1979, 4WD, new top & seats, $3,500. 352-302-1031 Mercury '97 r.l,:ujnloincer '.5 'laO nh r rie,,. f.11,l'i,hn riCe,:, nr.ton if e,le,i - -n.rr, e .: I iJl.' ml $4,500. (352) 746-6898 Search 100's of Local Autos IOnline at wheels.com HARLEY DAVIDSON 1995 Dyna Glide, 1340 cc, ready to ride, lots of extras, $9,500. (352) 208-4188 HARLEY DAVIDSON 1999, Road King, bike is gorgeous, to many :extras to list, $14,500. (352) 563-5449 KAWASAKI "1995,Vulcan 750cc, low miles, exc cond, lots of extra $3800. OBO. (352) 249-0860 153-0105 THCRN PUBLIC NOTICE The Citrus. County Mosqul- to Control District would like to announce to the- Citizens of Citrus' County that there will be a change of time for the Regular Board Meeting to be held on Thursday, Jan- uary 12, 2006. The meet- ing will be held at 3:45 p.m. at the District's Headquarters Office, lo- cated at 968 N. Lecanto Hwy., Lecanto, FL 34461.. Brenda Buzbyant,. FL 34460), (352) 527-7478 at least two days before the meeting. Any person who wishes to appeal any decision made by the Board, Agency or Commission .,rith re 'ect to any mat- 1-, *:rn.iuer-d at' such Tr-,nn-j .:, nearing, will need a record of the pro- ceedings;, arid that for such purpose, may need to ensure that a verbatim r-:c.ra of the proceed- ' Ings Is made, which' rec- ord Includes the:testimony and e.i.-i.nce jpon which bn- Fappeal Is based. Published one (1) time In t-.e ,'iir Cc.,,r, Chroni- Cle .ijn r, 2.j r, -105 THCRN Notice to Creditors Estate of Beatrice O'Connor Engel PUBLIC NOTICE IN THE CIRCUIT COURT FOR CITRUS COUNTY, FLORIDA PROBATE DIVISION File No. 2005-CP-1601 IN'RE: ESTATE OF Beatrice O'Connor Engel, Deceased. NOTICE TO CREDITORS The administration of the estate of Beatrice O'Con- nor Engel, deceased, whose date of death was June 22, 2005, and whose Social Security Number Is 262-22-6479; Is pending In the Circuit Court for Citrus County, Florida, Probate Division, 110 North Apopka Avenue, Inver- ness, Florida 344150." i rl.-.JrHi AFTER THE :-iE '.'f THE FIRST PUBLICATION OF THIS NO- 150-0105 THCRN :Notice of Sale Pine Ridge Prop. Owners Assn., Inc., etc. vs. William R. McCutcheon, et al. PUBLIC NOTICE IN THE COUNTY COURT OF THE FIFTH JUDICIAL CIRCUIT IN AND FOR CITRUS COUNTY, FLORIDA CASE.NO. 2005-CC-3822 PINE RIDGE PROPERTY OWNERS ASSOCIATION, INC., a Florida not-for-profit corporation, Plaintiff; vs. WILLIAM R. McCUTCHEON and YVETTE M. McCUTCHEON, his wife, If alive and If dead, their heirs, devisees, grantees, creditors-and all parties claiming by, through, under or against them, and all'other par-' ties claiming by, through, under or against them, and all unknown natural persons, If alive and If dead or not known to be dead or alive, their several and respec- tive HEREBY GIVEN that the undersigned, BETTY STRIFLER, Clerk of the Court, pursuant to a Final Judg- ment of Foreclosure dated December 19, 2005, In Case No. 2005-CC-3822, County Court of the Fifth Judi- cial Circuit In and for Citrus County., Florida, will sell to the highest bidder for cash In the Jury Assembly Room at the Citrus County Courthouse, 110 North Apopka Avenue, Inverness, Florida at 11:00 a.m., on the 12th day of January, ,2006, the following described real property as set forth In the Final Judgment of Foreclo- sure, to wit: Lot 6, Block 298, PINE RIDGE UNIT 3, according to the plat thereof as recorded In Plot Book 8, Pages 51 through 67, Inclusive, Public Records of Citrus County, Florida. DATED on this 19th day of December, 2005, BETTY STRIFLER, Clerk of the Court By: /s/ M. Evans Deputy Clerk Published two (2) times In the Citrus County Chronicle, December 29,2005 and January 5, 2006. 151-0105 THCRN Notice of Sale Pine Ridge Prop. Owners Assn., Inc., etc. vs. Manfred Grelmeler, et al. PUBLIC NOTICE IN THE COUNTY COURT OF THE FIFTH JUDICIAL CIRCUIT IN AND FOR CITRUS COUNTY, FLORIDA CASE NO. 2005-CC-4222 PINE RIDGE PROPERTY OWNERS ASSOCIATION, INC., a Florida not-for-profit corporation, Plaintiff, vs. MANFRED GREIMEIER, If alive and If dead, his unknown spouse, heirs, devisees, grantees, creditors and all par- ties claiming by, through, under or against him, and all other parties claiming by, through, under or against him, and all unknown natural persons. If alive and if dead or not known to be dead or alive, their several and respective unknown heirs, devisees, grantees and rnUDnA U LCKOO5 HONDA '02 CR125 '01 KTM520 (352) 628-3845 after 5p Search 100's of Local Autos Online at wheels.com SUZUKIJR80 2004, runs great., FMF pipe, new tires. Son out grew. $1100/obo (352) 726-1877 TWICE. 29,.2005. Personal Representative: /s/Dorothy B Fitzpatrick Ir .1 ", .: xl:,l' . FlaIa , rl n.:.r,-, r :,r i-i. .ro Representative: /s/ Richard S. Fitzpatrick FITZPATRICK & FITZPATRICK, P.A. 213 North Apopka Ave. Inverness, Florida 34450-4239 352-726-1821 Florida Bar No. 216641 Published two (2) times 'in the Citrus County Chroni- cle, December 29, 2005 xr .xr .I .ij r, f. r C11.11 158 0112 THCRN Notice to Creditors Estate of x' .i /i E r, He.i.irre er PUBLIC NOTICE IN riHCl FI- i J.I-,I.1 I-1. S.: .i l '. i f. , IN PPOBATE FILE NO.; it:-: .: ri re t-iI' E c,. SUSAN EILEEN HEIDBREDER. alk/a SUSAN E SQUIRES Deceased, NOTICE TO CREDITORS The administration of the Estate of SUSAN EILEEN HEIDBREDER, a/k/a SUSAN E.. SQUIRES, deceased. File Number 2005-CP-1186, Is pr,dlnr.q In the- Circuit ; :un i.:.r Citrus County, Florida, Probate Division, the address 'of which Is 110. North Apopka Ave- nue, Inverness, Florida 34450. The names and addresses of the personal representative 'and the personal representative's 'n,:.ire, ax set forth be- All creditors of the de- cedent a.-e.e,-.:i and other' per- sons having claims or de- mands against dece- dent's estate, Including unmatured. contingent or ur.lla'jl.",1a CIxllrni,: must Iie ir.,ir ,i.lirr,. j.,Ir. this court WITHIN THREE (3) MONTHS AFTER THE DATE OF THE FIRST PUBLICATION ALL CLAIMS NOT SO FILED WILL BE FOREVER BARRED. The date of the first pub- l3c January 5,2006. Personal Representgtive: /s/ ROBERT MAGUIRE egn. x'i r.-i r' r',-r.a l DEAN AND DEAN, L.L.P. BY: /s/ Jonathan S. Dean, Esquire Florida Bar No.: 699100 230 Northeast 25th Ave. Ocala, Florida 34470 (352) 366-2800., Published two (2) times in the Citrus Counrty Chroril- cle, January 5 and 12, 2006. devisees, legatees, grantees, heirs, or claimants other- or before January 14, 2006, and file the original with the Clerk of this Cov. creditors, or other parties claiming by, through, or un- der those unknown natural persons; the several and re- spective unknown assigns, successors In Interest, trus- tees or other persons- claiming by, through, under br, Defendants. NOTICE OF ASSESSMENT LIEN FORECLOSURE SALE NOTICE IS HEREBY GIVEN that the undersigned, BETTY STRIFLER, Clerk of the Court, pursuant to a Final Judg- ment of Foreclosure dated December 19, 2005, in Case No, 2005-CC-4222, County Court of the Fifth Judi- clal Circuit In and for Citrus County, Florida, will sell to the highest bidder for cash In the Jury Assembly Room at the Citrus County Courthouse, 110 North Apopkd Avenue, inverness, Florida at 11:00 a.m., on the 12th day of January, 2006, the following described real property as set forth In the Final Judgment of Foreclo- sure, to wit: Lot 3, Block 167, PINE RIDGE UNIT 2, according to the plat thereof as recorded In Plat Book 8, Pages 37 through 50, Inclusive, Public Records of Citrus County, Florida. DATED on this 19th day of December, 2005. BETTY STRIFLER, Clerk Of the Court SBy: /s/ M. Evans Deputy Clerk Published two (2) times In the Citrus County Chronicle, December 29,2005 and January 5, 2006. 799-0106 W/TH/FCRN PUBLIC NOTICE The Citrus County School Board will accept sealed bids for: BID# 2006-36 LUBRICANTS Bid specifications may be obtained on the CCSB VendorBld webslte; Automated Vendor Application & Bidder Notification system: www vendorbid net/citrus/ :.3r,.3r. "GT. -limTTeIl ;,jp.erhl-.reCr.i. CiIru: C :urr/School Board Published ihi-.re 3' ii,-r.: ir, the Citrus County Chronicle. January 5.jra. :c, 152-0105 THCRN r on..:e cr t .3ie P ir.i r IF Pi.:T r,.' Er .r., In.: :I.: W. ',r: 5irorl rEi 01 PUBLIC NOTICE IN THE Coijri, c.i- iF.' -F THE Rl TH JIDICii"L CIRCUIT iri [c, F,..:..|: ,:irr.-u r ,;0,,. ir. j .riL. I:. I - ,-E hC' :].-:C-J i5 PINE RIDGE PROPERTY OWNERS ASSOCIATION, INC., a Florida nol-for profit corporation. na.r.rlrr vs. W. SCOTT ARNOTT cnd DOROTHY N ARNOTT, his wife, Ii alive and If dead, -r,.ir r.nii: .- ,i.A grar.i-- .:real- tors and all parties: clairin bt., Iri u,.r. u,.a.-C ,-r against them, an.a aoll *.:rr.r pale. CIlaiTIr.rj c, -r,r.uor., ur.e.' or against ii-,.n .3r.jd'all ,jr.r, r:...r natu- 1 p .r :.-:.r joli,..- ',, I 11 a .-a.i cr rc.i I :.,,.-, ro be ,1,- -,r O I, ll 'F r .4 raI Jr,,a ,' .e .ii.. ..-e,-i.,:,..r, rl.3 . ILe : jarrr.t oa il ,: .alii,. c' .:,irt, r ,arrl.. .:l. llrr I t., r .:. ur,.l-r i.r -:. iri, .,1-, rn T1.,jr i i.u. rr, i r :.. I n r ~ r ..- ,r crl,- per ..r.c.i a..ir-,ri . by, through, under c.r a I.or,. ir.- eter,.r.o a.r, all claimants, persons :.r rcrrie. rrijrxi r .:c.c,:.al or v.r,.:.,- 3. i i I i:i3".j i: -.,r,.:...,r, I ir'ilr,.a u. der or., ,:., Ih,. .* n.rr. .:i !.i -.cn.c, ,J.-ieranr *i prl.. rI : .:il.liir,. l O ,j a or, rnri lil-. cr ir. i-.'e i .-h ',Ai-r.o xr, NOTICE OF ASSESSMENT LIEN FORECLOSURE SALE NOTICE IS HEREBY GIVEN rhai t-,, ur,.jer.i.gr.d BFiT,' ' rri i r' ,I:1 1 -i ir.B, r.,,jn cui:u, ,- ic. a 'rna i .i j.x i . m e n t *,-i r :. :jr' ,' i.a L :c ,T ID. r 19 2 '."iV I-, Case r I .., Ji,- C Jiii 'I jrr, Cc,.rn *o ir-, fiir. uiul- c l a l C ,-ljit In o r . \ ..ru ,: ,: :. u r. r .: a o .i 11 i. ': th e h ,arn e :]r t.i. ,-i i .:.r t .: r'. ir, rrI -, -..e rr .i i,.:..:.-,-r. at th.= -" Cui Cau.r, C.'r r,.:uie i is Cijorn. Ch-, ic.a Avenue. h-, ,ir .-, FI :,JI.3 ai 11:00 am., an |ne 12tn day of January, 2006, the ic.nii:.,... aa...:rithd real property as set forth in the Fir.ial iu.g..?r.i ,r .F.-.redo- sure, to wit: .. Lot 6, Block 133, PINE RIDGE UNIT: 1, according to the plat thereof as recorded in Plat Book 8, Pages 25 through 36, inclusive, Public Records of Citrus County, Florida. .. : " L ,-,EC : r ,: i r, , .:.i C ", T ,t V .-l ,. :' . '". : BETTY STRIFLER, Clerk of the Court By:./s/ M. Evans SDeputy Clerk Published two (2) times n the Citrus: County Chronicle, December ; ti ar. m i jar,,.iJr, 5 2.00',', 154-0105 THCRN PUBLIC NOTICE The City of Inverness is accepting proposals for the ren- *ovatibn of the pool locker rooms located within the Aquatic Facilit, a. D /rI.l: ilra Pre: f.ri inverness, Florida. Sealea orcD,. 31: rrnj.i 'e aai.:.a to "City Clerk' City of Cr,. .'miri,' .,riT,.r.,C'ri,-- 212 West Main Street, Inverness, Florida 34450, Idehtitied as "WHISPERING PINES PARK POOL LOCKER ROOMS RENO- VATION BID",' Bid NO, 06-001. Sealed proposals shall be received until t1:00 p.m., January 11, 2006, and opened and read at a public meeting, 1:30 p.m. on January 11, 2006, at the City of Inverness, Administra- tion Office, 212 West Main Sftreet, Inverness, FL Contract documents may be obtained from the De- partment of Parks and Recreation located in Whisper- ing Pines Park, 1700 Forest Drive; inverness, Florida be- tween the hours of 8:00 a.m. 5:00 p.m.; Monday through Friday, holidays excluded. There Is no fee re- quired for project documents. Each bidder must w thoroughly examine the contract. documents, review federal, state and local laws, ordi- nances, rules, regulations affecting performance of the work, carefully correlate observations with the require- ments of the contract documents and visit the site to become familiar with existing conditions. Interested bidders must walk the site with a representative of the City to properly ascertain and define the limits of con- tract work. A pre-bid walk-through will be scheduled through the Parks and Recreation Department by call- ing (352) 726-3913. Work to be coordinated through the Office of the Department of Parks and Recreation. Please address all questions prior to bid to their office. The City of Inverness reserves the right to reject any and all bids and to waive any or all formalities or Irregu- larities and to accept any combinations of alternates, which may be in the best Interest of the City. By order of the City of Inverness, Florida. /s/ Frank DIGiovannl, CityManager City of Inverness, Florida Published two (2) times in the Citrus County Chronicle, December 29, 2005; and January 5, 2006. 131-0105 THCRN Notice of Action/Quiet Title - Judy B. Huntiey TO: JOSE A. GUERRA, and if dead, then of the unknown FORD BRONCO '1987. New brakes, -. .raul ond rlre-li Cu i.:m rc'ura,35 00U0 352-795-7785 Ford Explorer 1992, 4x4, runs good. Needs fransmisslon seal. $825.00 (352) 795-0975 Search 100's of Local Autos Online at . wheels.coma 'MR CI11US COUNTY' C~lpie !^--i ALAN-NUSSO BROKER Associate Real Estate Sales Exit Realty Leaders (352) 422-6956 CHEVROLET 1995, Conv. Van, V-6, runs great, TV, VCR - customized :$3,500 (352) 382-4252 CHEVROLET 2000 Astro LS, V-6, 63K, teal, full pwr, full warr., NADA $9,200 Asking $7,800 obo 637-6538 CHEVY 1989 G-20 Custom Van, runs great, 350cid, White. $1200/obo (352) 270-3167 DODGE 2000, Mark Ill, Conversion Van, 74k ml. great shape $9,500. (352) 527,0790 DODGE CARAVAN 1989, runs, needs TLC, new battery, $450 firm (352) 586-6001, FORD 1997, Hitop Mark III, Conversion Van, looks & runs good, 200k ml. $3,900. (352) 527-0790 GMC SAVANNAH One ton ext. cargo van. 1999, Superb cond 190K hwy. mi.$6900/ obo (352) 270-3132 KIA 2002, Sedona LE, Exc Cond, loaded, warr. $10,900. (352) 489-0053 Search 100's of Local Autos Online at Wheels.com CHONCL 00 > 2 10 0 0(I m c Zg 0 ~1 ~0 liD .5 m E 0 z -I * li li 0 O -0 = * - In z m m 'ow n o 0 0 z . Om - i O 0 0 0) . i/' 0 CA 4Cfl4 C20 C sip tI, ~mI mmmI 3m.. fli 0,' li .5 m E 30 -1 . X = *F limo M m E -* * 10C CD Ma -r m VI c mo ) f 0 z m 0 -u rn 2 -I U- I :1:' 1~ II Contact Us | Permissions | Preferences | Technical Aspects | Statistics | Internal | Privacy Policy © 2004 - 2010 University of Florida George A. Smathers Libraries.All rights reserved. Acceptable Use, Copyright, and Disclaimer Statement Last updated October 10, 2010 - - mvs
http://ufdc.ufl.edu/UF00028315/00370
CC-MAIN-2017-30
refinedweb
61,085
88.13
view view hi iam writing some struts application by using dyanafalidator form in place of actionform bean classes i can enter data by using some jsp file and it will insert to database by using business logic. now my requirement Which is the good website for struts 2 tutorials? Which is the good website for struts 2 tutorials? Hi, After... for learning Struts 2. Suggest met the struts 2 tutorials good websites. Thanks Hi, Rose India website is the.*" %> Populate Menus In Tree View - Struts application using struts framework. In this application i thought to bring..." as prefix.In the same way i am thinking to bring the menus in a tree view in my... view format". please do help me fast view web--yes - Struts fast view web--yes How to enable the fast web view--yes on pdf file Hi Friend, Please clarify your problem. Thanks Reg: Tree view in Struts using ajax - Struts Reg: Tree view in Struts using ajax HI all, Can you figure... the example on it. Example for Tree view in Struts to visit this link.. http... in all struts tld file.. please help me if you know thanks in advance?  Can you suggest any good book to learn struts Can you suggest any good book to learn struts Can you suggest any good book to learn struts Struts Struts Tell me good struts manual Struts - Framework using the View component. ActionServlet, Action, ActionForm and struts-config.xml..., Struts : Struts Frame work is the implementation of Model-View-Controller... of any size. Struts is based on MVC architecture : Model-View-Controller Struts Struts What is called properties file in struts? How you call the properties message to the View (Front End) JSP Pages view view what is the use view in database Help me to view uploaded on browser window Help me to view uploaded on browser window how to view Uploaded file on browser window when user wants to view ?Someone can plz help this in struts... org.apache.struts.action.ActionMapping; public class AzAddNewCustomerAction extends Action{ public View Photo From Db MySql View Photo From Db MySql Good Morning Sir, Please help me, I make a small code but i have a error. I want to make viewer photo from database...*; class RetrieveImageWithData{ public static void main(String[] args)throws Struts - Struts Struts Is Action class is thread safe in struts? if yes, how it is thread safe? if no, how to make it thread safe? Please give me with good...:// Thanks struts - Struts -config.xml Action Entry: Difference between Struts-config.xml.... Struts-config.xml is used for making connection between view & controller...struts hi, what is meant by struts-config.xml and wht are the tags RetController.java (do get) (my file for reference for a test.. IS LOGIC good Enough ? RetController.java (do get) (my file for reference for a test.. IS LOGIC good Enough ? try { Connection conn=Create...("View")) { try { ArrayList<RetailerBean> struts - Struts struts What is Model View Controller architecture in a web application,and why would you use struts - Struts struts What is model View Controller architecture in a web... the presentation data to the user. Model-view-controller (MVC) is an architectural.... -----------------------------------------------> Model View Architecture - JSP-Interview Questions Model View Architecture Describe the architectural overview of Model view architecture? Hi friend, Model-view-controller (MVC... rules used to manipulate the data, the view corresponds to elements of the user Articles . 4. The UI controller, defined by Struts' action class/form bean... goal of the Struts framework is to enforce a MVC-style (Model-View-Controller... application. The example also uses Struts Action framework plugins in order Struts Books of design are deeply rooted. Struts uses the Model-View-Controller design pattern... application Struts Action Invocation Framework (SAIF) - Adds features like Action interceptors and Inversion of Control (IoC) Struts Architecture Hi Friends, Can u give clear struts architecture with flow. Hi friend, Struts is an open source framework used for developing J2EE web applications using Model View Controller Alternative properties of the respective Action class. Finally, the same Action instance... Struts Alternative Struts is very robust and widely used framework, but there exists the alternative to the struts framework struts code - Struts struts code Hi all, i am writing one simple application using struts framework. In this application i thought to bring the different menus of my... am thinking to bring the menus in a tree view in my application "is it possible - Framework /struts/". Its a very good site to learn struts. You dont need to be expert...Struts Good day to you Sir/madam, How can i start struts application ? Before that what kind of things necessary Struts-It Action class other Struts-related classes like configuration... makes view and modify Struts-config.xml much easier and more quickly... to create all Struts artifacts like Form-bean, Action, Exception, etc Struts Tutorial to the advance concepts of struts. At Roseindia you will learn the Basic Model View... Struts Architecture How Struts Works? Struts Controller Struts Action Class Struts Validator Framework Struts DynaActionForm Struts File Upload Hi good afternoon Hi good afternoon write a java program that Implement an array ADT with following operations: - a. Insert b. Delete c. Number of elements d. Display all elements e. Is Empty Struts Book - Popular Struts Books Software Foundation. Struts in Action is a comprehensive introduction to the Struts.... The book begins with a discussion of Struts and its Model-View-Controller... in a "how to use them" approach. You'll also see the Struts Tag Library in action Apache Struts is used to create Java web applications using Java Servlet API and Model-View-Controller (MVC) Architecture. Struts has a set of tag libaries and their associated Java classes. Struts is open-source and uses Java Struts dispatch action - Struts Struts dispatch action i am using dispatch action. i send the parameter="addUserAction" as querystring.ex: at this time it working fine... now it showing error javax.servlet.ServletException: Request[/View/user] does Regarding tiles and struts - Struts ; Hi,In case of Tiles view is created using multiple sub views(many jsp files). So, redirect will not work. You can use the action class to conditionally...Regarding tiles and struts Hi, i have a struts application <s:include> - Struts Struts Hello guys, I have a doubt in struts tag. what am i... view the included page inside the fetched page in that target div. viewing...? or struts doesnt execute tags inside fetched page? the same include code MVC - Struts MVC Can any one help me in good design of an struts MVC....tell me any e-book so that i can download from site what are Struts ? Relational Bridge. For the View, Struts works well with JavaServer Pages...what are Struts ? What are struts ?? explain with simple example. The core of the Struts framework is a flexible control layer based jsp - Struts jsp wat is Struts Hi Friend, Struts is an open source Java framework used for building web applications based on the Model-View... link: Thanks Struts Tutorial the information to them. Struts Controller Component : In Controller, Action class... the model from view and the controller. Struts framework provides the following three... support of the utility and helper classes. Following is the view of the Software Questions and Answers ; View Software Questions and Answers online Discuss Software... - The JSF is another good framework to develop Rich Internet applications... for writing your application. Struts - Struts in one of the MVC based Hi... - Struts Hi... Hi, If i am using hibernet with struts then require... that maps the object view of data into relational database and provides efficient... more information,tutorials and examples on Struts with Hibernate visitOS View iOS View What is the Difference between View's bounds and frame in iOS? Difference between View's bounds and frame in iOS The frame of a view is the rectangle, expressed as a location (x,y) and size (width,height-config.xml struts-config.xml i come out of the myeclipse editor and went... got the struts-config.xml .and when i double clikked on it .i got the error as the xml view cannot be opened using the css style type. The system cannot java - Struts of the Application. Hi friend, Struts is an open source framework used for developing J2EE web applications using Model View Controller (MVC) design...:// Interview Questions - Struts Interview Questions with the requested action. In the Struts framework this helper class... operation. the Struts Action class contains several methods, but most important... The ActionServlet Class The RequestProcessor Class The Action Class configuration - Struts . Action class: An Action class in the struts application extends Struts...://... class,ActionForm,Model in struts framework. What we will write in each View jsp View jsp <%@ page <title>View ur Details</title> </head> <body> <center> <form method="post" action="< java - Struts java code for login page using struts without database ...but using flatfiles like excle ...where the username and password has to compared from... Saved Next Page to view the session valueakarta Struts Interview Questions ? A: Jakarta Struts is open source implementation of MVC (Model-View-Controller... Struts Framework this class plays the role of controller. All the requests... Q: What is Action Class Guide ? - - Struts Frame work is the implementation of Model-View-Controller (MVC) design..., Action, ActionForm and struts-config.xml are the part of Controller... Struts Guide   RetDAO.java (part1) ..reference. Is this logic good? RetDAO.java (part1) ..reference. Is this logic good? public static int searchDelete(Connection conn,String ret_id) throws Exception { //System.out.println(ret_id); st=conn.createStatement What is Struts? are now preferring Struts based applications. Struts is good as it provides...What is a Struts? Understand the Struts framework This article tells you "What is a Struts?". Tells you how Struts learning is useful in creating Struts MVC .shtml View Struts 2 releases at... Struts MVC Struts is open source MVC framework in Java. The Struts framework is developed and maintained by the Apache Foundation. The Struts framework Struts Reference reference covers Struts Model-View-Controller (MVC) concepts, configuring and using... Struts Plugin  ... Struts Reference Welcome to the Jakarta Online Reference How Struts 2 Framework works? . Controller maps the user request to specific action. In Struts 2... and decides which action to invoke. Struts 2 framework creates an instance... and the business logic and is implemented by the Action component. View displays architecture. * The RequestProcessor selects and invokes an Action class...;controller" in the Model-View-Controller (MVC) design pattern for web... to this servlet. * There can be one instance of this servlet class, which receives Login - Struts Struts Login page I want to page in which user must login to see...;<table border="1" ><form method="post" action...;Next Page to view the session value</a><p></body> Integrate Struts, Hibernate and Spring Integrate Struts, Hibernate and Spring  ... are using one of the best technologies (Struts, Hibernate and Spring). This tutorial is very good if you want to learn the process of integrating these technologies java - Struts Saved Next Page to view the session value View object in JSF View object in JSF What is view object Struts 2 Video Tutorial tutorial page. View the Struts 2 Video Tutorial. Thanks...Struts 2 Video Tutorial I think its easy to learn from Struts 2 Video Tutorial. What is the url of Struts 2 Video Tutorial on roseindia.net website login application - Struts application using struts and database? Hello, Here is good example of Login and User Registration Application using Struts Hibernate and Spring. In this tutorial you will learn 1. Develop application using Struts 2. Write View resolvers In this section, you will learn about view resolvers in Spring What is Struts Framework? of writing this tutorial. You can view the latest Struts version at the page...What is Struts Framework? Learn about Struts Framework This article is discussing the Struts Framework. It is discussing the main points of Struts framework Advertisements If you enjoyed this post then why not add us on Google+? Add us to your Circles
http://roseindia.net/tutorialhelp/comment/99903
CC-MAIN-2015-35
refinedweb
2,017
68.47
Learn what's the difference between a class method, a static method, and an instance method in Python. In Python you will finde some methods decorated with @staticmethod or with @classmethod, but what exactly will they do? Let's look at an example to show the difference: class SoftwareEngineer: alias = "Keyboard Magician" # this is a class variable def __init__(self, name): self.name = name # this is an instance variable # this is an instance method def code(self, language): print(f"instance method, {self.name} aka {self.alias} codes in {language}") @classmethod def class_code(cls, language): print(f"class method, {cls.alias} codes in {language}") # name cannot be accessed! @staticmethod def static_code(language): print(f"static method, codes in {language}") # name and alias cannot be accessed! def global_code(language): print(f"global function, codes in {language}") Too call the instance method code(self, language), we first need to create an instance of the class SoftwareEngineer. For both the class method and the static method we can call the corresponding function either on the instance or on the class itself by saying SoftwareEngineer.class_code("Python") or SoftwareEngineer.static_code("Python"), respectively. The output is the same for both ways of calling the function. se = SoftwareEngineer("Patrick") se.code("Python") # SoftwareEngineer.code("Python") --> Error! not possible # --> instance method, Patrick aka Keyboard Magician codes in Python se.class_code("Python") SoftwareEngineer.class_code("Python") # --> class method, Keyboard Magician codes in Python se.static_code("Python") SoftwareEngineer.static_code("Python") # --> static method, codes in Python global_code("Python") # --> global function, codes in Python Notice that for the instance method we do not put in self, and for the class method we do not put in cls in the function call. These arguments are implicitely passed for us! Instance methods Instance methods take the argument self and can therefore access all instance variables and methods like self.name, and also all class variables and methods like self.alias here. They can only be used on instances and not on the class directly. Class methods Instance methods take the argument cls and can therefore access all class variables and methods like cls.alias, but no instance variables/methods. Use this when you don't need to access variables that belong to an instance, but still need general attributes that belong to the class. Static methods Static methods can neither access class variables/methods nor instance variables/methods. They behave like plain (global) functions except that you can call them from an instance or the class. Why would you use it then? Sometimes it makes sense to put code into a class as @staticmethod because it logically belongs with the class. By calling a static method from the class, we also combine it with a namespace. So when calling it we immediately see that it belongs to "SoftwareEngineer". If you want to learn even more, you can take a look at my Object Oriented Programming (OOP) Beginner Crash Course.
https://www.python-engineer.com/posts/difference-classmethod-and-staticmethod/
CC-MAIN-2022-21
refinedweb
485
65.01
in reply to Re: Favorite programming language, other than Perl: in thread Favorite programming language, other than Perl: You should try Java. It is very well designed and garbage collection takes away all that 'having to walk down the driveway' stuff. No but really it scales very well too. The only problem with Java is, is that it is not Perl. With Java you have to think(just hacking causes mental stress with the java compiler) whereas with perl you just slip on your favourite hacking shoes and away you go. I see VB scattered here and there, has the world gone mad!! VB is /(s?hMit)*/ and the syntax is crap(what's wrong with ending statements with a ';'? Also the fact that VB keeps you on a windows computer is a travesty. Once I have finished my next VB project I am kicking MS out(it hasn't paid its rent). So java says goodbye(am I sinning in the Monestry with this): public class Goodbye { public static void main(String[] args) { System.out.println("Goodbye"); } } // Fu^k print "Goodbye"; Now thats
http://www.perlmonks.org/index.pl/jacques?node_id=165523
CC-MAIN-2015-35
refinedweb
184
73.88
I'm suppose to create a problem that displays the contents of a file (that the user inputs), and then displays each line with a number in front and a colon after it. So, line 1 and 2 would print out: 1 lineFromFile : 2 lineFromFile : But, it keeps printing out 1 in front of each line, so I think I didn't write the count part correctly. Can someone help? Here's what I've got. import java.util.Scanner; //Needed for Scanner class import java.io.*; //Needed for file and IOException public class orderOfFileLines { public static void main (String[ ] args) throws IOException { int number; //Loop control variable //Create a Scanner object for keyboard input. Scanner keyboard = new Scanner(System.in); //Get the file name. System.out.print("Enter the name of a file."); String filename = keyboard.nextLine(); //Open the file. File file = new File(filename); Scanner inputFile = new Scanner(file); //Read the lines from the file until no more are left. while (inputFile.hasNext()) { //Read the next line. String line = inputFile.nextLine(); for (number = 1; number <=1; number++) { //Display the lines with number and ":". System.out.println(number + line + ":"); } } //Close the file. inputFile.close(); }//end main method }//end class
https://www.daniweb.com/programming/software-development/threads/124283/don-t-think-i-m-getting-count-correct
CC-MAIN-2017-43
refinedweb
200
69.28
This is the mail archive of the gdb@sources.redhat.com mailing list for the GDB project. I think, if there is going to be a hac, then it should be in read_next_frame_reg().I think, if there is going to be a hac, then it should be in read_next_frame_reg(). Index: frame.c =================================================================== RCS file: /cvs/src/src/gdb/frame.c,v retrieving revision 1.66 diff -u -p -r1.66 frame.c --- frame.c 2 Feb 2003 20:31:43 -0000 1.66 +++ frame.c 13 Feb 2003 23:20:22 -0000 @@ -39,6 +39,8 @@ #include "command.h" #include "gdbcmd.h" +static struct frame_info * create_sentinel_frame (struct regcache *regcache); + /* Flag to indicate whether backtraces should stop at main. */ static int backtrace_below_main; @@ -180,6 +182,15 @@ frame_register_unwind (struct frame_info gdb_assert (realnump != NULL); /* gdb_assert (bufferp != NULL); */ + /* Note: kevinb/2003-02-13: This is a hack. The problem is that + get_next_frame() can return NULL when it really ought to be + returning the sentinel frame. So, when we detect frame == NULL, + just use the sentinel frame instead. + FIXME: Remove this hack once get_next_frame() has been fixed + to never return NULL. */ + if (frame == NULL) + frame = create_sentinel_frame (current_regcache); + /* NOTE: cagney/2002-11-27: A program trying to unwind a NULL frame is broken. There is always a frame. If there, for some reason, isn't, there is some pretty busted code as it should have @@ -429,7 +440,7 @@ frame_map_regnum_to_name (int regnum) /* Create a sentinel frame. */ -struct frame_info * +static struct frame_info * create_sentinel_frame (struct regcache *regcache) { struct frame_info *frame = FRAME_OBSTACK_ZALLOC (struct frame_info);
http://www.sourceware.org/ml/gdb/2003-02/msg00233.html
CC-MAIN-2019-51
refinedweb
255
77.84
How do you feel about this /ck/? >>7041530 >asks for well done >gets burnt shit Nandos is great and all, but the vast majority of the lads working here in ealing are migrants that don't even speak english. Can't blame them really, chicken isn't available in the 3rd and 4th world nations they come from. >>7041532 >4th world there's martians at nandos? >>7041536 The underclass of people from 3rd world countries...think: Haitian bin men, or Sudanese janitors etc etc etc. >>7041532 chicken is available everywhere? it will eat anything and is fairly low maintenance >>7041540 >chicken is available everywhere? Is it? What the fuck kind of question is that? It's not available everywhere factually speaking. Here's a protip: some of the places these people come from don't have indoor plumbing and electricity in the 21st century. >>7041530 >/ck/ opens a restaurant >>7041530 burned food can be returned for non burned food any time you want. Do the place owner even grasp how big shit he is in if he start serving that to people? >>7041530 >Ask for overcooked food. >"This food is overcooked!" >>7041546 And im sure the chickens are mortified about the lack of proper accommodations. But They generally do tend to get by without. Whats with Americans and requesting shit like ribs to be well done? I wen't to an american style diner and they asked me how i wanted my fucking burger, yeah a fucking burger. The fuck is it with you Americans? Why can't you just all agree that "cooked" is the best way to serve fucking meat. As for OP's question i am surprised she never mentioned them being racist once. Has evolution gone too far? >going to nandos >not expecting banter wew lad >>7041604 This happened in Australia you raging autist. What is it with faggots like you shitting up every goddamned thread with this UK/US shit? >>7041530 Even if they weren't burnt that looks fucking disgusting. >>7041604 What cut of meat was the burger? Because I'm pretty sure a rare ground beef burger is a health code violation. >>7041606 Australia is Americas left bollocks I was just genuinely interested as to why Americans bother asking for a burger to be cooked a specific way. How did it start? it was an awkward cringe story where an anon ordered burger instead of steak and dropped his spaghetti everywhere when he asked for it rare? What a right cheeky Nandos >asking for well done chicken >get well done chicken >cant handle the banter >don't say a thing at the restaurant >go home like a fucking mongoloid and complain If I was the manager I'd just laugh. If you're such a pathetic pussy that you can't complain on spot and return your meal then you don't deserve anything. >>7041530 I thought chicken got "cooked", no idea it had levels of doneness like steak. Assumed it was a thing Ja/ck/ made up. Do people make fun of you for asking for rare or medium rare at a pub? I always wondered if the one I go to is sniggering at me internally or is just a grossly rude homosexual. >>7041559 Looks pretty intentional man. >>7041624 well you sound like a retard so ill clarify something about chicken for you. Believe it or not even plain skinless chicken breast can be juicy if you cook it right, and if you over cook it its dry as shit. And OPs pick is bone on pork ribs anyway. >>7041623 >If I was the manager I'd just laugh You'd be awful at running a location. If this gets to corporate, the manager will likely be fired. And since it's gotten to 4chan, they've probably already seen it. >>7041530 well done = set on fire to me. yes we do all laugh. >>7041530 >they paid for it australia is shit and the "people" there even worse >>7041530 we all know her type. " please please make sure its really well done. thanks" >pretentious 'my bowels are to good for you not to give special attention' attitude. its like when people ask for really spicy. i keep a bottle of pure capsaicin just for you special snowflakes. >>7041623 They actually handled it smart. What would throwing a tantrum and screaming at them whilst refusing to pay do? You would disturb a few of the diners surrounding you, be told you leave, and the management will never take you seriously. They posted this shit on facebook with proof of paying, they probably even twisted the story slightly, idk how facebook works but it seems that post is directed at Nandos. That shit will trend or like or whatever the fuck happens on facebook until managers see that shit. That's when shit gets good, the whole restaurant will go under inspection, people will lose jobs for acting this way, the customer will probably be given a free meal or coupon. All works out better. Underwood is a shit hole of a suburb just south of Brisbane. You drive through it on the M1 between the Gold Coast and Brisbane. >serve food, literally a profession a half step above prostitution >think you have the right to laugh at a customer's preferences >>7041604 all burger places in the UK are starting to do this meme, it's not a US thing specifically >>7041530 Jesus Christ this is fucking hilarious >laughing at a girl and encourage this behavior from restaurants because she ordered a piece of meat at a level of doneness inferior to your preference First they'll fuck with your food because you ordered it at a different level of doneness. Then they'll fuck with your food because you looked at them the wrong way. Maybe they'll fuck with your food because you made them do their job too while they're at it. Don't you pieces of shit see what's wrong with encouraging this behavior from these bottom of society laborers? >>7041709 Not at all. >>7041709 >these bottom of society laborers If people referred to me like that, of course I'd fuck with their food. >>7041709 >bottom of society laborers? This is why people hate you. >>7041709 Why should anyone ever respect someone who calls you a "bottom of society laborer" Quite frankly I'm against fucking with my customers foods, but I'd make a creamy exception for you. >>7041715 This is the same fucker who keeps trying to justify his begging for money. >>7041546 im questioning your statement with a sarcastic tone. because you statement is a silly stupid one. chickens is the most common form of meat in the world so get out with your moronic world views >>7041727 You're a retard. >>7041731 Even fucking pygmy tribes in the amazon raise chickens. African dirt farmers raise chickens. Indians living on designated shitting streets raise chickens. Every single person either has raised or know someone who has raised chickens in third world countries. You're maddeningly autistic even for here >>7041649 The customer isn't always right. I know businesses have to have great PR and pander to every special snowflake out there but lets be honest here. They didn't say anything when they were there. Instead they deliberately directed their complaint to social media so the whole world can see. What is the point of that ? Instead of telling it on spot and refusing to eat/pay they go to higher authority without even saying something was bad to the manager. If they spoke to the manager maybe they could've sorted something out, and if that didn't work this would be the correct way. It's the same as the yelp episode. But this food indeed is inedible. >>7041669 You don't need to throw a tantrum and scream. You can be an adult and handle the situation like an adult. >Excuse me, we asked for well done this is beyond edible >Okay, we will bring something less well done >Dumb bitch this is well done If the 2nd answer was given then they have every right to complain to a higher authority. Why do you assume you have to scream if you don't like the food ? It's beyond my comprehension. It doesn't work better. This is just like you're having a dispute with someone and instead of handling the situation yourself you go and ask mommy to help. In all we know someone could've actually honestly made that well done thinking it is how they liked it. Now they're probably gonna be fired. >>7041715 >>7041720 >>7041722 I'm not even that guy but what ? Servers are bottom of society laborers. Anyone can do that without any real knowledge of anything. It is called like that for a reason. It's not meant to be rude, it's just how it is. Would you say calling a country 3rd world is rude ? >>7041723 What? >>7041536 >Order car in black >get a rainbow colored tricycle >expected to pay and tip According to food serving faggots this is OK >>7041749 >servers Oh, Yeah fuck those guys >>7041749 It's not even being politically correct, he's trying to be derogatory for the sake of it. When people say bottom of society, they are usually referring to leeches, not unskilled laborers. >>7041530 the only time to order wings well done is if they bake them. if nandos fries the wings these chicks are retarded as fuck. >>7041766 >wings >>7041720 yuropoor detected. unskilled laborers are a cancer. >>7041761 Just a reminder that people who clean your rubbish from the streets make more money and are way more respected than you ever will be. >>7041761 I actually don't believe something should be PC just for the sake of it. We're all equal no matter our job position. Just because someone is a huge CEO doesn't mean he is "better" than a server. It's just facts I'm trying to confirm. CEOs are seen as top of the society and servers bottom. >>7041530 is this really what nandos food looks like even if it wasnt burnt it looks pretty grim >>7041766 it doesn't matter if a customer makes a nonsense order, you try your best to approximate what they want without making the food obviously inedible maybe, MAAAAAAAYBE if they had explained it was a prank and said "sorry, we just wanted to make a point, your real ribs are on the way" it would have been acceptable, but they threw that trash at them and expected them to pay for it >>7041530 Order well done? Get what you deserve. >>7041782 the customers were black, which means they do not tip. fuck them >>7041772 >We're all equal no matter our job position Not in a thousand lifetimes. >>7041770 I'm not a server. >>7041772 When you say someone is bottom of society, you're going beyond work. Keep in mind there are girls who suck dick and earn more money than skilled workers. This board has really gone downhill. >>7041788 the servers are more of a bunch of niggers than these people could ever be >>7041791 You are your job. How fucking pathetic is that? >>7041791 Why ? Is wealth how you evaluate someones worth ? >>7041794 Bottom of society in this case was work wise. It can be used in many cases. And they do earn more money but that doesn't change the fact that they're bottom of society workers. They don't contribute anything of value to the world with their work. >>7041788 1. they weren't black, you can see the girl who is complaining's profile picture 2. give black people a little more credit 3. Nando's is a chain from South Africa, it's probably gotten more Black customers than white >>7041805 >They don't contribute anything of value to the world with their work Very few people do. >>7041806 that girl is black as fuck, and you can see the black hand holding the plate. >>7041797 just endless fast food threads >>7041815 We need a janitor so bad. Alright, people. PERSPECTIVE. The bitch was dumb and obviously has no clue about the industry. The staff were wrong to assume that a person couldn't have this level of social retardation. >>7041811 You are correct. And those who do are seen as top of society workers. Most of "us" also don't contribute anything but we're in the middle because we actually do posses a certain skill that is valued. >>7041825 Middle? You're a hell of a lot closer to a server than you are to a billionaire CEO. A fucking lot closer. >>7041834 I know this ain't /b/ but can we complain that they different tongue our anus ... or something? use their receipt code though >>7041853 *dont... tongue our anus >>7041530 >Then when they brought the next ones out they had a thick l... a thick what A THICK WHAT Does this just turn into porn after the jump? >>7041530 Wtf is a well done rib? There's done and then there's raw. Any redness in ribs is going to be from the smoke ring. >>7041834 not your army fag >>7041861 You should try smoking cessation. >unedable Who cares, she's a moron anyway. >>7041530 They didn't charge them, so I find this to be completely acceptable. >>7041836 Skill wise or wage wise ? >>7041862 not asking fag. I filled it in for shits n giggles in case they go about trying to get more attention from it >>7041886 yeah they did you don't see the receipt where it says debit card 8.95? >>7041886 >total >debit card >baiting this hard >>7041530 Ribs? Aren't those chicken drumsticks in the picture though? Is there any group of human beings in this world that are saltier than waitstaff? Retail workers are pretty bad as well, but I've never known a waiter who didn't constantly piss and moan about their job and how somebody asked for ketchup or broke some arcane rule of restaurant etiquette. >>7041530 Well done fags btfo proper bantz lads >>7041530 >Then when they brought the next ones out they had a thick liquid... I bet she wanted catsup with her well donoe wings instead >>7041911 Anyone who has to deal directly with customers in any form of customer service/support role tends to be salty. It's just how it goes when you need to deal with endless idiocy and douchebag customers all day long. If customers weren't such assholes all the time, it wouldn't be a problem. Unfortunately, most people have that fucking "THE CUSTOMER IS ALWAYS RIGHT!" mentality and view anyone who is employed to help assist with/resolve their problems as a sub-human slave robot instead of another human being. >>7041908 They're lamb (rib) chops. >>7041917 That is why you need to be able to detach from yourself and be a robot while you work with human beings. If you can't do that then go and do something else. It takes skill to be able to work with humans and provide good service and not get crazy. I'm not talking about servers only. >>7041917 Yeah, but that isn't any excuse. The job is to work with people, and people are annoying. That's what you should expect. I work at a group home. One guy there gets mad and takes swings at me for trying to change his piss-covered bedsheets. One woman screams constantly, throws things at me, and flips the fuck out when I try to wipe her ass. Neither myself nor any of my coworkers bitch constantly about how much we hate retards. We have to be respectful too, and it isn't a problem. Our job is to serve people, and it comes with the territory. There are plenty of jackasses who work in my field too, but for some reason they can understand this. Waitstaff never seem to. >>7041923 I agree that anyone working with customers in that capacity needs to grow a thick skin and learn to detach, but it is a two-way street. There is no good reason for anyone to treat someone who gets paid to help them like a worthless slave simply there to do their bidding and act as a sponge for their abuse. >>7041530 Is this the famous "cheeky nandos" I'm always hearing about? This is pretty cheeky. Disgusting service at your Nandos in Underwood tonight. Me and my friends ordered two sets of ribs today. Asked for them to be well done, your employees made fun of us, laughed nudged each other and wrote up well done 10 times on the reciept then when our ribs were brought to us they were completely burnt. Completley unedable. Both sets. Then when they brought the next ones out they had a thick layer of uncooked fat on them and were cold which clearly shows they were undercooked or not even put on the grill. To add on to this mess we've gone to leave and have had to pull back into the carpark as my friend had vomitted everywhere. Seriously unimpressed. Rude staff and unacceptable service. Something needs to be done about those two staff memebers that made a mockery out of this. * To those of you talking about the well done thing.. We ordered chicken ribs. We go to this Nandos regularly (as well as others) and ask for the same thing. There is usually no issue because every Nandos has this option and know how it's meant to be done to their own standards. This is not well done. This is burnt. >>7041530 As much as those girls probably deserved it, and I'm always on a mans side because a guys judgment/desciisons though sometimes wrong come from a good place...I wouldn't want my food fucked with either. Like, I can be against my food being fucked with, but when it comes to these women being complainy bitches? They 99% of the time were asking for it. Blacks complaining at a restaurant? The hell you say! >>7041976 maybe they shouldn't ask a chef to abandon his craft and destroy a fine piece of meat >>7041976 >you need to learn to spell Got me. >>7041940 Pretty much this >>7041939 You should expect your job to be annoying if you're working with people. But it is rather complicated. In my experience non-educated or bottom society people take "bottom-society jobs" for granted. I've worked as the IT guy in a huge hospital. Out of hundreds of tasks one of my tasks was to provide technical help to the hospital staff. The higher the position was the more respect I got. For instance people working on admittance didn't respect me at all, while doctors and other higher ranked staff respected me very much. >>7041971 Is that from Yelp ? I recommend watching the Yelp episode of South Park to everyone. >well done chicken The fuck >>7041976 Those kids wouldn't be laughing if someone was calling their granny an old.nasty cracker bitch >>7041563 Chicken is supposed to be well done >>7041919 Naw dude those are drumsticks >>7042021 And it already comes fully cooked. Asking it to be cooked more makes it, guess what, over-fucking-done. >>7042037 They are chicken wings. Not sure they c uckadians call ribs >>7041976 Rizzloe got BTFO >>7041667 >we all know her type. >its like when people ask for really spicy. i keep a bottle of pure capsaicin just for you special snowflakes. muh nigga. >>7042042 Some asshole tried to tell me they were lamb chops.....but why do the auzzies call it ribs? >>7042039 I don't know how uk does stuff. Maybe they do medium pork and chicken >>7041908 That's what I thought. I heard ribs, I think pork. But then I thought maybe it was beef because they asked for a temp. Then everyone is casually talking about chicken and the pictured items are chicken wings or drumsticks. >>7042076 > some asshole Y-you're the asshole. It's lamb. Australians are retarded, but they're not retarded enough to call chicken wings or drumsticks 'ribs', and who the fuck asks for well-done chicken? >>7042098 Cooked chicken is by default, well done the default for chicken is well done, she got exactly what she asked for >>7042103 Which is why there's no need to actually specify a doneness level unless Ja/ck/ is preparing your chicken. >>7042076 Not sure. Probably being trolled by aussies >>7041530 >I have a friend at work who raves about Nando’s. More specifically she rates the Nando’s barbecue chicken ribs as amongst her favourite foods. Until we started having conversations about Nando’s I never knew you could buy chicken ribs. I’m not alone, according to my friend she asked a local butcher for some and was told such a cut doesn’t exist. After much protestation the butcher refused to believe. Since then another butcher, a more enlightened butcher has been found. >>7041530 I ask places like dominoes or hungry howies to bake my wings twice since I like them crispy, and they're always soggy. I don't think they've ever came on my food. It's not like I'm afraid of the chicken being undercooked, I just like the skin crispier than they do. >>7041530 The real question is, what sort of scumbag goes to Nando's and doesn't order chicken? >>7042156 >I make other people's lives more difficult so that everything can be juuuust right, for me! hello snowflake >>7041547 >>/ck/ opens a restaurant fund it >>7042227 it's obviously chicken in the pic this person is too retarded to go out to eat >>7041976 Why are people so awful? >>7042246 It says ribs in the receipt so unless she completely fabricated this (which is equally likely) I'm guessing those are just incredibly charred mini-ribs. >>7042236 Yeah. Why not? I'm paying for it. If they can't do it then they would tell me no, or charge me extra, but they don't. They're beta, they know the customer is always right. >>7042268 They're some kind of rib for sure. Just superficially look like chicken wings. >>7042156 Maybe they were soggy because they were baked twice? I don't actually know how their kitchen works. >>7041971 >chicken ribs ??? >go to local diner with new girlfriend >diner has always been extremely good, both in service and food >UNTIL NOW >be seated promptly >server takes drink order >gf goes to the bathroom >15 minutes after her return (so let's say 30 minutes total, you know how women take forever in the bathroom) still no drinks >we're seated pretty much right by the drink station >gf comments she could just get up and get her own coffee >server finally shows up to take our order, STILL hasn't given us drinks >point it out >finally get drinks, about 45 minutes after entering diner >I get some salad that actually sounded interesting because it was well past midnight at this point >gf orders some new stuffed french toast >takes another 45 to come out >cold as ice >she reluctantly eats it because she's ravenous at this point >my salad, which also had shrimp and grilled chicken, was perfectly fine, everything was cooked well >server never came to refill our drinks So, I thought first time was a fluke, maybe a new server. >go again, a week later, lunchtime-ish >packed, which it never is >takes forever to get drinks again >she decides to give it another chance, gets the french toast, after explicitly asking the manager if it's supposed to be hot or cold >server asked chef, said hot, manager said cold >came out cold >again, my lunch, whatever I ordered I don't remember, was fine >gf thinks it must be her >manager decides to comp her anything she wants >gf too flustered to think, just gets a cheese omelet >it ends up okay but she's too upset to really enjoy it >everything was so hectic at this point that I didn't even realize they comped the omelet but still charged us for the french toast, even though she never ate that I don't get it. Diner was awesome until now... >>7041604 >The fuck is it with you Americans? Why can't you just all agree that "cooked" is the best way to serve fucking meat. The real question is why doesn't your country have the ability to cook food in accordance with the preference of a diner? >>7042098 Yeah dude...no it's clearly chicken and why the fuck would they call lamb chops ribs? >>7042517 No I meant like, I'd order wings sometimes and they were more wet and soggy, which some people like. Then I asked them if they could bake them twice and they said fo sure. Now I always ask, and my wings are great, exactly how I like. >>7042098 Australian Nando's only serves chicken. >>7041604 I prefer a burger to be cooked medium. What's so weird about that? >>7042098 Only good lamb/mutton is cooked in a earth oven. >>7041613 Depends on local standards and codes. In the city I live, for example, ground meat can be served <medium if they source meat from certain places or grind their own. >>7042682 It's not lamb though why is everyone entertaining this trolling faggots bullshit >>7041613 >>7042683 You can get rare in many places, but there must be a warning posted about undercooked foods, just like on a steak. I like mine medium-rare at upscale places, but only if they're known for burgers. Had a medium rare burger in vegas the other day, with the outside done to a crispy sear. It was phenominal. >>7041646 >>7041624 All chicken is cooked well done. Anyone that complains that it isn't well done enough is stupid, and deserve's their ash shit. >>7042244 >you enter the restaurant >it smells like... something >multiple people are engaged in a knife fight in the middle of the room >you overhear screaming about veganism, meat and politics >host approaches >he tells you to seat yourself, calls you a retard and leaves >you sit in a corner, trying to avoid the mess in the middle >one of the ruffians looks at you while you walk across the restaurant >you hurry to your seat, hoping he didn't see you >he did >he rushes to your table and seats himself >he begins to explain how to "properly" make carbonara >he won't leave >soon, the waiter arrives >you order, and the waiter loudly scoffs every time you say anything > about half an hour later >after sitting through an explanation of "meme foods" and why you should never eat them, your food arrives >a second, larger man erupts from the kitchen >he waddles to your table and sits down, the chair creaking as he does so >you realize the smell pervading the restaurant is coming from this man >he looks you straight in the eyes and begins telling you why every single food choice you've ever made is wrong >while he's talking, the waiter arrives with the check >"don't forget the tip," he says >suddenly, your two unwanted dinner companions turn to face the waiter >without saying anything, they jump up and begin beating the waiter with their chairs >you try to sneak away in the chaos >the lard giant grabs you from behind on your way out the door >he turns you around, and pukes pizza grease all over you >you feel yourself begin to swell >you suddenly feel very strongly about sriracha sauce and well-done steak >you roar at the top of your lungs "FUCKING PLEBS" >without hesitation, you enter the fray in the middle of the room there is no escape from this hell Aussies call chicken wings chicken ribs >>7042725 >>7042736 Fucking retards we should've never let that prison island become a civilization >>7042736 Apparently its some other part of the chicken, maybe the top of the breast? Either way, fucking australians what the fuck is a "set of ribs" what.. the .. fuck niggers are the worst.. >>7042725 sounds about right >>7042797 read the thread >>7042736 >>7041651 this is chicken you fucking retard. why is there even an option for it? its obviously an option because its on the reciept and not a special request. I would risk losing my job pinning you dipshits from the dish pit for being this stupid. you do not treat chicken like steak you twats. >>7041530 Yes it's burnt to shit but the real culinary crime here is that it's swimming in that poo colored sauce. Even if the sauce is good why there so much on the plate it could be considered a soup >>7041667 You too? There's always that one "tough bro" who thinks nothing is spicy enough. >sorry, bro... I can't hear your backpedaling over your tears >>7041667 >>7042905 lots of "spicy" stuff served in the USA isn't nearly hot enough. Your counter-edge is not sharp enough imho >>7041530 Who the fuck orders chicken well done? >>7041536 >4th world >>7041667 >>7042905 It's true. Some times I'd rather cry and hurt than have a "pleasant" heat. your cheap little chemical heat bottle might make it stronger than I'd like it, but I'll build up my tolerance eventually and be back to try it again. >stupid women that always cry about wanting all the flavor sucked out of their meat by having it well done >get it well done >cry Fuck them >>7042736 y You're fucking lying cunt. We call them chicken wings. We can buy chicken ribs, which are funnily enough the ribs of a chicken. >>7042725 nailed it >>7041613 Eating a burger that is rare or medium is stupid, if the meat isn't sourced or is ground elsewhere besides the store, you risk all kinds of bacteria. Even then, the consistency of the burger patty itself is usually off because the dickhead cook will burn the outside to keep it raw or medium. >>7041976 >maybe you should donate some of that forehead to someone who is in need of one goddamn rizzloe got btfo >>7042736 no we don't the cut refered to as a rib at nandos is not any part of the chicken wing have you ever broken down a chicken? it's the two rib parts with the long bone on either side of the carcass > >A chicken is a small bird. Its rib cage is small. So how is it possible to serve chicken ribs? I imagine it is a wing. But, why call a rib? Certainly, a wing is different from a rib. Like everything else, I google search to find my answer. A chicken rib is not really a “chicken rib”, but it is part of the scapula meat, or a shoulder meat of the chicken. I've solved it. Now go back to arguing over whether or not servers are people and if getting well done is grounds for execution or merely caning. >>7042941 >>>/x/ still here? >>7042725 Only thing you're missing are references to the hourly fast food threads I remember once being called a pleb for liking the wrong dark chocolate. Truly /ck/ is a place of wonder and camaraderie >>7043399 but lindt is OBJECTIVELY garbage, pleb. stop being such a pleb >>7041834 I did it. >tee hee >>7043408 lol Also this thread is ridiculous. I've worked in about a dozen kitchens and I've never understood why most servers and kitchen staff (most are NOT chefs and most do not have some "reverence" for the food they cook, especially at a chain restaurant that looks to be total shit) have such huge fucking chips on their shoulders. Sure, the kitchen is a hot noisy place and you often have a lot of work to do, but there's really no excuse for purposefully destroying a paying customers food and if I were running a restaurant I would immediately terminate any employee who did it, no strikes, that's it. I do think servers are worse in this regard than kitchen staff are, if just because their jobs are so much easier. People are assholes, but you don't see cashiers bitching and moaning day and night about their public relations job. >>7041709 none of your reasons is the same. >asking for well done complains when burnt >treats people as lesser beings complains that lesser beings dont like to be treated badly >making them do their job yea fuck those guys in general your a cunt but you had a point with your last one. how about everyone just respects everyone. What the fuck are 'well done' wings? Why didn't they just order them extra crispy? Or just ask them to leave the wings in the oil for an extra 3-5 minutes? There's no such thing as 'well done' chicken. >>7043568 This, who the hell specifies well done with chicken? >>7041618 Because most places people want their burgers done differently than others. When i go out places I normally get my burger cooked medium, but at home when i know how my meat was handled I make mine med-rare. inb4 you imply im American >>7041667 Heh you fell right into my trap kid. When I want the spiciest sauce I act like a complete dick ask for the spiciest ssuce and say it's not spicy enough.of course then they think they're being a sneaking fucker by loading it with the spiciest shit ever. Normally asking for the spiciest sauce, no not that one, the real spiciest one nicely results in getting a tier less spicy than you wanted.Heh nothin personnel kid Australian here. We get things here called chicken ribs. They arent actually ribs but I have no clue where they come from on a chicken. I question why they would ask for well done chicken though, its chicken ffs we dont serve that shit rare here like in japan >>7041674 To be fair sometimes being a prostitute can be hard, like taking a rough anal dicking or throatfucking >>7041532 >well done >chicken m8 the fuck are you on. What the fuck is Nando's? >>7041577 > kek It's bush meat, it's supposed to look like that. >going to nandos when you clearly can't hack the bants lmao, they brought it on themselves. >>7041530 Looks like aborted hypo fetusus. >>7046996 hippo >>7041744 >every single person I don't see too many Eskimos, Ethnic Russians, or Aboriginals eating chickens. Chickens didn't live in the Americas either... they're indigenous to Asia. >>7041530 >Hope no one got food poisoning Are people seriously so autistic that they think that you get food poisoning from burnt food? >>7041530 those don't look like ribs. >>7047010 Abos like kfc. >>7047065 lol >>7047010 >Ethnic Russians we eat chicken a lot >>7048201 Chicken don't live in tundra, friend. >>7042054 >>7041667 But most "spicy" places ie indian food tone down their heat for the white man. Sometimes you need to let them know you're not like their previous overlords. We don't all want tikka massala. >>7042560 The elephant in the room, man. Chicken does not have levels of doneness. Ribs (pork?) also does not have levels of doneness. And if you're eating ribs that have only spent 5 minutes being cooked, you're doing it wrong, anyways. That shit needs to be cooked low and slow. But chicken ribs? I have no idea Wtf is going on, here. Those look like chicken legs on her plate, to me, and being overdone is the least of the problems. It looks like someone took a handful of chicken legs and poured General Tso's sauce all over them. And there aren't any sides? No bread? No rice? Not even a damn piece of cilantro, or anything? Just Chicken legs scattered on a large plate swimming in General Tso sauce? Wtf. Looks like a shitty restaurant. >>7048209 95% of the population didn't live in tundra throughout whole history >>7041749 The term 3rd world died with the end of the cold war >>7041662 Fuck you asshole if rather live here than any other shitty country I've travelled to, and that's a lot. Including land of the clapistanos. Enjoy your blacks and muslims. >>7044396 Cringe >>7048322 I wish you had died with the Cold War. >>7041530 >hope no one got food poisoning and if they did then sue them >food poisoning >from OVERcooked food >somehow no one else is commenting on this and keeps on talking about chicken ribs >>7048313 Which means 5% did and they didn't have chicken. Also eskimo / inuit / nomadic people in artic regions, northern scandiwegia and tibet/nepal didn't have chicken. >literally every single person has had chicken avialable Clearly wrong you autist fuck. >>7048362 I was talking about ethnic russians you imbecile , inuit, eskimo or whatever peoples who lived in arctic,sub-arctic or mountainous regions didn't have chicken >>7047010 >I don't see too many Eskimos, Ethnic Russians, or Aboriginals I don't see those people working at Nando's either so you're original >chicken isn't available in the 3rd and 4th world nations they come from. Was wrong and retarded. >>7047065 I would laugh so hard if this happened to me. Fucking morons with no sense of humor are the bane of this good earth. >>7048371 To this day running water and indoor plumbing isn't available in the 3rd and 4th world, they don't have chickens either...as they're starving to death...as they should be. I'm confused, it says ribs but it looks like chicken. I mean I kinda get well done ribs, ribs are done 160 but you really want to aim for 200 for bbq. Chicken is different though, once it is done it is done. After that it just starts drying out. So...what exactly am I looking at here or is my American showing on the rib thing? >>7041653 This. >>7048371 If you're defending this statement: > Every single person either has raised or know someone who has raised chickens in third world countries. It's clearly you that is wrong and retarded. >>7048340 You too ;) >>7041530 Cheeky. >>7041532 >>7041546 >>7047010 >>7048209 >>7048362 >50% of world don't eat chicken >100% of world eat chicken >10% of world don't eat chicken >95% of world eat chicken You guys arguing are stupid. It doesn't matter if chicken is available or not in a homeland they may or may not have come from. You should be able to see if food is burnt or not when you work in a restaurant. >Refuse to serve the costumer as spected under the limits of the restaurants (if there is not a rule about not asking for well done steak or wathever that could know about before enter the pretentious shithole, you better serve it well done). >Search for any change in comparison to their taste and standar and act based on their "superior taste" and feelings. >Everyone but them are the special snowflakes. I could add a shit ton of creap that those lazy fuckers do, but you might end up spitting the monitor that you mommy brought for you because most of the people working in restaurants are fucking retards. I feel bad for the chefts that actually give a shit about the people and get paid for cooking when they have to deal with retards of being a babysitter for free for those assholes. >>7041768 >>7042346 This desu
https://4archive.org/board/ck/thread/7041530/how-do-you-feel-about-this-ck
CC-MAIN-2019-04
refinedweb
6,696
80.21
Can't access QtSerialPort, other includes I have recently installed Qt5.4 on Opensuse 12.3, where I have had Qt 4.8 for a while - However, when I try to compile a program that does a lot of serial communications and runs well under 4.8, (and having taken LIB -lQtSerialPort out of the project file and put in QT += serialport) I get "No such file or directory" at the line #include <QtSerialPort/QtSerialPort> I have tried putting into the project file INCLUDEPATH += </opt/Qt5.4.0/5.4/gcc_64> and variants such as INCLUDEPATH += </opt/Qt5.4.0/5.4/gcc_64/include> but this does not help. When I put the whole path in #include </opt/Qt5.4.0/5.4/gcc_64/include/QtSerialPort/QtSerialPortDepends> etc. I get "Q_NULLPTR was not declared in this scope" at line 182 of qserialport.h explicit QSerialPort(QObject *parent = Q_NULLPTR); This runs fine on a machine that I have installed Opensuse13.1 on, where the installation was done by Opensuse 13.1. Thanks for any hints !! Paul Hi and welcome to devnet, Are you sure you are using the correct qmake ? Kit ? Qt version ? Thanks for the reply - The Kit and Qt version I checked in the project settings a few times. I also uninstalled and re-installed, and tried a different directory (/usr/Qt). I installed from an live "installer" and then tried downloading the 600ish MByte static installer. These are generic linux, I wonder if they're ok with Qt 12.3, or if somehow the include directory is mixed up because Qt4.8 is still there. I didn't check the qmake - how would I do that? Thanks Did you also update your project to use the new Kit ? If you are using Qt Creator to build your project, the qmake version should be set correctly. It must be the one located in your Qt installation. Thanks for your reply. I'm not sure what you mean by "update your project". I opened the project in the (new version of) Qt Creator, and under "Tools -> Options -> Build and Run set Kits and Qt versions. Is there something else that should have been done? Could it be the version of g++? It's 4.7 . . If I start a new project, and try to #include <QtSerialPort/QtSerialPort. it works! DO you think that's the best solution? Thanks Paul At some point, it might be simpler to indeed recreate the project from scratch. Thanks - actually, I tracked it down via qmake to the .pro.user file, which still had the Qt4 information - after deleting it, the system re-created it, and now it compiles - with some annoying complaints (won't take TRUE, insists on true) You're welcome ! Good ! What generates these complaints ? My simple program compiles, but the larger program says "QPrinter has not been declared" in file included from /usr/include/QPlainTextEdit", despite my having added Qt += printsupport and chanaged the header calls in my code as suggested to #include <QtPrintSupport/QPrinter>, and also ‘QT_STATIC_CONST’ does not name a type, which I gather is an incompatibility between qwt and Qt5.4 "/usr/include/QPlaintTextEdit" ?
https://forum.qt.io/topic/49351/can-t-access-qtserialport-other-includes
CC-MAIN-2018-13
refinedweb
526
66.23
Introduction A nice feature to build into your application is allowing your application to check for inactivity. Inactivity means that the program is just “standing still” – it is open, but it seems to be forgotten. Some programs check for inactivity in order to release important resources. Some programs rely on activity in order to keep database connections open, etc. In this article we will let our program check for inactivity. Logic There are actually a few ways to accomplish this: You could use a normal timer and check for mouse movements, clicks, or keyboard presses. You could determine this through scanning the active processes running on your computer. The question is: How complicated do you want to get? My method involves the IMessageFilter Interface. This interface allows an application to capture a message before it is dispatched to a control or form. Yes, it may also be more complicated than just checking the mouse movements and key presses one-by-one, but it is a lot less code and actually accomplishes the same thing. By using this method, you are 100% sure that there will not be any glitches or miscalculations. The IMessageFilter also checks mouse movements and key presses, but it does so through the use of the actual mouse messages and key messages being sent. Sound complicated? No, don’t worry – as you’ll see shortly, it is quite a breeze. Design Start up Visual Studio and choose either VB.NET or C#. Create a Windows Forms Project. There will be some differences in our VB and C# projects, because C# will implement this Interface differently than VB. Add a few controls to your form, and add a Timer (which is the most important here). For the Timer, set the Interval Property to 1000 (One second). VB.NET Code As to be expected, there is not much code involved here, but that doesn’t mean that the code won’t have us scratch our heads :). For simplicity’s sake, let us cover VB.NET and C# separately. Open the code window for your VB.NET project, and add the following code : Public Class Form1 Implements IMessageFilter 'This interface allows an application to capture a message before it is dispatched to a control or form. Here, we are letting our form know that we will be using IMessageFilter messages. Now we need to write the Function responsible for listening to the sent messages: '' Filters out a message before it is dispatched. Public Function PreFilterMessage(ByRef m As System.Windows.Forms.Message) As Boolean Implements System.Windows.Forms.IMessageFilter.PreFilterMessage 'Check for mouse movements and / or clicks Dim mouse As Boolean = (m.Msg >= &H200 And m.Msg <= &H20D) Or (m.Msg >= &HA0 And m.Msg <= &HAD) 'Check for keyboard button presses Dim kbd As Boolean = (m.Msg >= &H100 And m.Msg <= &H109) If mouse Or kbd Then 'if any of these events occur If Not Timer1.Enabled Then MessageBox.Show("Waking up") 'wake up Timer1.Enabled = False Timer1.Enabled = True Return True Else Return False End If End Function This function identifies each message sent to the form. These messages can be mouse clicks, mouse movements, key presses, etc. We wait for a message, then the program wakes up. The final piece of code we need to add is the Timer’s Tick event. This will serve to wait for messages. If messages haven’t been received in two minutes, we quit. Add this code now: Private Sub Timer1_Tick(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles Timer1.Tick Static SecondsCount As Integer 'Counts each second SecondsCount += 1 'Increment If SecondsCount > 120 Then 'Two minutes have passed since being active Timer1.Enabled = False MessageBox.Show("Program has been inactive for 2 minutes…. Exiting Now…. Cheers!") Application.Exit() End If End Sub When our counter variable reaches 120 ( 2 minutes ) the program quits. C# Code Apart from the syntactical changes between VB.NET and C#, there are some other differences too. In C#, we cannot Implement the IMessageFilter Interface the same way we did in VB.NET. We have to create a separate class, and then make use of that class from within our form. In your C# Project, add a Class named FilterMess and add the following code to it: using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Windows.Forms; //Necessary namespace Inactivity_C //Name of my program { class FilterMess : IMessageFilter //This interface allows an application to capture a message before it is dispatched to a control or form { private Form1 FParent; //instance of the form in which you want to handle this pre-processing public FilterMess(Form1 RefParent) { FParent = RefParent; } public bool PreFilterMessage(ref Message m) { bool ret = true; //Check for mouse movements and / or clicks bool mouse = (m.Msg >= 0x200 & m.Msg <= 0x20d) | (m.Msg >= 0xa0 & m.Msg <= 0xad); //Check for keyboard button presses bool kbd = (m.Msg >= 0x100 & m.Msg <= 0x109); //if any of these events occur if (mouse | kbd) { MessageBox.Show("Waking up"); //wake up ret = true; } else { ret = false; } return ret; } } } It is more or less the same as in VB.NET. I just added the ability to connect this class to my Form (named Form1). All we need to do now is to make use of this class inside our form. Change your Form’s constructor as follows: public Form1() { InitializeComponent(); Application.AddMessageFilter(new FilterMess(this)); //Connect to FilterMess class } Finally, add your Timer_Tick event: static int SecondsCount; private void timer1_Tick(object sender, EventArgs e) { //Counts each second SecondsCount += 1; //Increment //Two minutes have passed since being active if (SecondsCount > 120) { timer1.Enabled = false; MessageBox.Show("Program has been inactive for 2 minutes…. Exiting Now…. Cheers!"); Application.Exit(); } } When run and left inactive for two minutes, a messagebox will pop up informing you that your application has been inactive for too long, and exits. If your application (form) didn’t become inactive, you’d get a message each time you did something. That can get a tad annoying, but this is obviously just an example (which you will be able to download) for you to use as you wish. Conclusion Not too complicated now was it? Nope. I hope you have enjoyed this article and that you can benefit from it..
https://www.codeguru.com/visual-basic/how-to-check-for-application-inactivity-in-net-2010/
CC-MAIN-2021-43
refinedweb
1,045
67.45
You can subscribe to this list here. Showing 3 results of 3 Hey all, I'm looking to stop a parent script from within a thread. My code is as follows: import threading def exitFunct(): #exit code here t = threading.Timer(60.0, exitFunct) t.start() for i in range(1, 3000): print i I'm running this script from within a Java program, so I can't use java.lang.System.exit(), sys.exit() doesn't work, and neither does KeyboardInterrupt. Any ideas on some exit code that will work? Thanks You may also consider <> if you are trying to access COM servers... > Jython does not support win32api. Although certainly technically feasible, > it would be of very low priority for Jython development. Alternatives > include using a commercial package like J/Invoke (are there good open > source > alternatives?), or some CPython/Jython integration. > > Jython can readily import either Java or Python. The question for Python > modules is whether they have either native dependencies, or rely on > something OS specific. Anything like that would require some porting. In > many ways, this is no different than in CPython, especially for crossing > the > Windows/*nix divide. In addition, we still have some gaps in our standard > library support. > > - Jim > > On Tue, Nov 24, 2009 at 7:03 AM, kilon <thekilon@...> wrote: > >> >>@... >> >> > > > > -- > Jim Baker > jbaker@... > ------------------------------------------------------------------------------ > Let Crystal Reports handle the reporting - Free Crystal Reports 2008 > 30-Day > trial. Simplify your report design, integration and deployment - and focus > on > what you do best, core application coding. Discover what's new with > Crystal Reports now. > > Jython-users mailing list > Jython-users@... > > Hello, Swing's thread policy has apparently been getting stricter over years, and as mentioned for example here: It's "illegal" to even _construct_ Swing widgets outside the event dispatch thread, let alone manipulate them. In other words, code like this works, strictly speaking, only by coincidence, unless the code is explicitly launched on the EDT - and generally it isn't. This is a pity, since Jython's other features regarding Swing are quite nice, making the code concise and clear. Is there a simple workaround this? Should some "thread safety help" be built into core Jython? How have you people dealt with this issue - building workarounds, or simply Swinging outside the EDT by luck? Best Regards, Joonas
http://sourceforge.net/p/jython/mailman/jython-users/?viewmonth=200911&viewday=25&style=flat
CC-MAIN-2015-32
refinedweb
383
67.86
Mon 16 Jun 2014 Working Around Shadowed Functions Posted by Mike under Cross-Platform, Python [4] Comments Recently I ran into an issue where an application that calls Python would insert int into Python’s namespace, which overwrites Python’s built-in int function. Since I have to use the tool and I needed to use Python’s int function, I needed a way around this annoyance. Fortunately, this is fairly easy to fix. All you need to do is import int from __builtin__ and rename it so you don’t overwrite the inserted version: from __builtins__ import int as py_int This gives you access to Python’s int function again, although it is now called py_int. You can name it whatever you like as long as you don’t name it int. The most common circumstance where one shadows builtins or other variables is when the developer imports everything from a package or module: from something import * When you do an import like the one above, you don’t always know what all you have imported and you may end up writing your own variable or function that shadows one that you’ve imported. That is the main reason that importing everything from a package or module is so strongly discouraged. Anyway, I hope you found this little tip helpful. In Python 3, the core developers added a builtins module basically for this very purpose. - eryksun - Guest - Brandon Rhodes - Mike Driscoll
http://www.blog.pythonlibrary.org/2014/06/16/working-around-shadowed-functions/
CC-MAIN-2014-42
refinedweb
242
64.85
Lesson 12 - Tetris in MonoGame: Game Scene Management In the previous lesson, Tetris in MonoGame: Level Features, we improved the block rotation and added a ghost block into the level. Now the Tetris game can be considered as complete. You can, of course, add another mechanics to it, such as power-ups, game modes, etc. Today we're going to focus on game scenes, one of which could be, for example, the game menu. Game Scenes We know that MonoGame isn't an engine, but a framework. Therefore, MonoGame itself, apart from components, doesn't provide any way to manage and switch between game scenes. By a game scene is meant some separate part of the game, such as the level, the main menu, the score table, the credits, and so on. The main menu would certainly have a different logic than the Tetris level. We also need to be able to switch between those game scenes and store their state. There are, of course, many ways to do that. The most silly way would be to write the whole game code into a single file and introduce many states in it (the menu state, the game state, etc.). The final file would probably look very messy. Since we know how to use game components, we'll definitely do so. Sometimes you can see projects that have components for each individual scene. These components are then being switched (e.g. we switch from the Menu component to the Level component). This may be sufficient for small games, but not for larger projects. The problem is that we'd be limited to have just one component per scene. Then we couldn't have, for example, the clouds, level, and other parts of a complex project as separated components. The solution we're going to show here defines a game scene as a set of components. All components are part of the game project, and after switching the current scene, only those that are used in that particular scene are enabled, while all the other components are disabled. Let's add a GameScene class to the project. Its instances will represent individual game scenes. We'll make the class public and add two private fields in it. The first one will be a collection of components that the scene consists of, and the second one will be the RobotrisGame instance: private List<GameComponent> components; private RobotrisGame robotrisGame; To use the GameComponent type, we need to add the following using statement: using Microsoft.Xna.Framework; We'll add a public AddComponent() method that stores the passed component in the private components collection. The passed component is also stored in the game's Components collection, but it can only be added when it's not already there. Remember that some scenes may use the same components. The method will look like this: public void AddComponent(GameComponent component) { components.Add(component); if (!robotrisGame.Components.Contains(component)) robotrisGame.Components.Add(component); } Because the collection is private, adding components must be done using this method, which ensures that the components will be added into the game's Components as well. In the class constructor, we'll pass the game instance as a parameter, just as we do in other components and game objects. Also, we'll use the params keyword, which allows us to enter multiple GameComponent instances as other parameters. We'll loop through them and add them using our method. public GameScreen(RobotrisGame robotrisGame, params GameComponent[] components) { this.robotrisGame = robotrisGame; this.components = new List<GameComponent>(); foreach (GameComponent component in components) { AddComponent(component); } } As the last method we'll add ReturnComponents(), which will return the components used by the game scene as an array: public GameComponent[] ReturnComponents() { return components.ToArray(); } To make it complete, you can add your own method that'll remove a component. It may be handy in larger projects, but for our needs it's not necessary. To have something to test on, we'll add MenuComponent into our game project (add it in the Components/ folder, but keep the namespace only as Robotris). It'll be another DrawableComponent. We've shown how to add one in the Dividing a MonoGame Project into Components lesson. Just to be sure, here's the class code: public class MenuComponent : Microsoft.Xna.Framework.DrawableGameComponent { private RobotrisGame robotrisGame; public MenuComponent(RobotrisGame robotrisGame) : base(robotrisGame) { this.robotrisGame = robotrisGame; } public override void Initialize() { base.Initialize(); } protected override void LoadContent() { base.LoadContent(); } public override void Update(GameTime gameTime) { base.Update(gameTime); } public override void Draw(GameTime gameTime) { base.Draw(gameTime); } } We'll leave the component blank for now. Managing Game Scenes We'll put the game scene management into the RobotrisGame class. It makes sense and is easily accessible from all components. Another option would be to create a separate game scene manager. Le's go to RobotrisGame.cs where we'll add two public game scenes as class fields. These will be the menu and level scenes: public GameScene menuScene, levelScene; We'll create the menu component in Initialize(), next to the other components: MenuComponent menu = new MenuComponent(this); We'll completely remove the part adding components to the game's Components collection. That's because the game scene already does that for us. Instead, we'll instantiate the game scenes: menuScene = new GameScene(this, clouds, menu); levelScene = new GameScene(this, clouds, level); We can see that the same Cloud component instance can be used in multiple scenes. We'll add a private method for enabling and disabling the scenes, taking the component and the enabled state ( true/ false) as its parameters. MonoGame's GameComponent has the Enabled property that enables/disables its Update() method execution. If we set it to false, the component stops working. If the component is of the DrawableGameComponent type (which is in most cases), we also have to set the Visible property, which specifies whether the Draw() method is being executed and thus whether the component is rendered. private void ChangeComponentState(GameComponent component, bool enabled) { component.Enabled = enabled; if (component is DrawableGameComponent) ((DrawableGameComponent)component).Visible = enabled; } If we disable the component this way, it won't be rendered nor updated, but it'll still exist and keeps its state until it's enabled again. This may sometimes be very useful (e.g. for switching between different locations, minigames, starting a level from the menu, etc.). Let's go back to Initialize(). We'll loop through all the game components and disable them, right after creating the scenes instances: foreach (GameComponent component in Components) { ChangeComponentState(component, false); } Finally, we'll add the scene switching method itself. It'll be public and take the scene we want to switch to as its parameter. public void SwitchScene(GameScene scene) { } First, we'll get the components used by the scene: GameComponent[] usedComponents = scene.ReturnComponents(); Then we'll check all components in the array to see whether they're used, and change their state accordingly. foreach (GameComponent component in Components) { bool isUsed = usedComponents.Contains(component); ChangeComponentState(component, isUsed); } We'll also update the previous keyboard state in the method, because switching the components causes it to skip updating: previousKeyboardState = keyboardState; We'll then switch to the current scene at the end of the LoadContent() method (so after everything has been loaded): SwitchScene(menuScene); Now when we run the game, we should see the menu scene, which is currently just clouds. Let's move to the Update() method of MenuComponent, and add a piece of code that'll start the game after pressing the Enter key: if (robotrisGame.NewKey(Keys.Enter)) robotrisGame.SwitchScene(robotrisGame.levelScene); Now let's try our scene. We can see we got the switching functionality. In the next lesson, Tetris in MonoGame: Game Menu, we'll focus on the game menu Download Downloaded 4x (15.99 MB) Application includes source codes No one has commented yet - be the first!
https://www.ict.social/csharp/monogame/csharp-programming-games-monogame-tetris/tetris-in-monogame-game-scene-management
CC-MAIN-2020-45
refinedweb
1,313
55.64