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 |
|---|---|---|---|---|---|
from sys import stderr from queue import LifoQueue as stack from queue import PriorityQueue as p_queue from queue import SimpleQueue as queue # It seems like these structures can keep "garbage" fro # previous runs, so we must clean them out before using: def gc(queue): if not queue.empty(): while not queue.empty(): queue.get()
The following indicates the simple structure used for our graphs. The following shows a graph with nodes 0,1,2,3,4,5,6 and directed edges: 0→1 with weight 1, 0→2 with weight 2, etc.
ToyGraph = {0 : {1:1, 2:1}, 1 : {3:8}, 2 : {4:2}, 3 : {4:1, 6:2}, 4 : {5:2, 3:5}, 5 : {3:1, 4:2}, 6 : {}}
showGraph
We can visualize our graphs using the networkx module. We need to load a few modules and convert our adjacency list graph to a networkx graph. This is done below in the following code which may be ignored. Things are set up to indicate the DFS ('blue'), the BFS solution ('red'), and the UCS solution ('green') some basic attempt has been made to indicte when the path overlay each other.
import networkx as nx import pylab as plt import pydot as pdot from IPython.core.display import HTML, display, Image #import pygraphviz #from networkx.drawing.nx_agraph import graphviz_layout def adjToNxGraph(G, digraph=True): """ Converts one of our adjacency "list" representations for a graph into a networkx graph. """ if digraph: Gr = nx.DiGraph() else: Gr = nx.Graph() for node in G: Gr.add_node(node) if G[node]: for adj in G[node]: Gr.add_edge(node, adj) Gr[node][adj]['weight'] = G[node][adj] return Gr def showGraph(G, start, goal, paths = [], node_labels = 'default', node_pos = 'neato', gsize = (14,14), save_file=None, digraph=True): """ paths should be an array of which paths to show: paths = ['bfs', 'dfs', 'ucs'] node_labels must be one of: 'default', 'none', or a list of labels to use. save_file must be an image file name with extension, i.e., save_file='my_graph.png' """ fig, ax = plt.subplots(figsize=gsize) # Conver G into structure used in networkx Gr = adjToNxGraph(G, digraph=digraph) if node_pos is 'project_layout': # The project graphs have a particular structure. node_pos = dict(zip(Gr.nodes(),[(b, 9 - a) for a,b in Gr.nodes()])) else: node_pos = nx.nx_pydot.graphviz_layout(Gr, prog=node_pos, root=start) edge_weight=nx.get_edge_attributes(Gr,'weight') def path_edges(path): edges = list(zip(path[:-1], path[1:])) cost = sum([Gr[z[0]][z[1]]['weight'] for z in edges]) if not digraph: edges += list(zip(path[1:], path[:-1])) return edges, cost # Process Paths: if 'bfs' in paths: bpath = getPath(bdfs(G, start, goal, search ='bfs'), start, goal) bedges, bcost = path_edges(bpath) else: bpath = [] bedges = [] if 'dfs' in paths: dpath = getPath(bdfs(G, start, goal, search = 'dfs'), start, goal) dedges, dcost = path_edges(dpath) else: dpath = [] dedges = [] if 'ucs' in paths: ucost, back = ucs(G, start, goal) upath = getPath(back, start, goal) uedges, ucost = path_edges(upath) else: upath = [] uedges = [] node_col = ['orange' if node in upath else 'purple' if node in bpath and node in dpath else 'blue' if node in dpath else 'red' if node in bpath else 'lightgray' for node in Gr.nodes()] if node_labels == 'default': nodes = nx.draw_networkx_nodes(Gr, node_pos, ax = ax, node_color=node_col, node_size=400) nodes.set_edgecolor('k') nx.draw_networkx_labels(Gr, node_pos, ax = ax, font_size = 8) elif node_labels == 'none': nodes = nx.draw_networkx_nodes(Gr, node_pos, ax = ax, node_color=node_col, node_size=50) else: # labels must be a list nodes = nx.draw_networkx_nodes(Gr, node_pos, ax = ax, node_color=node_col, node_size=400) nodes.set_edgecolor('k') mapping = dict(zip(Gr.nodes, node_labels)) nx.draw_networkx_labels(Gr, node_pos, labels=mapping, ax = ax, font_size = 8) edge_col = ['purple' if edge in bedges and edge in dedges else 'blue' if edge in dedges else 'red' if edge in bedges else 'orange' if edge in uedges else 'gray' for edge in Gr.edges()] edge_width = [3 if edge in dedges or edge in bedges or edge in uedges else 1 for edge in Gr.edges()] if digraph: nx.draw_networkx_edge_labels(Gr, node_pos, ax = ax, edge_color=edge_col, label_pos=0.3, edge_labels=edge_weight) else: nx.draw_networkx_edge_labels(Gr, node_pos, ax = ax, edge_color=edge_col, edge_labels=edge_weight) nx.draw_networkx_edges(Gr, node_pos, ax = ax, edge_color=edge_col, width=edge_width, alpha=.3) if save_file: plt.savefig(save_file) plt.show() result = "DFS gives a path of length {} with cost {}<br>".format(len(dpath) - 1, dcost) if 'dfs' in paths else "" result += "BFS gives a path of length {} with cost {}. BFS always returns a minimal length path.<br>".format(len(bpath) - 1, bcost) if 'bfs' in paths else "" result += "UCS gives a path of length {} with cost {}. UCS alway returns a minimal cost path.".format(len(upath) - 1, ucost) if 'ucs' in paths else "" display(HTML(result)) # Need display in Jupyter
showGraph(ToyGraph,0,4,gsize=(8,8))
Here these are implemented using a basic stack (DFS) and queue (BFS). Often the goal is simply to answer "Is there a path between the start node and the goal node?", but sometimes we also wish to get hold of an actual path, for this a back pointer structure is introduced. When we expand the fringe at the current node we indicate for each new element of the fringe where it came from, a dictionary is used for this as well. A path can then be reconstructed backwards starting at the current element and working back to the start node which indicates the history of what nodes were expended to reach the current node. In this way a complete search tree can be reconstructed from the back pointer structure.
def bdfs(G, start, goal, search = 'dfs'): """ This is a template. Taking fringe = stack() gives DFS and fringe = queue() gives BFS. We need to add a priority function to get UCS. Usage: back_pointer = bdfs(G, start, goal, fringe = stack()) (this is dfs) back_pointer = bdfs(G, start, goal, fringe = queue()) (this is bfs) """ # There is actually a second subtle difference between stack and queue and that # has to do with when one revises the pack_pointer. Essentially, this amounts to # defining a priority function where queue prioritizes short paths, fat search trees # while dfs prioritizes long paths, skinny search trees. depth = {} if search is 'dfs': fringe = stack() weight = -1 # We are pretending all edges have weight -1 else: fringe = queue() weight = 1 # We are pretending all edges have weight 1 gc(fringe) # Make sure there is no garbage in the fringe closed = set() back_pointer = {} current = start depth[start] = 0 fringe.put(current) = fringe.get() if current not in closed: break if fringe.empty(): print("There is no path from {} to {}".format(start, goal), file=stderr) return None # Add current to the closed set closed.add(current) # If current is the goal we are done. if current == goal: return back_pointer # Add nodes adjacent adjacent to current to the fringe # provided they are not in the closed set. if G[current]: # Check if G[current] != {}, bool({}) = False for node in G[current]: if node not in closed: node_depth = depth[current] + weight if node not in depth or node_depth < depth[node]: back_pointer[node] = current depth[node] = node_depth fringe.put(node) def dfs(G, start, goal): return bdfs(G, start, goal, search = 'dfs') def bfs(G, start, goal): return bdfs(G, start, goal, search = 'bfs')
The following reconstructs the path from the back pointers.
def getPath(backPointers, start, goal): current = goal s = [current] while current != start: current = backPointers[current] s += [current] return list(reversed(s))
showGraph(ToyGraph, 0, 6,paths = ['bfs','dfs'], gsize=(8,8))
The following make is easy to try out our algorithms on random graphs. There is a probability p chance that the i -> j in this graph, where 0≤p≤1. A weight function can be provided to put weights on edges.
from random import random as rand from random import randint as randi def genRandDiGraph(n, p = .5, weights = lambda i,j: 1, digraph=True): G = {} # Initialize empty graph. for i in range(n): G.setdefault(i, {}) if digraph: for j in range(n): if rand() < p and j != i: # Simply choose whether or not to put # a directed edge j -> i G[i][j] = weights(i,j) else: for j in range(i + 1, n): # In case G[j] has not been initiated G.setdefault(j,{}) if rand() < p: # Simply choose whether or not to put # an directed edge j -> i G[i][j] = weights(i,j) G[j][i] = G[i][j] return G
Play around with different weight functions. If you do not assign a weght function, all weights default to 1 and you can verify that BFS and UCS return shortes lenth paths, since now shortest length and minimal cost are the same. Setting weighs to -1, i.e.
weights = lambda i,j: -1 is interesting as UCS then wants to find a maximal "length" path. You can set
digraph=True or
digraph=False and see what the difference is.
RandomG = genRandDiGraph(15, .4, weights=lambda i,j : randi(1, 15), digraph=True) showGraph(RandomG, 4, 3, gsize=(10,10), digraph=True)
showGraph(RandomG, 4, 3, paths=['bfs','dfs'], gsize=(10,10), digraph=True)
Here we must switch from regular queue and stack to the priority queue and introduce the cost function. Often the goal is simply to get the least cost of a path, but sometimes we wish to have the path itself so we keep track of back pointers as in the BFS/DFS so we can reconstuct the path. UCS is gauranteed to produce a path of minimal cost.
A∗ search is much like UCS, the only difference is that an additional heuristic is used to modify the priority function, so that the cost function and the priority function are no longer the same. For example, in the "project" graphs below, an additional P(node)=P(current)+cost(current,node)+h(node) might be used as the priority where h(node) is the Manhatten distance from the node to the goal. This can prevent some unecessary exploration in irrelevant directions. We won't implement A∗ search here.
def ucs(G, start, goal, trace=False): """ This returns the least cost of a path from start to goal or reports the non-existence of such path. This also retuns a pack_pointer from which the search tree can be reconstructed as well as all paths explored including the one of interest. Usage: cost, back_pointer = ucs(Graph, start, goal) """ # Make sure th queue is empty. (Bug in implementation?) fringe = p_queue() gc(fringe) # If we did not care about the path, only the cost we could # omit this block. cost = {} # If all we want to do is solve the optimization back_pointer = {} # problem, neither of these are necessary. cost[start] = 0 # End back_pointer/cost block current = start fringe.put((0, start)) # Cost of start node is 0 closed = set()_cost, current = fringe.get() if current not in closed: # Add current to the closed set closed.add(current) if trace: print("Add {} to the closed set with cost {}".format(current,current_cost)) break if fringe.empty(): print("There is no path from {} to {}".format(start, goal), file=stderr) return None # If current is the goal we are done. if current == goal: return current_cost, back_pointer # Add nodes adjacent to current to the fringe # provided they are not in the closed set. if G[current]: # Check if G[current] != {}, bool({}) = False for node in G[current]: if node not in closed: node_cost = current_cost + G[current][node] # Note this little block could be removed if we only # cared about the final cost and not the path if node not in cost or cost[node] > node_cost: back_pointer[node] = current cost[node] = node_cost if trace: print("{current} <- {node}".format(current,node)) # End of back/cost block. fringe.put((node_cost, node)) if trace: print("Add {} to fringe with cost {}".format(node,node_cost))
showGraph(ToyGraph, 0, 6, paths=['bfs','dfs','ucs'], gsize=(8,8))
showGraph(RandomG, 4, 3, paths=['bfs','dfs','ucs'], gsize=(10,10))
Here we generate the sort of graphs used in the class project.
from random import choices import numpy as np def genWeights(n, m, MIN, MAX, radius=[1,0,0,1], block_prob = 0): """ This generates an instance of our problem of size mxn with integer entries roughly from MIN to MAX with some Inf's is block_prob is non-zero. radius=[L,R,D,U] indicates how many grid points in each direction to include in smoothing. The default is to average a grid point and its closest N,NE,E neighbor """ rng = list(range(MIN, MAX + 1)) + [np.infty] prbs = [(1 - block_prob)/(len(rng) - 1) if i < len(rng) - 1 else block_prob for i in range(len(rng))] wts = np.random.choice(rng, (m,n), p=prbs) wts_smoothed = np.array(wts) # This makes a new copy for i in range(m): for j in range(n): tmp = wts[max(i-radius[0],0):min(i+radius[1]+1,m),max(j-radius[2],0):min(j+radius[3]+1,n)] if rand() < 0.3: wts_smoothed[i,j] = np.mean(tmp[tmp != np.infty]) else: wts_smoothed[i,j] = np.mean(tmp) return np.round(wts_smoothed)
Generate a 10x10 instance of our problem using values between 1 and 15. I have opted to omit any 'inf' nodes in the generation and decided to add them in as a smiley face. You could make a bigger case, say 100 x 100 and design the masking array so you get a "weighted" maze.
wts = genWeights(10, 10, 1, 30, block_prob=0) # Add some nodes that are impossible to reach. Think of # these as walls in a maze. mask = np.array([ [0, 0, 0, 0, 1, 1, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 1, 1, 0, 0, 1, 1, 0, 0], [1, 0, 1, 0, 0, 0, 0, 1, 0, 1], [1, 0, 0, 0, 0, 0, 0, 0, 0, 1], [0, 0, 0, 0, 1, 1, 0, 0, 0, 0], [0, 1, 0, 0, 0, 0, 0, 0, 1, 0], [0, 0, 1, 1, 1, 1, 1, 1, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 1, 1, 0, 0, 0, 0] ]) wts[mask == 1] = np.infty
showProjectMatrix
import matplotlib.colors as colors # Stolen code: # def truncate_colormap(cmap, minval=0.0, maxval=1.0, n=100): new_cmap = colors.LinearSegmentedColormap.from_list( 'trunc({n},{a:.2f},{b:.2f})'.format(n=cmap.name, a=minval, b=maxval), cmap(np.linspace(minval, maxval, n))) return new_cmap cmap = plt.get_cmap('Greys') new_cmap = truncate_colormap(cmap, 0.0, 0.8) # End Stolen def showProjectMatrix(wts, save_file=None): fig, ax = plt.subplots() ax.axis('off') wts_ = np.array(wts) M = np.max(wts[wts != np.infty]) wts_[wts == np.infty] = max(int(M*(1.3)),M+5) ax.matshow(wts_, cmap=new_cmap) for (i, j), z in np.ndenumerate(wts): ax.text(j, i, '{:0.0f}'.format(z), ha='center', va='center') if save_file: plt.savefig(save_file) plt.show()
Let's look at one representation of our problem.
showProjectMatrix(wts)
wtsToGraph
There are many ways to convert the matrix above into a graph with one node for each finite element. The nodes could for example be points on a map labeled with elevation, the edges could be labeled with the absolute value of the difference of the two elevations. (For simplicity, keep all edge weights non-negative.) A minimal cost path would correspond to a walk from one location (start) to the another (goal) that has the minimal total change in elevation, that is, minimizes the "up's and down's". This is what we shall use.
def wtsToGraph(wts): G = {} m, n = wts.shape for i in range(m): for j in range(n): if wts[i, j] == np.infty: continue node = (i, j) G[node] = {} if wts[i, j] != np.infty: if i > 0 and wts[i - 1, j] != np.infty: G[node][(i - 1, j)] = abs(wts[i - 1, j] - wts[i, j]) if j > 0 and wts[i, j - 1] != np.infty: G[node][(i, j - 1)] = abs(wts[i, j - 1] - wts[i, j]) if i < m - 1 and wts[i + 1, j] != np.infty: G[node][(i + 1, j)] = abs(wts[i + 1, j] - wts[i, j]) if j < n - 1 and wts[i, j + 1] != np.infty: G[node][(i, j + 1)] = abs(wts[i, j + 1] - wts[i, j]) return G
G = wtsToGraph(wts) showGraph(G, (0,0), (9,9), paths=['bfs','dfs','ucs'], node_labels='none', gsize=(14,14), node_pos='project_layout', digraph=False)
Design your own mask array. We'll use some topo data of Mt Ord in AZ for this.
Image("",height=400, width=400)
# Design your own array grid = np.array([ [6600,6760,6660,6700], [6600,6770,6650,6640], [6800,6920,6790,6480], [7040,7080,6800,6500] ],dtype=float) # Generate a random project (just uncomment and run) #project = genWeights(4, 4, 1, 30, block_prob=0) mask = np.array([ [0,1,0,0], [0,0,0,0], [0,0,1,0], [0,0,0,0] ]) #grid[mask == 1] = np.infty
Now display your array and graph.
# Display project as grid showProjectMatrix(grid, save_file="proj_mat.png") # Convert array into corresponding graph G = wtsToGraph(grid) # Change labels to A-Z alphabet = map(chr,range(65,91)) # Quick way to get alphabet # Display graph showGraph(G, (0,3), (3,0), paths=['ucs'], node_labels=alphabet, gsize=(6,6), digraph=False, node_pos='project_layout', save_file="proj_graph.png") Image("",height=350, width=350)
<< | https://share.cocalc.com/share/4bc0213188739dfe3da59b3ffd6c1c82d9eff225/GraphSearch.ipynb?viewer=embed | CC-MAIN-2020-10 | refinedweb | 2,898 | 64.3 |
Contents
- 1 Introduction
- 2 Pandas Describe : describe()
- 3 Pandas head : head()
- 4 Pandas unique : unique()
- 5 Pandas Count : count()
- 6 Conclusion
Introduction
As an initial step, in machine learning or data science projects, we carry out data exploration to understand our data. If we are handling the data with the help of pandas library, we have the advantage of exploring our data easily by using pandas functions such as describe(), head(), unique() and count(). In this article, we will look at these functions and learn how they can be used for data exploration with some examples.
Importing Pandas Library
We will be starting this tutorial by importing pandas library.
import pandas as pd import numpy as np
Starting this article with pandas describe function.
Pandas Describe : describe()
The describe() function is used for generating descriptive statistics of a dataset.
This pandas function provides the dataset’s information about central tendency, data dispersion, and shape of a dataset.
Syntax
pandas.DataFrame.describe(self,percentiles,include,exclude)
self : DataFrame or Series – This is the dataframe or series which is passed to describe() function for finding its descriptive statistics.
percentiles : list-like of numbers – Here we provide the desired percentiles which should be included in the output. The default values are 0.25,0.5 and 0.75 i.e. 25th percentile, 50th percentile and 75th percentile. All the values should be between 0 and 1.
include : list-like of dtypes or None(optional) – This is the acceptable list of data types that can be included in the output.
exclude : list-like of dtypes or None(optional) – This is the list of data types which should not be included in the output.**
As an output, we get summarized statistics of series or dataframe.
Example 1: describing a series
Here we will apply describe() function over a series.
s = pd.Series([7, 9, 11]) s
0 7 1 9 2 11 dtype: int64
As we can see, we have obtained different descriptive statistics parameter such as count, mean, std i.e. standard deviation and many more.
s.describe()
count 3.0 mean 9.0 std 2.0 min 7.0 25% 8.0 50% 9.0 75% 10.0 max 11.0 dtype: float64
Pandas describe() function can be used over categorical data as well.
s = pd.Series(['P', 'P', 'Q', 'R']) s
0 P 1 P 2 Q 3 R dtype: object
The pandas describe() can help in describing categorical data i.e. text data.
s.describe()
count 4 unique 3 top P freq 2 dtype: object
Example 3: Describing dataframe
As we mostly deal with dataframes, let’s see how they are described using pandas describe() function.
df = pd.DataFrame({'categorical': pd.Categorical(['A','B','C']), 'numeric': [3, 6, 9], 'object': ['P', 'Q', 'R'] }) df
In this example, the numeric data is described.
df.describe()
By using include parameter, we can get the descriptive statistics for each data type present in dataframe.
df.describe(include='all')
The next function in the list is pandas head function
Pandas head : head()
The head() returns the first n rows of an object. It helps in knowing the data and datatype of the object.
Syntax
pandas.DataFrame.head(n=5)
n : int(default = 5) – This provides information about the number of rows which will be returned.
The head function returns the object with the desired number of rows.
Example 1: Simple example of head() function
In this example, we will look at how head function returns a sample of dataframe with ‘n’ number of rows.
stud = pd.DataFrame({'Students': ['Jack', 'Dale', 'Shaun', 'Shane', 'Brett', 'Patrick', 'Mitchell', 'David', 'Zoe']}) stud
stud.head()
Example 2: providing value of ‘n’
As we know, we can provide the value of ‘n’. So in this example, we will be providing value of ‘n’.
Since we provided the value of ‘n’ as ‘3’, we get three rows in the output.
stud.head(3)
Example 3: using tail function
For accessing the dataframe’s ending values, we will use tail() function. By default, we will get the last 5 values of dataframe.
stud.tail()
The third function in the list is pandas unique function.
Pandas unique : unique()
The unique() function returns unique values present in series object. The values are returned in the order of appearance.
Syntax
series.unqiue()
Here the unique function is applied over series object and then the unique values are returned.
The output of this function is an array.
Example 1: using pandas unique() over series object
In the below-given example, we will be applying unique() function on the series object.
In the output, we get an array with unique values.
pd.Series([7, 14, 9, 9], name='Test').unique()
array([ 7, 14, 9], dtype=int64)
Example 2: unique function on categorical data
As mentioned earlier, categorical data is text data. So let’s see how the unique function operates over a series containing categorical data.
In this first categorical data, we can see that the list is divided into different categories.
pd.Series(pd.Categorical(list('gpprs'))).unique()
[g, p, r, s] Categories (4, object): [g, p, r, s]
In this example, the same categorical data is displayed in ordered form. This is because we have specified ordered keyword.
pd.Series(pd.Categorical(list('gpprs'), categories=list('gprs'), ordered=True)).unique()
[g, p, r, s] Categories (4, object): [g < p < r < s]
The last function in this article which we’ll look at is pandas count.
Pandas Count : count()
The pandas count() function helps in counting non-NA cells of each column or row.
Syntax
pandas.DataFrame.count(axis=0,level=None,numeric_only=False)
axis : {0 or ‘index’, 1 or ‘columns’}, default 0 – If the value provided is 0, then counts are generated for each column. If value provided is 1, then counts are generated for rows.
level : int or str(optional) – It is used to specify the level along which counting should be done. Generally used for hierarchical i.e. multi-index dataframes.
numeric_only : bool – For specifying which kind of data, i.e. either float, int or boolean data.
The output is a Series or DataFrame. For each column/row, the non-NA entries are counted.
Example 1: counting non-NA values
Here a dataframe is created with the help of a dictionary.
df = pd.DataFrame({"Employee": ["Rakesh", "Ramesh", "Suresh", "Jayesh", "Bhavesh"], "Age": [27, 36, 30, np.nan, 23], "Married_Status": [False, True, False, True, False]}) df
The below output shows the results of count() function.
df.count()
Employee 5 Age 4 Married_Status 5 dtype: int64
Example 2: applying count() function over columns
In this count() function example, we have applied count function over axis of columns. This is the reason for 3rd index the count is 2 as compared to other columns where 3 values are present.
df.count(axis='columns')
0 3 1 3 2 3 3 2 4 3 dtype: int64
Conclusion
Now it’s time to end this article, in this tutorial we covered four different pandas functions which are beneficial to use when we want to understand and explore our data for data preprocessing operations and for taking crucial decisions using this data. The functions which we covered are describe(),head(),unique() and count(). These are some useful pandas functions applied over dataframes for understanding our data stored in it.
Reference – | https://machinelearningknowledge.ai/pandas-tutorial-describe-head-unique-and-count/ | CC-MAIN-2022-33 | refinedweb | 1,219 | 64.91 |
Python has a random module that provides different random methods to generate random numbers, random selection, etc. Even the random() method is the most popular method to generate a random number there are alternative methods to generate random values.
Random Methods
As a dynamic and rich programming language Python provides different random methods. Even 3rd party Python libraries and modules like NumPy etc provide random methods. Below we list some popular and useful random methods provided by Python by default.
- random()
- randint()
- randrange()
- uniform()
- shuffle()
Seed The Randomness Before Generating Random Values
Randomness is a magic work where it should be seeded with a random values. As digital world most of the things can be predicted and do not provide complete randomness we should use the random.seed(1) method to create a need seed for random methods after importing the random module.
import random random.seed(1)
random() Method
The most popular method in random methods is the random() method. It simply generates a random number between 0 and 1. As expected this number is a floating-point number. The random() method does not require any parameter.
import random random.seed(1) random.random() //0.6074379962852603 random.random() //0.767157629147962
randint() Method
The randint() method is used to generate random numbers for the specified range. The syntax of the randint() method is like below. The range should be an integer and generated random is also integer between range too.
randint(START,STOP)
- START is the lowest number that can be generated as a random number.
- STOP is the highest number that can be generated as a random number.
We can generate random integers for the specified range like below.
import random random.seed(1) random.randint(1,10) //3 random.randint(1,10) //10 random.randint(1,10) //2 random.randint(1,10) //5
randrange() Method
The randrange() method is another method which can be used to generate random integers. The difference is that the step can be specified where only specific numbers are generated randomly. For example we want to generate random numbers between 2 and 10 but we want them to be odd. So we can sepecify the step as 2 and the generated random number is selected from 2,4,6,8,10.
import random random.seed(1) random.randrange(0,10,2) //8 random.randint(6,15,3) //9
uniform() Method
The uniform() method is used to generate random floating point numbers. The uniform() method accepts two parameters and uses following syntax.
uniform(START,END)
- START is the start of the random floating-point range.
- END is the end of the random floating-point range.
In the following example we will generate floating point random numbers between 5 and 10.
import random random.seed(1) random.uniform(5,10) //9.237168684686164 random.uniform(0,10) //7.6377461897661405
shuffle() Method
The random module also provides the ability to shuffle randomly the given list. This is implemented with the shuffle() method. The shuffle() method randomly shuffles all items from the provided list. The list is provided as a parameter to the shuffle() method.
import random random.seed(1) list = [1,2,3,4,5] random.shuffle(list) print(list) //[1, 3, 2, 5, 4] random.shuffle(list) //[2, 5, 4, 1, 3] | https://pythontect.com/python-random-methods-tutorial/ | CC-MAIN-2022-21 | refinedweb | 545 | 51.95 |
the problem is in .expireAll(). What is going on, as I
understand, is that .expireAll() clears the cache and as now there are only
weak reference to the row, Python garbage-collects it immediately. After
that Python is free to create another object at the same address. the
solution would be either to check weak references or to hold a real
reference, like this:
def test_cache():
setupClass(CacheTest)
s = CacheTest(name='foo')
obj_id = id(s)
s_id = s.id
assert CacheTest.get(s_id) is s
assert not s.sqlmeta.expired
CacheTest.sqlmeta.expireAll()
assert s.sqlmeta.expired
CacheTest.sqlmeta.expireAll()
s1 = CacheTest.get(s_id)
# We should have a new object:
assert id(s1) != obj_id
obj_id2 = id(s1)
CacheTest._connection.expireAll()
s2 = CacheTest.get(s_id)
assert id(s2) != obj_id and id(s2) != obj_id2
(I have removed "del" statments and created s1 and s2 instead of s.)
If I understand it right, the failure in test_cache() actually shows
that your patch really works and helps to save memory! (-:
Oleg.
--
Oleg Broytmann phd@...
Programmers don't die, they just GOSUB without RETURN.
View entire thread | https://sourceforge.net/p/sqlobject/mailman/message/12289993/ | CC-MAIN-2017-47 | refinedweb | 181 | 54.79 |
Working with Client-Side Xml Data Islands
via Server-Side ASP.NET code
by
Peter A. Bromberg, Ph.D.
"And somewhere men are laughing, and somewhere children shout, But there is no joy in Mudville — mighty Casey has struck out."
-- Ernest Lawrence Thayer ,"Casey at the Bat, a Ballad of the Republic," first published SF Daily Examiner, 1888
We have had several forum posts regarding this topic recently and so I thought it might be useful to revisit it with an example. Client-side Xml Data Islands and databinding have been around with Internet Explorer for a long time - way before .NET came on the scene. They have many useful purposes, including working with Exchange data via WebDAV, and being able to use a client-side Xml Data Island as the source for an XslTransform that displays data. The major issue with ASP.NET is how to get the Xml into the page. That's where it can become troublesome for ASP.NET developers. How do I get my data on the server, the way I normally would with ASP.NET, and then bind it to an Xml DataIsland so it's available on the client?
There are a number of techniques available for doing this; the one I present here is one of the simplest and should serve as a basis for further experimentation for those who are so inclined.
The first thing we need to do is set up a Data Island and table datasrc on the HTML (aspx) portion of our page just as we did before ASP.NET came along:
<body MS_POSITIONING="GridLayout">
<xml id="customerisland" runat="server"></xml>
<form id="Form1" method="post" runat="server">
<table datasrc="#customerisland" style="FONT-FAMILY: Arial">
<thead>
<tr bgcolor ="lightgrey">
<td>CustID</td>
<td>Company</td>
<td>Contact</td>
<td>City</td>
<td>Phone</td>
</tr>
</thead>
<tr bgcolor="lightgreen">
<td><div datafld="CustomerID"></div>
</td>
<td><div datafld="CompanyName"></div>
</td>
<td><div datafld="ContactName"></div>
</td>
<td><div datafld="City"></div>
</td>
<td><div datafld="Phone"></div>
</td>
</tr>
</table>
</form>
</body>
Note above that we have the required "xml" tag with an id of "customerisland". However, I've added the "runat=server" tag attribute, which now provides us with server-side access to our island. The rest of the code is your standard table datasrc="#customerisland" client side IE databinding attribute, along with the required "datafld" attributes for the columns we want to bind.
Now let's move to the codebehind and see how it all "hooks up":
using System;
using System.Configuration;
using System.Data;
using System.IO;
using System.Web.UI;
using System.Web.UI.HtmlControls;
using Microsoft.ApplicationBlocks.Data;
namespace XmlIsland
{
public class Default : Page
{
protected HtmlGenericControl customerisland;
private void Page_Load(object sender, EventArgs e)
{
DataSet ds = GetDataSet();
string xml = DataSetToXml(ds);
ds.Dispose();
//Add XML string to the client-side data island
customerisland.InnerHtml = xml;
}
private string DataSetToXml(DataSet ds)
{
StringWriter writer = new StringWriter();
ds.WriteXml(writer,XmlWriteMode.IgnoreSchema);
return(writer.ToString());
}
private DataSet GetDataSet()
{
string cnString=(string)ConfigurationSettings.AppSettings["ConnectionString"];
return SqlHelper.ExecuteDataset(cnString,CommandType.Text, "Select * from Customers");
}
#region Web Form Designer generated code
override protected void OnInit(EventArgs e)
{
InitializeComponent();
base.OnInit(e);
}
private void InitializeComponent()
{
this.Load += new EventHandler(this.Page_Load);
}
#endregion
}
}
You can see in the code above that I've added an HtmlGenericControl to match the control declared on the page. The nice feature of the HtmlGenericControl is that it can represent an HTML server control tag not directly represented by a .NET Framework class. In other words, "whatever you want"! In the Page_Load handler I get my DataSet of Customers from Northwind exactly as we would for any other ADO.NET Data call. Then, we pass the DataSet into a DataSetToXml method that simply returns the OuterXml of the DataSet via the WriteXml method. Finally, this is bound to the InnerHtml property of our HtmlGenericControl that corresponds to the client - side "xml" tag, and we are done!
At this point, we have a legitimate Xml Data Island consisting of the results of our "Select * from Customers" Sql call, and we are free to do any DOM Scripting or other client-side databinding we want. We can also include an Xsl stylesheet in another xml tag, and perform a client-side transform if desired. The donwload includes the ApplicationBlocks.Data "SqlHelper" class.
Here is a code snippet that illustrates how one would "read the xml" back into a DataSet on a POST:
private void Button1_Click(object sender, System.EventArgs e)
{
DataSet ds = new DataSet();
byte[] b = System.Text.Encoding.ASCII.GetBytes(customerisland.InnerHtml);
MemoryStream ms = new MemoryStream(b);
ds.ReadXml(ms);
this.Label1.Text="dataset table has" +ds.Tables[0].Rows.Count.ToString() + " rows.";
}
By the way, you might be wondering what is the significance of the quote from "Casey at the Bat". None at all, other than that the World Series is over and it made me think of the last time we went to New York (home town for me) and saw Penn and Teller. In their opening act, Penn sits in a chair with a rope tied to it, going over a roof beam from which dangles Teller, tied up in a straightjacket. Penn informs the audience that he will read "Casey at the Bat" and when he finishes, he will get up. If Teller hasn't extracted himself by that time, of course he would fall to the floor on his head. If you weren't familiar with this classic poem before this, you certainly would be after that!
Download the Visual Studio.NET 2003 solution that accompanies this article | http://www.nullskull.com/articles/20051029.asp | CC-MAIN-2016-36 | refinedweb | 938 | 56.35 |
This action might not be possible to undo. Are you sure you want to continue?
Allen B. Downey C++ Version, First Edition
2
How to think like a computer scientist
C++ Version, First Edition effectflower Hill, Waterville, ME 04901. The GNU General Public License is available from or by writing to the Free Software Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. This book was typeset by the author using LaTeX and dvips, which are both free, open-source programs.
Contents
1 The 1.1 1.2 1.3 way of the program What is a programming language? What is a program? . . . . . . . . What is debugging? . . . . . . . . 1.3.1 Compile-time errors . . . . 1.3.2 Run-time errors . . . . . . . 1.3.3 Logic errors and semantics 1.3.4 Experimental debugging . . Formal and natural languages . . . The first program . . . . . . . . . . Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 1 1 3 4 4 4 4 5 5 7 8 11 11 12 13 13 14 15 16 17 17 18 18 21 21 22 23 24 24 26 27 27
1.4 1.5 1.6
2 Variables and types 2.1 More output . . . . . . . 2.2 Values . . . . . . . . . . 2.3 Variables . . . . . . . . 2.4 Assignment . . . . . . . 2.5 Outputting variables . . 2.6 Keywords . . . . . . . . 2.7 Operators . . . . . . . . 2.8 Order of operations . . . 2.9 Operators for characters 2.10 Composition . . . . . . 2.11 Glossary . . . . . . . . .
3 Function 3.1 Floating-point . . . . . . . . . . . 3.2 Converting from double to int . 3.3 Math functions . . . . . . . . . . 3.4 Composition . . . . . . . . . . . 3.5 Adding new functions . . . . . . 3.6 Definitions and uses . . . . . . . 3.7 Programs with multiple functions 3.8 Parameters and arguments . . . i
ii
CONTENTS
3.9 3.10 3.11 3.12
Parameters and variables are local . Functions with multiple parameters . Functions with results . . . . . . . . Glossary . . . . . . . . . . . . . . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
. . . .
28 29 30 30 31 31 31 32 33 33 34 34 36 36 37 39 39 41 43 44 45 45 46 46 47 48 50 51 51 53 53 54 54 56 58 58 59 60 60 61 63
4 Conditionals and recursion 4.1 The modulus operator . . . 4.2 Conditional execution . . . 4.3 Alternative execution . . . . 4.4 Chained conditionals . . . . 4.5 Nested conditionals . . . . . 4.6 The return statement . . . 4.7 Recursion . . . . . . . . . . 4.8 Infinite recursion . . . . . . 4.9 Stack diagrams for recursive 4.10 Glossary . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . functions . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
. . . . . . . . . . .
CONTENTS
iii
7 Strings and things 7.1 Containers for strings . . . . . . . 7.2 apstring apstrings are mutable . . . . . . . 7.13 apstrings are comparable . . . . . 7.14 Character classification . . . . . . . 7.15 Other apstring functions . . . . . 7.16 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 9 More structures 9.1 Time . . . . . . . . . . . . . . . 9.2 printTime . . . . . . . . . . . . 9.3 Functions for objects . . . . . . 9.4 Pure functions . . . . . . . . . 9.5 const parameters . . . . . . . . 9.6 Modifiers . . . . . . . . . . . . 9.7 Fill-in functions . . . . . . . . . 9.8 Which is best? . . . . . . . . . 9.9 Incremental development versus 9.10 Generalization . . . . . . . . . 9.11 Algorithms . . . . . . . . . . . 9.12 Glossary . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
65 65 66 66 67 67 68 68 69 69 70 71 72 72 73 73 74 75 75 75 76 77 78 78 79 80 82 82 83 85 87 87 88 88 88 90 90 91 92 92 93 94 95
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . planning . . . . . . . . . . . . . . . . . .
iv
CONTENTS
10 Vectors 10.1 Accessing elements . . . . 10.2 Copying vectors . . . . . . 10.3 for loops . . . . . . . . . 10.4 Vector length . . . . . . . 10.5 Random numbers . . . . . 10.6 Statistics . . . . . . . . . 10.7 Vector of random numbers 10.8 Counting . . . . . . . . . 10.9 Checking the other values 10.10A histogram . . . . . . . . 10.11A single-pass solution . . 10.12Random seeds . . . . . . . 10.13Glossary . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
97 98 99 99 100 100 102 102 103 104 105 105 106 106 109 109 110 111 112 113 113 114 115 115 116 119 121 121 121 123 125 126 127 129 129 130 133 133 135 135 136 138 139
11 Member functions 11.1 Objects and functions . . . . 11.2 print . . . . . . . . . . . . . 11.3 Implicit variable access . . . . 11.4 Another example . . . . . . . 11.5 Yet another example . . . . . 11.6 A more complicated example 11.7 Constructors . . . . . . . . . 11.8 Initialize or construct? . . . . 11.9 One last example . . . . . . . 11.10Header files . . . . . . . . . . 11.11Glossary . . . . . . . . . . . . . . . . . . . . . 13 Objects of Vectors 13.1 Enumerated types . 13.2 switch statement . . 13.3 Decks . . . . . . . . 13.4 Another constructor . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
CONTENTS
v
13.5 Deck member functions 13.6 Shuffling . . . . . . . . . 13.7 Sorting . . . . . . . . . . 13.8 Subdecks . . . . . . . . 13.9 Shuffling and dealing . . 13.10Mergesort . . . . . . . . 13.11Glossary . . . . . . . . .
. . . . . . .
. . . . . . .
. . . . . . .
. . . . . . .
. . . . . . .
. . . . . . .
. . . . . . .
. . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
. . . . . . . . . . . . . . . . . . . . . . . . . . . .
139 141 141 142 143 143 145 147 147 148 149 151 152 153 153 154 155 157 158 159 159 160 161 161 163 164 167 168 169 171 . . . . . . . . . . . . . . A Quick reference for AP A.1 apstring . . . . . . A.2 apvector . . . . . . A.3 apmatrix . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
classes 173 . . . . . . . . . . . . . . . . . . . . . . . . . 173 . . . . . . . . . . . . . . . . . . . . . . . . . 174 . . . . . . . . . . . . . . . . . . . . . . . . . 175 (specifically computations). Like engineers, they design things, assembling components into systems and evaluating tradeoff different kinds of computers with few or no modifications. effect, finished, you might save it in a file named program.cpp, where “program” is an arbitrary name you make up, and the suffix .c.
1.2. WHAT IS A PROGRAM?
3
source code
compiler
object code
executor
The compiler reads the source code...
... and generates object code. figure out what it is.
1.2
What is a program?
A program is a sequence of instructions that specifies how to perform a computation. The computation might be something mathematical, like solving a system of equations or finding the roots of a polynomial, but it can also be a symbolic computation, like searching and replacing text in a document or (strangely enough) compiling a program. The instructions (or commands, or statements) look different in different programming languages, but there are a few basic functions that appear in just about every language: input: Get data from the keyboard, or a file, or some other device. output: Display data on the screen or send data to a file
CHAPTER 1. significant first few weeks of your programming career, you will probably spend a lot of time tracking down syntax errors. As you gain experience, though, you will make fewer errors and find. Specifically, figure out what it is doing.
1.4. FORMAL AND NATURAL LANGUAGES
5
1.3 modification, modifications,field, specific flavors, figure figure differences. difference in a formal language.
1.5
The first program
Traditionally the first program people write in a new language is called “Hello, World.” because all it does is print the words “Hello, World.” In C++, this program looks like this: #include <iostream.h> // main: generate some simple output void first line. The second third line, you can ignore the word void for now, but notice the word main. main is a special name that indicates the place in the program where execution begins. When the program runs, it starts by executing the first definition of main. Also, notice that the statement is indented, which helps to show visually which lines are inside the definition. file named hello.cpp, you tried to include a header file named oistream.h. I didn’t find anything with that name, but I did find something named iostream.h., finding specific finding.h> // main: generate some simple output void main () { cout << "Hello, world." << endl; cout << "How are you?" << endl; }
// first endl: void main () { cout << "Goodbye, "; cout << "cruel world!" << endl; } In this case the output appears on a single line as Goodbye, cruel world!. Notice that there is a space between the word “Goodbye,” and the second 11
12
CHAPTER 2. VARIABLES AND TYPES
quotation mark. This space appears in the output, so it affects the behavior of the program. Spaces that appear outside of quotation marks generally do not affect the behavior of the program. For example, I could have written: void main () { cout<<"Goodbye, "; cout<<"cruel world!"<<endl; } This program would compile and run just as well as the original. The breaks at the ends of lines (newlines) do not affect the program’s behavior either, so I could have written: void main(){cout<<"Goodbye, ";cout<<"cruel world!"<<endl;} different types of values, like "5", ’5’ and 5, but if you pay attention to the punctuation, it should be clear that the first is a string, the second is a character and the third is an integer. The reason this distinction is important should become clear soon.
2.3. VARIABLES
13
2.3
Variables
One of the most powerful features of a programming language is the ability to manipulate variables. A variable is a named location that stores a value. Just as there are different types of values (integer, character, etc.), there are different different figure is called a state diagram because is shows what state each of the variables is in (you can think of it as the variable’s “state of mind”). This diagram shows the effect of the three assignment statements:
firstLetter
hour
minute
’a’
11
59
I sometimes use different shapes to indicate different!
2.5
Outputting variables
You can output the value of a variable using the same commands we used to output simple values. int hour, minute; char colon; hour = 11; minute = 59; colon = ’:’; cout << "The current time is ";
2.6. KEYWORDS
15
cout cout cout cout
<< << << << official language definition adopted by the the International Organization for Standardization (ISO) on September 1, 1998. You can download a copy electronically from Rather than memorize the list, I would suggest that you take advantage of a feature provided in many development environments: code highlighting. As you type, different parts of your program should appear in different first definition different type of variable, called floating-point, that is capable of storing fractional values. We’ll get to that in the next chapter.
2.8. ORDER OF OPERATIONS
17
2.8 first, first, conflict baffled floating-point numbers, which can represent fractions as well as integers. In C++, there are two floating-point types, called float and double. In this book we will use doubles exclusively. You can create floating floating-point numbers are useful, they are often a source of confusion because there seems to be an overlap between integers and floating-point numbers. For example, if you have the value 1, is that an integer, a floatingpoint number, or both? Strictly speaking, C++ distinguishes the integer value 1 from the floatingpoint value 1.0, even though they seem to be the same number. They belong to different floating-point value, but in fact it will get the value 0.0. The reason is that the expression on the right appears to be the ratio of two integers, so C++—addition, subtraction, multiplication, and division—work on floating-point values, although you might be interested to know that the underlying mechanism is completely different. In fact, most processors have special hardware just for performing floating-point operations.
3.2
Converting from double to int
As I mentioned, C++ converts ints to doubles automatically if necessary, because no information is lost in the translation. On the other hand, going from a double to an int requires rounding off. C++ doesn’t perform this operation automatically, in order to make sure that you, as the programmer, are aware of the loss of the fractional part of the number. The simplest way to convert a floating
23
3 first example sets log to the logarithm of 17, base e. There is also a function called log10 that takes logarithms base 10. The second example finds file. Header files contain information the compiler needs about functions that are defined outside your program. For example, in the “Hello, world!” program we included a header file named iostream.h using an include statement: #include <iostream.h> iostream.h contains information about input and output (I/O) streams, including the object named cout. Similarly, the math header file contains information about the math functions. You can include it at the beginning of your program along with iostream.h: #include <math.h>
24
CHAPTER 3. FUNCTION finds definition: main. The function named main is special because it indicates where the execution of the program begins, but the syntax for main is the same as for any other function definition: void NAME ( LIST OF PARAMETERS ) { STATEMENTS } You can make up any name you want for your function, except that you can’t call it main or any other C++ keyword. The list of parameters specifies what information, if any, you have to provide in order to use (or call) the new function. main doesn’t take any parameters, as indicated by the empty parentheses () in it’s definition. The first couple of functions we are going to write also have no parameters, so the syntax looks like this::
3.5. ADDING NEW FUNCTIONS
25
void main { cout << newLine cout << }
() "First Line." << endl; (); "Second Line." << endl;
The output of this program is First line. Second line. Notice the extra space between the two lines. What if we wanted more space between the lines? We could call the same function repeatedly: void main { cout << newLine newLine newLine cout << } () "First Line." << endl; (); (); (); "Second Line." << endl;
Or we could write a new function, named threeLine, that prints three new lines: void threeLine () { newLine (); newLine (); }
newLine ();
void main () { cout << "First Line." << endl; threeLine (); cout << "Second Line." << endl; }.
26
CHAPTER 3. FUNCTION
Definitions and uses
Pulling together all the code fragments from the previous section, the whole program looks like this: #include <iostream.h> void newLine () { cout << endl; } void threeLine () { newLine (); newLine (); }
newLine ();
void main () { cout << "First Line." << endl; threeLine (); cout << "Second Line." << endl; } This program contains three function definitions: newLine, threeLine, and main.
3.7. PROGRAMS WITH MULTIPLE FUNCTIONS
27
Inside the definition of main, there is a statement that uses or calls threeLine. Similarly, threeLine calls newLine three times. Notice that the definition of each function appears above the place where it is used. This is necessary in C++; the definition of a function must appear before (above) the first use of the function. You should try compiling this program with the functions in a different order and see what error messages you get.
3.7
Programs with multiple functions
When you look at a class definition that contains several functions, it is tempting to read it from top to bottom, but that is likely to be confusing, because that is not the order of execution of the program. Execution always begins at the first statement of main, regardless of where it is in the program (often it is at the bottom). Statements are executed one at a time, in order, until you reach a function call. Function calls are like a detour in the flow of execution. Instead of going to the next statement, you go to the first line of the called function, execute all the statements there, and then come back and pick up again where you left off. That sounds simple enough, except that you have to remember that one function can call. Fortunately, C++ is adept at keeping track of where it is, so each time newLine completes, the program picks up where it left off in threeLine, and eventually gets back to main so the program can terminate. What’s the moral of this sordid tale? When you read a program, don’t read from top to bottom. Instead, follow the flow of execution.
3.8
Parameters and arguments
Some of the built-in functions we have used have parameters, which are values that you provide to let the function do its job. For example, if you want to find definition, the parameter list indicates the type of each parameter. For example: void printTwice (char phil) { cout << phil << phil << endl; }
28
CHAPTER 3. FUNCTION: void main () { printTwice (’a’); }: void main () { char argument = ’b’; different, confines,
3.10. FUNCTIONS WITH MULTIPLE PARAMETERS
29
stack diagrams show the value of each variable, but the variables are contained in larger boxes that indicate which function they belong to. For example, the state diagram for printTwice looks like this:
argument main
’b’
phil printTwice
!
30
CHAPTER 3. FUNCTION find out is to ask the compiler.
3.12
Glossary
floating-point: A type of variable (or value) that can contain fractions as well as integers. There are a few floating.
Chapter 4
Conditionals and recursion
4.1 The modulus operator
The modulus operator works on integers (and integer expressions) and yields the remainder when the first operand is divided by the second. In C++, the modulus operator is a percent sign, %. The syntax is exactly the same as for other operators: int quotient = 7 / 3; int remainder = 7 % 3; The first. 31
32 different from mathematical symbols effect.
33 figure difficult find; } }
34
CHAPTER 4. CONDITIONALS AND RECURSION
There is now an outer conditional that contains two branches. The first difficult) { cout << "Positive numbers only, please." << endl; return; } double result = log (x); cout << "The log of x is " << result); } This defines a function named printLogarithm that takes a double named x as a parameter. The first thing it does is check whether x is less than or equal to zero, in which case it displays an error message and then uses return to exit the function. The flow of execution immediately returns to the caller and the remaining lines of the function are not executed. I used a floating-point value on the right side of the condition because there is a floating-point variable on the left. Remember that any time you want to use one a function from the math library, you have to include the header file
35off.” Otherwise, it outputs the parameter and then calls a function named countdown—itself— passing n-1 as an argument. What happens if we call this function like this: void main () { countdown (3); } The execution of countdown begins with n=3, and since n is not zero, it outputs the value 3, and then calls itself...off!”.
36
CHAPTER 4. CONDITIONALS AND RECURSION
Infinite infinite recursion, and it is generally not considered a good idea. In most programming environments, a program with an infinite recursion will not really run forever. Eventually, something will break and the program will report an error. This is the first
4.10. GLOSSARY
37
to interpret a recursive function. Remember that every time a function gets called it creates a new instance that contains the function’s local variables and parameters. This figure shows a stack diagram for countdown, called with n = 3:
main n: n: n: n:
3 2 1 0
countdown countdown countdown countdown. infinite recursion: A function that calls itself recursively without every reaching the base case. Eventually an infinite recursion will cause a run-time error.
38
CHAPTER 4. CONDITIONALS AND RECURSION
Chapter 5
Fruitful functions
5.1 Return values
Some of the built-in functions we have used, like the math functions, have produced results. That is, the effect first example is area, which takes a double as a parameter, and returns the area of a circle with the given radius: double area (double radius) { double pi = acos (-1.0); double area = pi * radius * radius; return area; } The first thing you should notice is that the beginning of the function definition is different. Instead of void, which indicates a void function, we see double, which indicates that the return value from this function will have type double. 39
40 different in different finding your error and sparing you days of debugging. Some compilers have an option that tells them to be extra strict and report all the errors they can fi
42 finished I will remove the output statements. Code like that is called scaffolding, because it is helpful for building the program, but it is not part of the final product. Sometimes it is a good idea to keep the scaff
43 find scaffolding or consolidate multiple statements into compound expressions, but only if it does not make the program difficult to read.
5.3
Composition
As you should expect by now, once you define first step is to find the radius of the circle, which is the distance between the two points. Fortunately, we have a function, distance, that does that. double radius = distance (xc, yc, xp, yp); The second step is to find; }
44—finding the area of a circle—but take different different first version. If you write double x = area (1.0, 2.0, 4.0, 6.0); C++ uses the second version of area. Many of the built-in C++ commands are overloaded, meaning that there are different versions that accept different numbers or types of parameters. Although overloading is a useful feature, it should be used with caution. You might get yourself nicely confused if you are trying to debug one version of a function while accidently calling
5.5. BOOLEAN VALUES
45 floating first line is a simple variable declaration; the second line is an assignment, and the third line is a combination of a declaration and as assignment, called an initialization. As I mentioned, the result of a comparison operator is a boolean, so you can store it in a bool variable
46 flag, since it flags effect
47 first fix that using the boolalpha flag, but it is too hideous to mention.
48 first accomplished by Alan Turing, one of the first C++ logical operator ! which means NOT.) This definition definition of something, you can usually write a C++ program to evaluate it. The first step is to decide what the parameters are for this function, and what the return type is. With a little thought, you should conclude that factorial takes an integer as a parameter and returns an integer:
5.10. MORE RECURSION
49
int factorial (int n) { } If the argument happens to be zero, all we have to do is return 1: int factorial (int n) { if (n == 0) { return 1; } } Otherwise, and this is the interesting part, we have to make a recursive call to find the factorial of n − 1, and then multiply it by n. int factorial (int n) { if (n == 0) { return 1; } else { int recurse = factorial (n-1); int result = n * recurse; return result; } } If we look at the flow first branch and return the value 1 immediately without making any more recursive calls. The return value (1) gets multiplied by n, which is 1, and the result is returned. The return value (1) gets multiplied by n, which is 2, and the result is returned.
50
CHAPTER 5. FRUITFUL FUNCTIONS
The return value (2) gets multiplied by n, which is 3, and the result, 6, is returned to main, or whoever called factorial (3). Here is what the stack diagram looks like for this sequence of function calls:
main
6
n:
2
n:
3 2 1 0
recurse: recurse: recurse:
2 1 1
result: result: result:
6 2 1
factorial factorial factorial factorial
1
n:
1
n:
The return values are shown being passed back up the stack. Notice that in the last instance of factorial, the local variables recurse and result do not exist because when n=0 the branch that creates them does not execute.
5.11
Leap of faith
Following the flow of execution is one way to read programs, but as you saw in the previous section, it can quickly become labarynthine. An alternative is what I call the “leap of faith.” When you come to a function call, instead of following the flow flow of execution, you should assume that the recursive call function works correctly
5.12. ONE MORE EXAMPLE
51
when you have not even finished-defined mathematical function is fibonacci, which has the following definition: flow.
52
CHAPTER 5. FRUITFUL FUNCTIONS
return value: The value provided as the result of a function call. function; that is, one that does not return a value. overloading: Having more than one function with the same name but different. flag: effect of the second assignment is to replace the old value of the variable with a new value. int fred = 5; cout << fred; fred = 7; cout << fred; The output of this program is 57, because the first figure:
int fred = 5; fred
fred = 7;. 53 different parts of the program, it can make the code difficult: void countdown (int n) { while (n > 0) { cout << n << endl; n = n-1; } cout << "Blastoff!" << endl; } You can almost read a while statement as if it were English. What this means is, “While n is greater than zero, continue displaying the value of n and then reducing the value of n by 1. When you get to zero, output the word ‘Blastoff!”’ More formally, the flow of execution for a while statement is as follows: 1. Evaluate the condition in parentheses, yielding true or false.
6.3. THE WHILE STATEMENT
55
2. If the condition is false, exit the while statement and continue execution at the next statement. 3. If the condition is true, execute each of the statements between the squiggly-braces,,!
56 find floating effect
57
9
2.19722
If these values seem odd, remember that the log function uses base e. Since powers of two are so important in computer science, we often want to find logarithms with respect to base 2. To do that, we can use the following formula: log2 x = Changing the output statement to cout << x << "\t" << log(x) / log(2.0) << endl; yields 1 2 3 4 5 6 7 8 9 0 1 1.58496 2 2.32193 2.58496 2.80735 3 3.16993 loge x loge 2
We can see that 1, 2, 4 and 8 are powers of two, because their logarithms base 2 are round numbers. If we wanted to find first column. Log tables may not be useful any more, but for computer scientists, knowing the powers of two is! As an exercise, modify this program so that it outputs the powers of two up to 65536 (that’s 216 ). Print it out and memorize it.
58 first first specific,
59
To encapsulate, all I had to do was add the first different.
60 effect on the other. Remember that variables that are declared inside a function definition different values, and changing one does not affect the other.
6.10. MORE GENERALIZATION
61
main i: n:
1 3
printMultTable printMultiples
1
i: different variable names in different fine, except that I probably want the table to be square (same number of rows and columns), which means I have to add another parameter to printMultiples, to specify how many columns the table should have.
62
CHAPTER 6. ITERATION
Just to be annoying, I will also call this parameter high, demonstrating that different first find
63
1 2 3 4 5 6 7
4 6 8 10 12 14
9 12 15 18 21
16 20 24 28
25 30 35
36 42
49
I’ll leave it up to you to figure out how it works.
6.11
Glossary
loop: A statement that executes repeatedly while a condition is true or until some condition is satisfied. infinite specific , specific things, and then encapsulating and generalizing.
64
CHAPTER 6. ITERATION
Chapter 7
Strings and things
7.1 Containers for strings
We have seen five types of values—booleans, characters, integers, floating apstring, which is a type created specifically for the Computer Science AP Exam.1 Unfortunately, it is not possible to avoid C strings altogether. In a few places in this chapter I will warn you about some problems you might run into using apstrings instead of C strings.
1 In
order for me to talk about AP classes in this book, I have to include the following.”
You might be wondering what they mean by class. It will be a few more chapters before I can give a complete definition, but for now a class is a collection of functions that defines the operations we can perform on some type. The apstring class contains all the functions that apply to apstrings.
65
66
CHAPTER 7. STRINGS AND THINGS
7.2
apstring variables
You can create a variable with type apstring in the usual ways: apstring first; first = "Hello, "; apstring second = "world."; The first line creates an apstring without giving it a value. The second line assigns it the string value "Hello." The third line is a combined declaration and assignment, also called an initialization. Normally when string values like "Hello, " or "world." appear, they are treated as C strings. In this case, when we assign them to an apstring variable, they are converted automatically to apstring values. We can output strings in the usual way: cout << first << second << endl; In order to compile this code, you will have to include the header file for the apstring class, and you will have to add the file apstring.cpp to the list of files first operation we are going to perform on a string is to extract one of the characters. C++ uses square brackets ([ and ]) for this operation: apstring first: char letter = fruit[0]; For 0th 2th the
7.4. LENGTH
67
7.4
Length
To find the length of a string (number of characters), we can use the length function. The syntax for calling this function is a little different from what we’ve seen before: find
68
CHAPTER 7. STRINGS AND THINGS an apstring apstring class provides several other functions that you can invoke on strings. The find function is like the opposite the [] operator. Instead of taking an index and extracting the character at that index, find takes a character and finds the index where that character appears. apstring fruit = "banana"; int index = fruit.find(’a’); This example finds the index of the letter ’a’ in the string. In this case, the letter appears three times, so it is not obvious what find should do. According to the documentation, it returns the index of the first appearance, so the result is 1. If the given letter does not appear in the string, find returns -1. In addition, there is a version of find that takes another apstring as an argument and that finds the index where the substring appears in the string. For example, apstring fruit = "banana"; int index = fruit.find("nan");
7.8. OUR OWN VERSION OF FIND
69
This example returns the value 2. You should remember from Section 5.4 that there can be more than one function with the same name, as long as they take a different number of parameters or different types. In this case, C++ knows which version of find to invoke by looking at the type of the argument we provide.
7.8
Our own version of find
If we are looking for a letter in an apstring, we may not want to start at the beginning of the string. One way to generalize the find function is to write a version that takes an additional parameter—the index where we should start looking. Here is an implementation of this function. int find (apstring s, char c, int i) { while (i<s.length()) { if (s[i] == c) return i; i = i + 1; } return -1; } Instead of invoking this function on an apstring, like the first version of find, we have to pass the apstring as the first argument. The other arguments are the character we are looking for and the index where we should start.
7.9
Looping and counting
The following program counts the number of times the letter ’a’ appears in a string: apstring find an ’a’. (To
70 apstrings, and neither should be used on bools. Technically, it is legal to increment a variable and use it in an expression at the same time. For example, you might see something like: cout << i++ << endl; Looking at this, it is not clear whether the increment will take effect effect of this statement is to leave the value of index unchanged. This is often a difficult bug to track down. Remember, you can write index = index +1;, or you can write index++;, but you shouldn’t mix them.
7.11. STRING CONCATENATION
71
7.11
String concatenation
Interestingly, the + operator can be used on strings; it performs string concatenation. To concatenate means to join the two operands end to end. For example: apstring fruit = "banana"; apstring bakedGood = " nut bread"; apstring dessert = fruit + bakedGood; cout << dessert << endl; The output of this program is banana nut bread. Unfortunately, the + operator does not work on native C strings, so you cannot write something like apstring dessert = "banana" + " nut bread"; because both operands are C strings. As long as one of the operands is an apstring, though, C++ will automatically convert the other. It is also possible to concatenate a character onto the beginning or end of an apstring.: apstring suffix = "ack"; char letter = ’J’; while (letter <= ’Q’) { cout << letter + suffix << endl; letter++; } The output of this program is: Jack Kack Lack Mack Nack Oack Pack Qack
72
CHAPTER 7. STRINGS AND THINGS
Of course, that’s not quite right because I’ve misspelled “Ouack” and “Quack.” As an exercise, modify the program to correct this error. Again, be careful to use string concatenation only with apstrings and not with native C strings. Unfortunately, an expression like letter + "ack" is syntactically legal in C++, although it produces a very strange result, at least in my development environment.
7.12
apstrings are mutable
You can change the letters in an apstring one at a time using the [] operator on the left side of an assignment. For example, apstring greeting = "Hello, world!"; greeting[0] = ’J’; cout << greeting << endl; produces the output Jello, world!.
7.13
apstrings are comparable
All the comparison operators that work on ints and doubles also work on apstrings. apstring difficult problem, which is making the program realize that zebras are not fruit.
7.14. CHARACTER CLASSIFICATION
73
7.14
Character classification
It is often useful to examine a character and test whether it is upper or lower case, or whether it is a character or a digit. C++ provides a library of functions that perform this kind of character classification. In order to use these functions, you have to include the header file ctype.h. char letter = ’a’; if (isalpha(letter)) { cout << "The character " << letter << " is a letter." << endl; } classification functions include isdigit, which identifies the digits 0 through 9, and isspace, which identifies classification and conversion library to write functions named apstringToUpper and apstringToLower that take a single apstring as a parameter, and that modify the string by converting all the letters to upper or lower case. The return type should be void.
7.15
Other apstring functions
This chapter does not cover all the apstring functions. Two additional ones, c str and substr, are covered in Section 15.2 and Section 15.4.
74
CHAPTER 7. STRINGS AND THINGS
7.16
Glossary
object: A collection of related data that comes with a set of functions that operate on it. The objects we have used so far are the cout object provided by the system, and apstrings. floating-point number, a boolean value. apstrings are different in the sense that they are made up of smaller pieces, the characters. Thus, apstrings difference definition: struct Point { double x, y; }; 75
76
CHAPTER 8. STRUCTURES
struct definitions appear outside of any function definition, usually at the beginning of the program (after the include statements). This definition indicates that there are two elements in this structure, named x and y. These elements are called instance variables, for reasons I will explain a little later. It is a common error to leave off the semi-colon at the end of a structure definition. It might seem odd to put a semi-colon after a squiggly-brace, but you’ll get used to it. Once you have defined the new structure, you can create variables with that type: Point blank; blank.x = 3.0; blank.y = 4.0; The first line is a conventional variable declaration: blank has type Point. The next two lines initialize the instance variables of the structure. The “dot notation” used here is similar to the syntax for invoking a function on an object, as in fruit.length(). Of course, one difference is that function names are always followed by an argument list, even if it is empty. The result of these assignments is shown in the following state diagram:
blank x: y:
3 conflict between the local variable named x and the instance variable named x. The purpose of dot notation is to identify which variable you are referring to unambiguously.
8.4. OPERATIONS ON STRUCTURES
77
You can use dot notation as part of any C++ expression, so the following are legal. cout << blank.x << ", " << blank.y << endl; double distance = blank.x * blank.x + blank.y * blank.y; The first line outputs 3, 4; the second line calculates the value 25.
8.4
Operations on structures
Most of the operators we have been using on other types, like mathematical operators ( +, %, etc.) and comparison operators (==, >, etc.), do not work on structures. Actually, it is possible to define first.
78
CHAPTER 8. STRUCTURES
8.5: y:
3 4
printPoint
p x: y:
3 4
8.7. CALL BY REFERENCE
79
If printPoint happened to change one of the instance variables of p, it would have no effect reflect effect)
80
CHAPTER 8. STRUCTURES
Here’s how we would draw a stack diagram for this program:
main blank x: y:
3 4
4 3
reflect
p affect modified define a structure that contains a Point and two doubles. struct Rectangle { Point corner; double width, height; };
8.8. RECTANGLES
81
Notice that one structure can contain another. In fact, this sort of thing is quite common. Of course, this means that in order to create a Rectangle, we have to create a Point first: Point corner = { 0.0, 0.0 }; Rectangle box = { corner, 100.0, 200.0 }; This code creates a new Rectangle structure and initializes the instance variables. The figure shows the effect of this assignment.
box corner: x: y:
0 0 100 200
width: height: first of the three values that go into the new Rectangle. This statement is an example of nested structure.
82 effect on i and j. When people start passing things like integers by reference, they often try to use an expression as a reference argument. For example:
8.11. GETTING USER INPUT
83
int i = 7; int j = 9; swap (i, j+1);
// WRONG!!
This is not legal because the expression j+1 is not a variable—it does not occupy a location that the reference can refer to. It is a little tricky to figure file iostream.h, C++ defines: int main () { int x; // prompt the user for input cout << "Enter an integer: "; // get input cin >> x;
84
CHAPTER 8. STRUCTURES
// check and see if the input statement succeeded if (cin.good() == false) { cout << "That was not an integer." << endl; return -1; } // print the value we got from the user cout << x << endl; return 0; } cin can also be used to input an apstring: apstring name; cout << "What is your name? "; cin >> name; cout << name << endl; Unfortunately, this statement only takes the first word of input, and leaves the rest for the next input statement. So, if you run this program and type your full name, it will only output your first name. Because of these problems (inability to handle errors and funny behavior), I avoid using the >> operator altogether, unless I am reading data from a source that is known to be error-free. Instead, I use a function in the apstring called getline. apstring name; cout << "What is your name? "; getline (cin, name); cout << name << endl; The first argument to getline is cin, which is where the input is coming from. The second argument is the name of the apstring atoi function defined in the header file stdlib.h. We will get to that in Section 15.4.
8.12. GLOSSARY
85 affect the argument variable.
86
CHAPTER 8. STRUCTURES
Chapter 9
More structures
9.1 Time
As a second example of a user-defined structure, we will define a type called Time, which is used to record the time of day. The various pieces of information that form a time are the hour, minute and second, so these will be the instance variables of the structure. The first step is to decide what type each instance variable should be. It seems clear that hour and minute should be integers. Just to keep things interesting, let’s make second a double, so we can record fractions of a second. Here’s what the structure definition looks like: struct Time { int hour, minute; double second; }; We can create a Time object in the usual way: Time time = { 11, 59, 3.14159 }; The state diagram for this object looks like this:
time hour: minute: second:
11 59 3.14159
87
88 define.
9.3
Functions for objects
In the next few sections, I will demonstrate several possible interfaces for functions that operate on objects. For some operations, you will have a choice of several possible interfaces, so you should consider the pros and cons of each of these: pure function: Takes objects and/or basic types as arguments but does not modify the objects. The return value is either a basic type or a new object created inside the function. modifier: Takes objects as parameters and modifies some or all of them. Often returns void. fill-in function: One of the parameters is an “empty” object that gets filled in by the function. Technically, this is a type of modifier.
9.4
Pure functions
A function is considered a pure function if the result depends only on the arguments, and it has no side effects like modifying an argument or outputting something. The only result of calling a pure function is the return value. One example is after, which compares two Times and returns a bool that indicates whether the first operand comes after the second: bool after (Time& time1, Time& time2) { if (time1.hour > time2.hour) return true; if (time1.hour < time2.hour) return false;
9.4. PURE FUNCTIONS
89 specifically? A second example is addTime, which calculates the sum of two times. For example, if it is 9:14:30, and your breadmaker takes 3 hours and 35 minutes, you could use addTime to figure breadmaker to make bread, then you could use addTime to figure;
90
CHAPTER 9. MORE STRUCTURES. The advantage of passing by value is that the calling function and the callee are appropriately encapsulated—it is not possible for a change in one to affect the other, except by affecting the return value. On the other hand, passing by reference usually is more efficient, first line of the functions. If you tell the compiler that you don’t intend to change a parameter, it can help remind you. If you try to change one, you should get a compiler error, or at least a warning.
9.6
Modifiers
Of course, sometimes you want to modify one of the arguments. Functions that do are called modifiers.
9.7. FILL-IN FUNCTIONS
91
As an example of a modifier, first) { time.second += secs; while (time.second >= 60.0) { time.second -= 60.0; time.minute += 1; } while (time.minute >= 60) { time.minute -= 60; time.hour += 1; } } This solution is correct, but not very efficient. Can you think of a solution that does not require iteration?
9.7
Fill-in functions
Occasionally you will see functions like addTime written with a different interface (different arguments and return values). Instead of creating a new object every time addTime is called, we could require the caller to provide an “empty” object where addTime can store the result. Compare the following with the previous version:
92
CHAPTER 9. MORE STRUCTURES efficient, although it can be confusing enough to cause subtle errors. For the vast majority of programming, it is worth a spending a little run time to avoid a lot of debugging time. Notice that the first two parameters can be declared const, but the third cannot.
9.8
Which is best?
Anything that can be done with modifiers and fill-in functions can also be done with pure functions. In fact, there are programming languages, called functional programming languages, that only allow pure functions. Some programmers believe that programs that use pure functions are faster to develop and less error-prone than programs that use modifiers. Nevertheless, there are times when modifiers are convenient, and cases where functional programs are less efficient. In general, I recommend that you write pure functions whenever it is reasonable to do so, and resort to modifiers flaws as I found them. Although this approach can be effective, it can lead to code that is unnecessarily complicated—since it deals with many special cases—and unreliable— since it is hard to know if you have found all the errors.
9.10. GENERALIZATION
93 effectively.
94
CHAPTER 9. MORE STRUCTURES fi something that is not an algorithm. When you learned to multiply single-digit numbers, you probably memorized the multiplication table. In effect, you memorized 100 specific solutions. That kind of knowledge is not really algorithmic. But if you were “lazy,” you probably cheated by learning a few tricks. For example, to find the product of n and 9, you can write n − 1 as the first difficulty or conscious thought, are the most difficult
95 modified. pure function: A function whose result depends only on its parameters, and that has so effects other than returning a value. functional programming style: A style of program design in which the majority of functions are pure. modifier: A function that changes one or more of the objects it receives as parameters, and usually returns void. fill-in function: A function that takes an “empty” object as a parameter and fills it its instance variables instead of generating a return value. algorithm: A set of instructions for solving a class of problems by a mechanical, unintelligent process.
96
CHAPTER 9. MORE STRUCTURES
Chapter 10
Vectors
A vector is a set of values where each value is identified by a number (called an index). An apstring is similar to a vector, since it is made up of an indexed set of characters. The nice thing about vectors is that they can be made up of any type of element, including basic types like ints and doubles, and user-defined types like Point and Time. The vector type that appears on the AP exam is called apvector. In order to use it, you have to include the header file apvector.h; again, the details of how to do that depend on your programming environment. You can create a vector the same way you create other variable types: apvector<int> count; apvector<double> doubleVector; The type that makes up the vector appears in angle brackets (< and >). The first: apvector<int> count (4); The syntax here is a little odd; it looks like a combination of a variable declarations and a function call. In fact, that’s exactly what it is. The function we are invoking is an apvector constructor. A constructor is a special function that creates new objects and initializes their instance variables. In this case, the constructor takes a single argument, which is the size of the new vector. The following figure shows how vectors are represented in state diagrams: 97
98 apvectors that takes two parameters; the second is a “fill value,” the value that will be assigned to each of the elements. apvector effect of this code fragment:
count 0 1 2 3
7
14
1
-60
10.2. COPYING VECTORS
99 apvectors, which is called a copy constructor because it takes one apvector as an argument and creates a new vector that is the same size, with the same elements. apvector<int> copy (count); Although this syntax is legal, it is almost never used for apvectors because there is a better alternative: apvector<int> copy = count; The = operator works on apvectors }
100
CHAPTER 10. VECTORS
This statement is exactly equivalent to INITIALIZER; while (CONDITION) { BODY INCREMENTOR } except that it is more concise and, since it puts all the loop-related statements in one place, it is easier to read. For example: for (int i = 0; i < 4; i++) { cout << count[i] << endl; } is equivalent to int i = 0; while (i < 4) { cout << count[i] << endl; i++; }
10.4
Vector length
There are only a couple of functions you can invoke on an apvector. One of them is very useful, though: length. Not surprisingly, it returns the length. for (int i = 0; i < count.length(); i++) { cout << count[i] << endl; } The last time the body of the loop gets executed, the value of i is count.length() - 1, which is the index of the last element. When i is equal to count.length(), the condition fails and the body is not executed, which is a good thing, since it would cause a run-time error.
10.5
Random numbers
Most computer programs do the same thing every time they are executed, so they are said to be deterministic. Usually, determinism is a good thing, since
10.5. RANDOM NUMBERS
101 file stdlib.h, which contains a variety of “standard library” functions, hence the name. The return value from random is an integer between 0 and RAND MAX, where RAND MAX is a large number (about 2 billion on my computer) also defined in the header file. Each time you call random you get a different randomly-generated number. To see a sample, run this loop: for (int i = 0; i < 4; i++) { int x = random (); cout << x << endl; } On my machine I got the following output: 1804289383 846930886 1681692777 1714636915 You will probably get something similar, but different, floating floating-point value in a given range; for example, between 100.0 and 200.0.
102
CHAPTER 10. VECTORS
10.6.7
Vector of random numbers
The first fills it with random values between 0 and upperBound-1. apvector<int> randomVector (int n, int upperBound) { apvector<int> vec (n); for (int i = 0; i<vec.length(); i++) { vec[i] = random () % upperBound; } return vec; } The return type is apvector<int>, which means that this function returns a vector of integers. To test this function, it is convenient to have a function that outputs the contents of a vector. void printVector (const apvector<int>& vec) { for (int i = 0; i<vec.length(); i++) { cout << vec[i] << " "; } } Notice that it is legal to pass apvectors by reference. In fact it is quite common, since it makes it unnecessary to copy the vector. Since printVector does not modify the vector, we declare the parameter const. The following code generates a vector and outputs it: int numValues = 20; int upperBound = 10; apvector<int> vector = randomVector (numValues, upperBound); printVector (vector);
10.8. COUNTING
103
On my machine the output is 3 6 7 5 3 5 6 2 9 1 2 7 0 9 3 6 0 6 2 6 which is pretty random-looking. Your results may differ. If these numbers are really random, we expect each digit to appear the same number of times—twice each. In fact, the number 6 appears five fit apvector<int>& vec, int value) { int count = 0; for (int i=0; i< vec.length(); i++) { if (vec[i] == value) count++; } return count; }
104
CHAPTER 10. VECTORS
10.9
Checking the other values
howMany only counts the occurrences of a particular value, and we are interested in seeing how many times each value appears. We can solve that problem with a loop: int numValues = 20; int upperBound = 10; apvector
10.10. A HISTOGRAM
105
8 9
9891 9958
In each case, the number of appearances is within about 1% of the expected value (10,000), so we conclude that the random numbers are probably uniform.
10.10 length 10. That way we can create all ten storage locations at once and we can access them using indices, rather than ten different names. Here’s how: int numValues = 100000; int upperBound = 10; apvector<int> vector = randomVector (numValues, upperBound); apvector different ways. First, it is an argument to howMany, specifying which value I am interested in. Second, it is an index into the histogram, specifying which location I should store the result in.
10.11
A single-pass solution
Although this code works, it is not as efficient as it could be. Every time it calls howMany, it traverses the entire vector. In this example we have to traverse the vector ten times! It would be better to make a single pass through the vector. For each value in the vector we could find the corresponding counter and increment it. In other words, we can use the value from the vector as an index into the histogram. Here’s what that looks like: apvector<int> histogram (upperBound, 0);
106
CHAPTER 10. VECTORS
for (int i = 0; i<numValues; i++) { int index = vector[i]; histogram[index]++; } The first.12 different seed for the random number generator, you can use the srand function. It takes a single argument, which is an integer between 0 and RAND MAX. For many applications, like games, you want to see a different.13
Glossary
vector: A named collection of values, where all the values have the same type, and each value is identified by an index. element: One of the values in a vector. The [] operator selects elements of a vector. index: An integer variable or value used to indicate an element of a vector.
10.13. GLOSSARY
107.
108
CHAPTER 10. VECTORS
Chapter 11
Member functions
11.1 Objects and functions
C++ is generally considered an object-oriented programming language, which means that it provides features that support object-oriented programming. It’s not easy to define object-oriented programming, but we have already seen some features of it: 1. Programs are made up of a collection of structure definitions and function definitions, where most of the functions operate on specific kinds of structures (or objecs). 2. Each structure definition corresponds to some object or concept in the real world, and the functions that operate on that structure correspond to the ways real-world objects interact. For example, the Time structure we defined in Chapter 9 obviously corresponds to the way people record the time of day, and the operations we defined definition and the function definitions that follow. With some examination, it is apparent that every function takes at least one Time structure as a parameter. This observation is the motivation for member functions. Member function differ from the other functions we have written in two ways: 109
110
CHAPTER 11. MEMBER FUNCTIONS
1. When we call the function, we invoke it on an object, rather than just call it. People sometimes describe this process as “performing an operation on an object,” or “sending a message to an object.” 2. The function is declared inside the struct definition,
In Chapter 9 we defined first difficult is that this is actually a pointer to a structure, rather than a structure itself. A pointer is similar to a reference,
11.3. IMPLICIT VARIABLE ACCESS
111 first definition: struct Time { int hour, minute; double second; void Time::print (); }; A function declaration looks just like the first line of the function definition, definition for the function. This definition is sometimes called the implementation of the function, since it contains the details of how the function works. If you omit the definition, or provide a definition that has an interface different:
112 efficient implementation of this function. If you didn’t do it back in Chapter 9, you should write a more efficient version now. To declare the function, we can just copy the first line into the structure definition:
113
11.5:
114?
115 different way to declare and initialize: Time time (seconds); These two functions represent different programming styles, and different points in the history of C++. Maybe for that reason, the C++ compiler requires that you use one or the other, and not both in the same program. If you define different parameters. Then, when we initialize a new object the compiler will try to find final example we’ll look at is addTime:
116 first first time we invoke convertToSeconds, there is no apparent object! Inside a member function, the compiler assumes that we want to invoke the function on the current object. Thus, the first invocation acts on this; the second invocation acts on t2. The next line of the function invokes the constructor that takes a single double as a parameter; the last line returns the resulting object.
11.10
Header files
It might seem like a nuisance to declare functions inside the structure definition and then define definition and the functions into two files: the header file, which contains the structure definition, and the implementation file, which contains the functions. Header files usually have the same name as the implementation file, but with the suffix .h instead of .cpp. For the example we have been looking at, the header file is called Time.h, and it contains the following: struct Time { // instance variables int hour, minute; double second;
11.10. HEADER FILES
117
// definition I don’t really have to include the prefix Time:: at the beginning of every function name. The compiler knows that we are declaring functions that are members of the Time structure. Time.cpp contains the definitions of the member functions (I have elided the function bodies to save space): #include <iostream.h> definitions in Time.cpp appear in the same order as the declarations in Time.h, although it is not necessary. On the other hand, it is necessary to include the header file using an include statement. That way, while the compiler is reading the function definitions, it knows enough about the structure to check the code and catch errors. Finally, main.cpp contains the function main along with any functions we want that are not members of the Time structure (in this case there are none): #include <iostream.h> ...
118
CHAPTER 11. MEMBER FUNCTIONS
#include "Time.h" void; } } Again, main.cpp has to include the header file. It may not be obvious why it is useful to break such a small program into three pieces. In fact, most of the advantages come when we are working with larger programs: Reuse: Once you have written a structure like Time, you might find it useful in more than one program. By separating the definition files can be compiled separately and then linked into a single program later. The details of how to do this depend on your programming environment. As the program gets large, separate compilation can save a lot of time, since you usually need to compile only a few files at a time. For small programs like the ones in this book, there is no great advantage to splitting up programs. But it is good for you to know about this feature, especially since it explains one of the statements that appeared in the first program we wrote: #include <iostream.h> iostream.h is the header file that contains declarations for cin and cout and the functions that operate on them. When you compile your program, you need the information in that header file.
11.11. GLOSSARY
119 difficult definitions even if the definitions appear outside. implementation: The body of a function, or the details of how a function works. constructor: A special function that initializes the instance variables of a newly-created object.
120
CHAPTER 11. MEMBER FUNCTIONS
Chapter 12
Vectors of Objects
12.1 Composition
By now we have seen several examples of composition (the ability to combine language features in a variety of arrangements). One of the first define. 121
122
CHAPTER 12. VECTORS OF OBJECTS
An alternative is to use integers to encode the ranks and suits. By “encode,” I do not mean what some people think, which is to encrypt, or translate into a secret code. What a computer scientist means by “encode” is something like “define a mapping between a sequence of numbers and the things I want to represent.” For example, Spades Hearts Diamonds Clubs → → → → 3 2 1 0
The symbol → → → → 11 12 13
The reason I am using mathematical notation for these mappings is that they are not part of the C++ program. They are part of the program design, but they never appear explicitly in the code. The class definition first constructor takes no arguments and initializes the instance variables to a useless value (the zero of clubs). The second constructor is more useful. It takes two parameters, the suit and rank of the card.
12.3. THE PRINTCARD FUNCTION
123
The following code creates an object named threeOfClubs that represents the 3 of Clubs:
Card threeOfClubs (0, 3); The first argument, 0 represents the suit Clubs, the second, naturally, represents the rank 3.
12.3
The printCard function files for both1 . To initialize the elements of the vector, we can use a series of assignment statements.
suits[0] suits[1] suits[2] suits[3]
= = = =
"Clubs"; "Diamonds"; "Hearts";
125-defined types like Card, so we have to write a function that compares two cards. We’ll call it equals. It is also possible to write a new definition
126-defined floating
127, fix:
128
CHAPTER 12. VECTORS OF OBJECTS
apvector<Card> deck (52); Here is the state diagram for this object:
deck 0 suit: rank: 1 2 51
0 0
suit: rank:
0 0
suit: rank:
0 0
suit: rank:
0 0
The three dots represent the 48 cards I didn’t feel like drawing. Keep in mind that we haven’t initialized the instance variables of the cards yet. In some environments, they will get initialized to zero, as shown in the figure, different
129 find find the card we are looking for. If the loop terminates without finding the card, we know the card is not in the deck and return -1.
130, flip to somewhere later in the dictionary and go to step 2. 5. If the word you are looking for comes before the word on the page, flipfiled
131;
132 find infinite recursion, in which case C++ will (eventually) generate a run-time error.
12.10. DECKS AND SUBDECKS
133
12.10
Decks and subdecks
Looking at the interface to findBisect int findBisect (const Card& card, const apvector<Card>& deck, int low, int high) { it might make sense to treat three of the parameters, deck, low and high, as a single parameter that specifies fields). A more general definition of “abstraction” is “The process of modeling a complex system with a simplified description in order to suppress unnecessary details while capturing relevant behavior.”
12.11
Glossary
encode: To represent one set of values using another set of values, by constructing a mapping between them. abstract parameter: A set of parameters that act together as a single parameter.
134) define the set of values that make up the mapping. For example, here is the definition of the enumerated types Suit and Rank: enum Suit { CLUBS, DIAMONDS, HEARTS, SPADES }; enum Rank { ACE=1, TWO, THREE, FOUR, FIVE, SIX, SEVEN, EIGHT, NINE, TEN, JACK, QUEEN, KING }; By default, the first value in the enumerated type maps to 0, the second to 1, and so on. Within the Suit type, the value CLUBS is represented by the integer 0, DIAMONDS is represented by 1, etc. The definition of Rank overrides the default mapping and specifies that ACE should be represented by the integer 1. The other values follow in the usual way. Once we have defined these types, we can use them anywhere. For example, the instance variables rank and suit are can be declared with type Rank and Suit: struct Card { Rank rank; Suit suit; 135
136 modification. define efficient. It looks like this:
13.2. SWITCH STATEMENT
137 flow flow of execution to return to the caller instead of falling through to the next case. In general it is good style to include a default case in every switch statement, to handle errors or unexpected values.
138 definition suit: rank: 1 2 51
0 0
suit: rank:
0 0
suit: rank:
0 0
suit: rank:
0 0
The object named deck has a single instance variable named cards, which is a vector of Card objects. To access the cards in a deck we have to compose
13.4. ANOTHER CONSTRUCTOR
139 definition. Looking at the functions we have written so far, one obvious candidate is printDeck (Section 12.7). Here’s how it looks, rewritten as a Deck member function: void Deck::print () const { for (int i = 0; i < cards.length(); i++) { cards[i].print ();
140 first trick is that we have to use the keyword this to refer to the Card the function is invoked on. The second trick is that C++ does not make it easy to write structure definitions that refer to each other. The problem is that when the compiler is reading the first structure definition, it doesn’t know about the second one yet. One solution is to declare Deck before Card and then define
141
Deck (); Deck (int n); void print () const; int find (const Card& card) const; };
13.6
Shuffling
For most card games you need to be able to shuffle the deck; that is, put the cards in a random order. In Section 10 figure out how to write randomInt by looking at Section 10.5, although you will have to be careful about possibly generating indices that are out of range. You can also figure
142
CHAPTER 13. OBJECTS OF VECTORS
for shuffling. Again, we are going to traverse the deck and at each location choose another card and swap. The only difference is that this time instead of choosing the other card at random, we are going to find figure out what helper functions are needed, is sometimes called top-down design, in contrast to the bottom-up design I discussed in Section 10 specified “off efficient?
13.9. SHUFFLING AND DEALING
143
13.9
Shuffling and dealing
In Section 13.6 I wrote pseudocode for a shuffling algorithm. Assuming that we have a function called shuffleDeck that takes a deck as an argument and shuffles it, we can create and shuffle first shuffling and make it more difficult efficient. In order to sort n items, it has to traverse the vector n times, and each traversal takes an amount of time that is proportional to n. The total time, therefore, is proportional to n2 . In this section I will sketch a more efficient algorithm called mergesort. To sort n items, mergesort takes time proportional to n log n. That may not seem impressive, but as n gets big, the difference.
144 shuffle
145
should you invoke the old, slow version of sort? Why not invoke the spiffmodified, since it is already sorted. The recursive version of mergesort should look something like this: Deck Deck::mergeSort (Deck deck) const { // if the deck is 0 or 1 cards, return it // // // // } As usual, there are two ways to think about recursive programs: you can think through the entire flow of execution, or you can make the “leap of faith.” I have deliberately constructed this example to encourage you to make the leap of faith. When you were using sort to sort the subdecks, you didn’t feel compelled to follow the flow of execution, right? You just assumed that the sort function would work because you already debugged it. Well, all you did to make mergeSort recursive was replace one sort algorithm with another. There is no reason to read the program differently. Well, actually you have to give some thought to getting the base case right and making sure that you reach it eventually, but other than that, writing the recursive version should be no problem. Good luck! find the midpoint of the deck divide the deck into two subdecks sort the subdecks using mergesort merge the two halves and return the result.
146 definition definition. For example, we could have written the Card definition: struct Card { private: int suit, rank;
147
148
CHAPTER 14. CLASSES AND INVARIANTS
public: Card (); Card (int s, int r); int getRank () const int getSuit () const void setRank (int r) void setSuit (int s) }; { { { { return return rank = suit = rank; } suit; } r; } s; }
There are two sections of this definition,oo
14.3. COMPLEX NUMBERS
149
I replaced the word struct with the word class and removed the private: label. This result of the two definitions-defined types in C++ as “classes,” regardless of whether they are defined definition for a user-defined type called Complex: class Complex { double real, imag; public: Complex () { } Complex (double r, double i) { real = r; };
imag = i; }
Because this is a class definition, figure shows the two coordinate systems graphically.
150
CHAPTER 14. CLASSES AND INVARIANTS
Cartesian coordinates imaginary axis
Polar coordinates definition that uses both representations, and that converts between them automatically, as needed. class Complex { double real, imag; double mag, theta; bool cartesian, polar; public: Complex () { cartesian = false; Complex (double r, double i)
polar = false; }
14.4. ACCESSOR FUNCTIONS
151
{ flags that indicate whether the corresponding values are currently valid. For example, the do-nothing constructor sets both flags to false to indicate that this object does not contain a valid complex number (yet), in either representation. The second constructor uses the parameters to initialize the real and imaginary parts, but it does not calculate the magnitude or angle. Setting the polar flag flag is true then real contains valid data, and we can just return it. Otherwise, we have to call calculateCartesian to convert from polar coordinates to Cartesian coordinates: void Complex::calculateCartesian () {
152
CHAPTER 14. CLASSES AND INVARIANTS
real = mag * cos (theta); imag = mag * sin (theta); cartesian = true; } Assuming that the polar coordinates are valid, we can calculate the Cartesian coordinates using the formulas from the previous section. Then we set the cartesian flag, define
153 modified()
154 different versions take different flag. At the same time, we have to make sure that the cartesian flag flag is set then we expect real and imag to contain valid data. Similarly, if polar is set, we expect mag and theta to be valid. Finally, if both flags are set then we expect the other four variables to
14.9. PRECONDITIONS
155
be consistent; that is, they should be specifying the same point in two different formats. These kinds of conditions are called invariants, for the obvious reason that they do not vary—they are always supposed to be true. One of the ways to write good quality code that contains few bugs is to figure out what invariants are appropriate for your classes, and write code that makes it impossible to violate them. One of the primary things that data encapsulation is good for is helping to enforce invariants. The first step is to prevent unrestricted access to the instance variables by making them private. Then the only way to modify the object is through accessor functions and modifiers. If we examine all the accessors and modifiers, definition off. fine;
156
CHAPTER 14. CLASSES AND INVARIANTS
flag file,
157
{ assert (polar); real = mag * cos (theta); imag = mag * sin (theta); cartesian = true; assert (polar && cartesian); } The first file definition for Complex would look like: class Complex { private: double real, imag; double mag, theta; bool cartesian, polar; void calculateCartesian (); void calculatePolar (); public: Complex () { cartesian = false; Complex (double r, double i) { real = r; imag = i;
polar = false; }
158-defined files, file or send output to a file, you have to create an ifstream object (for input files) or an ofstream object (for output files). These objects are defined in the header file fstream.h, which you have to include. A stream is an abstract object that represents the flow of data from a source like the keyboard or a file to a destination like the screen or a file. 159
160
CHAPTER 15. FILE INPUT/OUTPUT AND APMATRIXES
We have already worked with two streams: cin, which has type istream, and cout, which has type ostream. cin represents the flow file, we have to create a stream that flows from the file into the program. We can do that using the ifstream constructor. ifstream infile ("file-name"); The argument for this constructor is a string that contains the name of the file file, it is straightforward to write a loop that reads the entire file and then stops. More often, though, we want to read the entire file, but don’t know how big it is. There are member functions for ifstreams that check the status of the input stream; they are called good, eof, fail and bad. We will use good to make sure the file was opened successfully and eof to detect the “end of file.” Whenever you get data from an input stream, you don’t know whether the attempt succeeded until you check. If the return value from eof is true then we have reached the end of the file and we know that the last attempt failed. Here is a program that reads lines from a file and displays them on the screen: apstring fileName = ...; ifstream infile (fileName.c_str()); if (infile.good() == false) { cout << "Unable to open the file named " << fileName; exit (1); } while (true) { getline (infile, line); if (infile.eof()) break;
15.3. FILE OUTPUT
161
cout << line << endl; } The function c str converts an apstring to a native C string. Because the ifstream constructor expects a C string as an argument, we have to convert the apstring. Immediately after opening the file, we invoke the good function. The return value is false if the system could not open the file, most likely because it does not exist, or you do not have permission to read it. The statement while(true) is an idiom for an infinite loop. Usually there will be a break statement somewhere in the loop so that the program does not really run forever (although some programs do). In this case, the break statement allows us to exit the loop as soon as we detect the end of file. It is important to exit the loop between the input statement and the output statement, so that when getline fails at the end of the file, we do not output the invalid data in line.
15.3
File output
Sending output to a file is similar. For example, we could modify the previous program to copy lines from one file defined “parsing” as the process of analyzing the structure of a sentence in a natural language or a statement in a formal language. For example, the compiler has to parse your program before it can translate it into machine language. In addition, when you read input from a file or from the keyboard you often have to parse it in order to extract the information you want and detect errors.
162
CHAPTER 15. FILE INPUT/OUTPUT AND APMATRIXES
For example, I have a file called distances that contains information about the distances between major cities in the United States. I got this information from a randomly-chosen web page so it may be wildly inaccurate, but that doesn’t matter. The format of the file file find the beginning and end of each city name. Searching for special characters like quotation marks can be a little awkward, though, because the quotation mark is a special character in C++, used to identify string values. If we want to find the first first backslash indicates that we should take the second backslash seriously. Parsing input lines consists of finding
163
// file difficult, but it also provides an opportunity to write a comma-stripping function, so that’s ok. Once we get rid of the commas, we can use the library function atoi to convert to integer. atoi is defined in the header file stdlib.h.++) {
164 defining effect. definition for a Set.
15.6. THE SET DATA STRUCTURE
165
166
167: elements: 0 1
0
numElements: elements: 0 1
1
numElements: elements: 0 1
2
numElements: elements: 0 1 2 3
3
"element1"
"element1" "element2"
"element1" "element2" "element3"
Now we can use the Set class to keep track of the cities we find in the file. In main we create the Set with an initial size of 2: Set cities (2); Then in processLine we add both cities to the Set and store the index that gets returned. int index1 = cities.add (city1); int index2 = cities.add (city2); I modifiedified by two indices; one specifies);
168
CHAPTER 15. FILE INPUT/OUTPUT AND APMATRIXES
The first file into a matrix. Specifically, the matrix will have one row and one column for each city. We’ll create the matrix in main, with plenty of space to spare: apmatrix<int> distances (50, 50, 0);
15.9. A PROPER DISTANCE MATRIX
169 fixed
170ifies main: void main () { apstring line; ifstream infile ("distances"); DistMatrix distances (2); while (true) { getline (infile, line); if (infile.eof()) break; processLine (line, distances); } distances.print (); } It also simplifies processLine: void processLine (const apstring& line, DistMatrix& distances) { char quote = ’\"’; apvector<int> quoteIndex (4); quoteIndex[0] = line.find (quote); for (int i=1; i<4; i++) { quoteIndex[i] = find (line, quote, quoteIndex[i-1]+1);
15.10. GLOSSARY
171
} // identifies it. stream: A data structure that represents a “flow” or sequence of data items from one place to another. In C++ streams are used for input and output. accumulator: A variable used inside a loop to accumulate a result, often by getting something added or concatenated during each iteration.
172
CHAPTER 15. FILE INPUT/OUTPUT AND APMATRIXES
Appendix A
Quick reference for AP classes
These class definitions are copied from the College Board web page, with minor formatting changes. This is probably a good time to repeat the following text, also from the College Board web.”
A.1
apstring
// used to indicate not a position in the string
extern const int npos;
// public member functions // constructors/destructor apstring(); apstring(const char * s); apstring(const apstring & str); ~apstring(); // assignment 173
// // // //
construct empty string "" construct from string literal copy constructor destructor
174
175
//; // indexing // indexing with range checking itemType & operator[ ](int index); const itemType & operator[ ](int index) const; // modifiers void resize(int newSize);
// capacity of vector
// change size dynamically //can result in losing values
A.3
176, 41 abstract parameter, 133 abstraction, 133 accessor function, 148, 151, 158 accumulator, 164, 171 algorithm, 94, 95 ambiguity, 6 apmatrix, 167 apstring, 72 length, 67 vector of, 123 argument, 23, 27, 30 arithmetic base 60, 93 complex, 149 floating-point, 22, 93 integer, 16 assert, 156 assignment, 13, 19, 53 atoi, 163 backslash, 162 bisection search, 130 body, 63 loop, 55 bool, 46, 52 boolean, 45 bottom-up design, 103, 142, 145 break statement, 137, 161 bug, 4 C string, 161 c str, 161 call, 30 call by reference, 79, 82 call by value, 78 Card, 121 Cartesian coordinate, 149 character classification, 163 special sequence, 162 character operator, 17 cin, 83, 160 class, 147, 148, 158 apstring, 72 Card, 121 Complex, 149 Time, 29 client programs, 147 cmath, 23 comment, 7 comparable, 126 comparison apstring, 72 operator, 31 comparison operator, 45, 126 compile, 2, 9 compile-time error, 4, 41 complete ordering, 126 Complex, 149 complex number, 149 composition, 18, 19, 24, 43, 81, 121 concatenate, 74 concatentation, 164 conditional, 31, 37 alternative, 32 chained, 33, 37 nested, 33, 37 constructor, 97, 107, 119, 122, 138, 139, 142, 149, 151, 165, 168 convention, 136 convert to integer, 163 coordinate, 149 177
178
INDEX
Cartesian, 149 polar, 149 correctness, 132 counter, 70, 74, 103 cout, 83, 160 current object, 110 data encapsulation, 147, 155, 165 data structure, 164 dead code, 40, 52 dealing, 143 debugging, 4, 9, 41 deck, 127, 133, 138 declaration, 13, 76 decrement, 70, 74, 90 default, 137 detail hiding, 147 deterministic, 100, 107 diagram stack, 36, 50 state, 36, 50 distribution, 102 division floating-point, 56 integer, 16 double (floating-point), 21 Doyle, Arthur Conan, 5 efficiency, 143 element, 98, 107 encapsulation, 58, 60, 63, 70, 128 data, 147, 155, 165 functional, 147 encode, 121, 133 encrypt, 121 end of file, 160 enumerated type, 135 eof, 160 error, 9 compile-time, 4, 41 logic, 4 run-time, 4, 68, 90 exit, 156 expression, 16, 18, 19, 23, 24, 99 factorial, 51
file input, 160 file output, 161 fill-in function, 91 find, 68, 129, 162 findBisect, 130 flag, 46, 151 floating-point, 30 floating-point number, 21 for, 99 formal language, 5, 9 frabjuous, 48 fruitful function, 30, 39 function, 30, 59, 88 accessor, 148, 151 bool, 46 definition, 24 fill-in, 91 for objects, 88 fruitful, 30, 39 helper, 142, 145 main, 24 Math, 23 member, 109, 119, 139 modifier, 90 multiple parameter, 29 nonmember, 110, 119 pure function, 88 void, 39 functional programming, 95 generalization, 58, 61, 63, 70, 93 getline, 161 good, 160 header file, 23, 159 hello world, 7 helper function, 142, 145 high-level language, 2, 9 histogram, 105, 107 Holmes, Sherlock, 5 ifstream, 160 immutable, 72 implementation, 119, 147 increment, 70, 74, 90
INDEX
179
incremental development, 41, 92 nested, 128, 139, 168 index, 68, 74, 99, 107, 128, 167 search, 129 infinite loop, 55, 63, 161 loop variable, 58, 61, 68, 99 infinite recursion, 36, 37, 132 low-level language, 2, 9 initialization, 21, 30, 45 main, 24 input map to, 121 keyboard, 83 mapping, 135 instance, 95 instance variable, 85, 95, 138, 149, 151 Math function, 23 math function integer division, 16 acos, 39 interface, 119, 147 exp, 39 interpret, 2, 9 fabs, 41 invariant, 154, 158 sin, 39 invoke, 119 matrix, 167 iostream, 23 mean, 102 isdigit, 163 member function, 109, 119, 139 isGreater, 126 mergesort, 143, 145 istream, 160 modifier, 90, 95 iteration, 54, 63 modulus, 31, 37 keyword, 15, 19 multiple assignment, 53 language complete, 48 formal, 5 high-level, 2 low-level, 2 natural, 5 programming, 1 safe, 4 leap of faith, 50, 145 length apstring, 67 vector, 100 linear search, 129 Linux, 5 literalness, 6 local variable, 60, 63 logarithm, 56 logic error, 4 logical operator, 46 loop, 55, 63, 99 body, 55 counting, 69, 103 for, 99 infinite, 55, 63, 161 natural language, 5, 9 nested loop, 128 nested structure, 34, 46, 81, 121 newline, 11, 36 nondeterministic, 100 nonmember function, 110, 119 object, 74, 88 current, 110 output, 88 vector of, 127 object-oriented programming, 148 ofstream, 161 operand, 16, 19 operator, 7, 16, 19 >>, 83 character, 17 comparison, 31, 45, 126 conditional, 52 decrement, 70, 90 increment, 70, 90 logical, 46, 52 modulus, 31 order of operations, 17
180
INDEX
ordered set, 171 ordering, 126, 164 ostream, 160 output, 7, 11, 88, 152 overloading, 44, 52, 142 parameter, 27, 30, 78 abstract, 133 multiple, 29 parameter passing, 78, 79, 82 parse, 6, 9 parsing, 161 parsing number, 163 partial ordering, 126 pass by reference, 85 pass by value, 85 pattern accumulator, 164, 171 counter, 103 eureka, 129 pi, 39 poetry, 6 Point, 75 pointer, 110 polar coordinate, 149 portability, 2 postcondition, 155, 158 precedence, 17 precondition, 155, 158 print Card, 123 vector of Cards, 129 printCard, 123 printDeck, 129, 139 private, 147, 149 function, 157 problem-solving, 9 program development, 41, 63 bottom-up, 103, 142, 145 encapsulation, 60 incremental, 92 planning, 92 top-down, 142 programming language, 1 programming style, 92 prose, 6
prototyping, 92 pseudocode, 141, 145 pseudorandom, 107 public, 149 pure function, 88, 95, 153 random, 106 random number, 100, 141 rank, 121 Rectangle, 80 recursion, 34, 37, 48, 131, 145 infinite, 36, 37, 132 recursive, 36 redundancy, 6 reference, 76, 79, 82, 85, 141 representation, 147 resize, 169 return, 34, 39, 82 inside loop, 129 return type, 52 return value, 39, 52 rounding, 22 run-time error, 4, 36, 68, 90, 99, 132, 156, 166, 168 safe language, 4 same, 125 scaffolding, 42, 52 searching, 129 seed, 106, 107 semantics, 4, 9, 46 Set, 164 set ordered, 171 shuffling, 141, 143 sorting, 141, 143 special character, 162 stack, 36, 50 state, 76 state diagram, 76, 123, 128, 138, 167 statement, 3, 19 assignment, 13, 53 break, 137, 161 comment, 7 conditional, 31 declaration, 13, 76
INDEX
181
for, 99 initialization, 45 output, 7, 11, 88 return, 34, 39, 82, 129 switch, 136 while, 54 statistics, 102 stream, 83, 159, 171 status, 160 String, 11 string concatentation, 164 native C, 161 struct, 75, 87, 148 as parameter, 78 as return type, 82 instance variable, 76 operations, 77 Point, 75 Rectangle, 80 Time, 87 structure, 85 structure definition, 140 subdeck, 133, 142 suit, 121 swapCards, 141 switch statement, 136 syntax, 4, 9 tab, 63 table, 56 two-dimensional, 58 temporary variable, 40 testing, 132, 144 this, 110 Time, 87 top-down design, 142 traverse, 67, 74, 129 counting, 69, 103 Turing, Alan, 48 type, 12, 19 bool, 45 double, 21 enumerated, 135 int, 16 String, 11
vector, 97 typecasting, 22 value, 12, 13, 19 boolean, 45 variable, 13, 19 instance, 138, 149, 151 local, 60, 63 loop, 58, 61, 68, 99 temporary, 40 vector, 97, 107 copying, 99 element, 98 length, 100 of apstring, 123 of Cards, 138 of object, 127 void, 39, 52, 88 while statement, 54
This action might not be possible to undo. Are you sure you want to continue?
We've moved you to where you read on your other device.
Get the full title to continue reading from where you left off, or restart the preview. | https://www.scribd.com/document/44622540/thinkCScpp | CC-MAIN-2016-50 | refinedweb | 14,209 | 62.58 |
Hi Muller,
You can use Episerver "GeoLiteCity.dat" file for this. Please refer below articles-
Thanks
Ravindra
Hi Muller,
That's may be due to testing on local. Which has a local loopback ip address (127.0.0.1). You can test with hard code the ip and can test with different country ip addresses. See below code example. After hosting the application it will work as expected (if not using the proxy, of course).
using System.Linq; using System.Web; using System.Web.Hosting; public static class HttpRequestExtensions { public static string GetIpAddress(this HttpRequest request) { if (HostingEnvironment.IsDevelopmentEnvironment) { string devIpAddress = "XXX.XXX.XXX.XXX"; // Your IP address return devIpAddress; } string ipAddress = request ?.ServerVariables["HTTP_X_FORWARDED_FOR"] ?.Split(',') .ToList() .FirstOrDefault(); if (string.IsNullOrWhiteSpace(ipAddress)) { ipAddress = request?.ServerVariables["REMOTE_ADDR"]; } return ipAddress; } }
Try this out and let me know if it helps.
Thanks
I am not using localhost. GetIpAddress returns local ip and look up returns null.
That's what I am saying. Your local ip is not in the database of maxmind that handles the IP lookup. So on your local machine it will return the loopback ip and it will not find your location based on that ip. So try with passing ip from any country ip range. You can do Google for ip range of any country. Pass it as shown in code example above.
You are using maxmind, right?
I wrote about how you can change your local IP for testing purposes using the IIS URL rewrite module here:
I have site with languages en-gb, en-za and master language en-us. However, I want en-gb as default language and en-gb should be opened when the site is opened from all countries other than Uk (en-gb) and South Africa (en-za); en-gb and en-za site should be opened only when they are browsed from the respective countries. Also, if the site is opened without entering language it should go to default language. | https://world.optimizely.com/forum/developer-forum/CMS/Thread-Container/2019/9/open-site-of-particular-language-depending-upon-location/ | CC-MAIN-2022-33 | refinedweb | 328 | 68.67 |
In this user guide, we will learn how to send emails using Arduino through the IFTTT web service and Arduino IDE. For demonstration purposes, we will send a temperature reading in the email. We will use Arduino Ethernet Shield 2 to enable internet connectivity for our Arduino board.
Table of Contents
Arduino with Ethernet Shield
Ethernet Shield comes with different pins, provided for connections. We place this shield on the Arduino board properly and connect the Ethernet port with the router providing the internet service. Note that The Ethernet shield is attached to pins 10, 11, 12, 13 so those cannot be used as general-purpose input-output pins.
Note: This shield is also compatible with Arduino Mega.
Connect the Ethernet shield with router as shown in the picture below:
Refer to the following article to get to know the mandatory requirements before plugging this shield on the Arduino board.
Configuring IFTTT Web service for sending Emails with Arduino
IFTTT means ‘If this, then that.’ It is an open-source service that gives the user the freedom to program a response to an event according to their likes. We can create an applet which are chains of conditional statements by a combination of several app services and add triggering parameters. We will be using this service to show you how to send emails using Arduino. To work with this web service, we will have to follow a series of steps to ensure the proper functionality.
Creating an Account
Although the IFTTT service is free to use, we will have to create an account. First go to the following website:
The following window will appear. Click on the ‘Get Started’ button.
The following window will appear. You can select any one from these three options (Apple, Google or Facebook) to connect. Or you can simply ‘sign up’ with your own given email. We will be following this scheme.
Click the ‘sign up’ tag. You will see the following window pop up. Enter your email address and password to start working in IFTTT. This whole process is free of cost for the first three applets.
Creating an Applet
After you have created your account, we will be directed to the page where we will create our applet. Click on ‘Create.’
The following window opens up. Click the following Add button in the ‘If This’ section.
Another page will open in which we will have to choose our service. There is a lot of options to choose from. Write down ‘webhooks’ in the search option and its icon will appear:
Select Trigger
Next, choose the trigger as: ‘Receive a web request’ by clicking on it. Whenever webhooks will receive a web request, some action will take place. This we will define in the ‘THAT’ section.
After clicking the Receive a web request, the following window will open up. We will write down ‘SEND EMAIL’ as the event name for the web request. You can use any other name of your choice. Click ‘Create Trigger’ button.
After the trigger is created, we are taken back to the web page where we first added the service for the ‘IF THIS’ section. Now we will click the ADD button for the ‘THEN THAT’ section.
Now we will choose the service. We have to choose what will happen if a web request is received. We will type ‘email’ in the search option and click on its icon. This is because we want to receive email notification whenever a web request is received.
The following page opens up. Choose ‘Send me an email’ to proceed further.
Click on the ‘Connect’ button as shown below.
Next, write down your email address and click ‘Send Pin’ as shown below:
After you successfully enter the PIN, a new window will open up. Complete the action fields by specifying the subject and body of the email. Afterwards, click ‘Create Action.’
In our case, we want to send a temperature reading in the email so we have included the unit (°C) beside Value1 in the body.
After we have created the action, we will be guided towards the initial web page of IFTTT. Click ‘Continue’ to proceed.
After this click the Finish button. Make sure to turn ON the notifications when the applet is running.
You have successfully created the applet as shown below.
Obtaining the Private Key
Before we proceed further with our project, we want to access our private key. This is important as it will be required while programming our Arduino board.
Go to your applet and select “My Services” or open a webpage with the link: ifttt.com/my_services. The following windows will appear. Afterward, click on Webhooks.
This will take you to the following web page. Click on ‘Documentation.’
You will receive a key that should be secure with you.
Testing the Applet
Before programming our Arduino, let us test the applet first. Open a new web browser and paste the following URL in the search bar and press enter:
Remember to change REPLACE_WITH_YOUR_EVENT_NAME with the event name that you set and the XXXXXXXXXXXXXXXXXXXXX with the Webhooks private key
In our case, we are using the following URL: EMAIL/with/key/gkb_HtIpE-FeOWMH20*************************?value1=31.2
After pressing enter, the web browser shows the following message:
Go to your email account and open it. There you will be able to view the email notification from IFTTT with the value you just sent .This means that the applet is running successfully.
Arduino Sketch to Send Email using IFTTT
Open your Arduino IDE and go to File > New to open a new file. Copy the code given below in that file. You just have to replace the MAC Address and PATH_NAME according to your values.
#include <SPI.h> #include <Ethernet.h> byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED }; EthernetClient client; void setup() { Serial.begin(15200); if (Ethernet.begin(mac) == 0) { Serial.println("Failed to obtaining an IP address"); while (true); }"); } } void loop() { }
How the Code Works?
We will start by including the necessary libraries for this project. Both the required libraries are built-in so you will not be required to install them.
#include <SPI.h> #include <Ethernet.h>
Next specify the MAC address of the shield:
byte mac[] = {0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED};
Create an EthernetClient object.
EthernetClient client;
The next step is very important. Specify the HTTP Port which is 80. The HTTP_METHOD holds the type of HTTP request. It is GET in our case. The HOST_NAME[] will hold the server which will be identical for everyone. The PATH_NAME will hold the event name and the Webhooks private key (unique for your created applet). Make sure to replace theses two parameters with your own values. The ‘queryString’ variable shows that we want to send the temperature reading 33.5 in the email.
Inside the setup() function, open the serial communication at a baud rate of 115200.
Serial.begin(115200);
We will initialize the Ethernet library and the network settings using Ethernet.begin() with the Ethernet hardware address of the shield as an argument inside it. This returns a ‘1’ in case of a successful DHCP connection and ‘0’ incase of failure.
if (Ethernet.begin(mac) == 0) { Serial.println("Failed to obtaining an IP address"); while (true); }
Next, we will connect to the IFTTT server and make the HTTP GET request along with the PATH_NAME (includes the event name and the Webhooks private key) and the queryString (includes the value to be sent in the email)."); }
Demonstration
Choose the correct board and COM port before uploading your code to the board.
Go to Tools > Board and select Arduino Module.
Next, go to Tools > Port and select the appropriate port through which your board is connected.
Click on the upload button to upload the code into the Arduino development board. After you have uploaded your code to the Arduino development board press its ENABLE button.
Open your serial monitor and set the baud rate to 115200. In a few moments, you will see that a successful connection has been made with the server and the email has been generated.
Go to your email account and open it. There you will be able to view the email notification from IFTTT regarding the Sensor Readings from Arduino and its exact date and time.
You may also like to read about other project we created with IFTTT: | https://microcontrollerslab.com/arduino-send-email-ifttt-ethernet-shield/ | CC-MAIN-2022-33 | refinedweb | 1,396 | 75.2 |
Python Asynchronous Programming with asyncio library
I would not consider myself as an experienced programmer but I can code scripts or small programs, mostly for proof of concepts. I started about 20 years ago with Perl scripting then C, PHP, Bash, C++, Java, Lua and finally Python. All that time, asynchronous programming was synonym of Threads and Forked Processes. Sharing memory was done through queues and locks.
I started a new project last September where I wanted to build a Websocket Server in Python for real-time data reporting. I decided to use the Python WebSocket Library that is using the Python asyncio library introduced in Python 3.4.
I have heard very good things about the asyncio Python library and the event loop programming in general but this project was going to be my first experience with it. Now that my Websocket Server project is going well, I decided to write down a few things I have learned working with asyncio. The library has been introduced in Python 3.4 and some keywords/functions changed in Python 3.6. This post is only using Python 3.6 syntax and all the code has been tested with Python 3.6.3.
Asynchronous versus Parallel ProgrammingAsynchronous versus Parallel Programming
A lot of programming languages allows you to use Threads and Forked Processes to execute code in parallel. The threaded functions can run simultaneously on different CPU cores which can speed up your application processing. Also, some threads can run while other threads are waiting for i/o such as network connections.
With Asyncio programming, there is no such parallelism. All the functions attached with your event loop are running within a single thread. However, when functions are waiting for something else, they can let the Python interpreter run other functions and resume when they have all they need to continue their execution.
Asyncio basicsAsyncio basics
Let's start with a first example.
import asyncio async def my_function(delay): print(f'Start {delay}') await asyncio.sleep(delay) print(f'Stop {delay}') asyncio.ensure_future(my_function(3)) print('Scheduled 3') asyncio.ensure_future(my_function(2)) print('Scheduled 2') asyncio.ensure_future(my_function(1)) print('Scheduled 1') loop = asyncio.get_event_loop() loop.run_forever()
Let's take a look at
my_function. You probably noticed the
async keyword before the
def. This tells you that the function will be executed asynchronously. It is called a coroutine. Now once the coroutine is executed, it will start a
Task. The Task will execute to the end unless it reaches the
await call. In this example, the Task will suspend its execution when it reaches the line
await asyncio.sleep(delay). The
asyncio.sleep coroutine is the equivalent to the
time.sleep function. After the
delay, the event loop will automatically resume the execution of the Task.
The
await keyword is used when executing another coroutine from a coroutine.
Later in the example, you will find the
asyncio.ensure_future() function. This function will schedule the execution of the coroutine and return a
Task. At this point, the Tasks are not executed yet.
The
asyncio.get_event_loop() function will return the loop object. The
loop.run_forever() function will start the loop and run forever... To exit this example, use CTRL+C. This example output should be:
Scheduled 3 Scheduled 2 Scheduled 1 Start 3 Start 2 Start 1 Stop 1 Stop 2 Stop 3
Stop the run_forever()Stop the run_forever()
If you are using
loop.run_forever(), you probably want to stop the loop at some time. Here is an example that is stopping the loop based on the Unix Signals received (SIGINT is the signal received upon CTRL+C).
import asyncio import signal async def my_function(delay): print(f'Start {delay}') await asyncio.sleep(delay) print(f'Stop {delay}') def stop_loop(loop): print('Stopping the loop') loop.stop() asyncio.ensure_future(my_function(1)) print('Scheduled 1') loop = asyncio.get_event_loop() loop.add_signal_handler(signal.SIGINT, stop_loop, loop) loop.run_forever() print('Exiting')
Wait for the execution of a coroutineWait for the execution of a coroutine
The
loop.run_until_complete() function will start the loop and run it until the coroutine is returned. After, the execution, the loop is stopped (but not closed) and will continue it's execution at the second
loop.run_until_complete().
import asyncio import time start_time = time.time() def print_ts(txt): print(f'{time.time() - start_time:.2f} sec : {txt}') async def my_function(delay): print_ts(f'Start {delay}') await asyncio.sleep(delay) print_ts(f'Stop {delay}') loop = asyncio.get_event_loop() asyncio.ensure_future(my_function(1)) # Will stop at 1 sec asyncio.ensure_future(my_function(3)) # Will stop at 3 sec asyncio.ensure_future(my_function(15)) # Will stop at 15 sec asyncio.ensure_future(my_function(20)) # Will stop at 20 sec loop.run_until_complete(my_function(2)) # Will stop at 2 sec print_ts(f'Is loop running? {loop.is_running()}') print_ts('Blocking sleep for 10 seconds - Should not use with asyncio.') time.sleep(10) loop.run_until_complete(my_function(4)) # Will stop at 16 sec (2 + 10 + 4) print_ts('Exiting. 20 never finished.')
The output should be:
0.00 sec : Start 1 0.00 sec : Start 3 0.00 sec : Start 15 0.00 sec : Start 20 0.00 sec : Start 2 1.01 sec : Stop 1 2.01 sec : Stop 2 2.01 sec : Is loop running? False 2.01 sec : Blocking sleep for 10 seconds - Should not use with asyncio. 12.01 sec : Start 4 12.01 sec : Stop 3 15.01 sec : Stop 15 16.01 sec : Stop 4 16.01 sec : Exiting. 20 never finished.
Closing the loopClosing the loop
In the previous example, the coroutine
my_function(20) never finish it's execution. If we add
loop.close() at the end of the previous example to explicitly close the loop, we should have the following output at the end:
Task was destroyed but it is pending! task: <Task pending coro=<my_function() done, defined at example-3.py:11> wait_for=<Future pending cb=[<TaskWakeupMethWrapper object at 0x1068ac4c8>()]>>
This is normal since the Task is not done yet. The following example describes how to gracefully exit an asyncio loop.
import asyncio from concurrent.futures import CancelledError async def my_function(delay): print(f'Start {delay}') try: await asyncio.sleep(delay) except CancelledError: print(f'Cancelled {delay}') return print(f'Stop {delay}') loop = asyncio.get_event_loop() asyncio.ensure_future(my_function(10)) loop.run_until_complete(my_function(1)) for task in asyncio.Task.all_tasks(): print(f'Cancelling {task}') task.cancel() loop.run_until_complete(task) loop.close()
There are two reasons why the command
loop.run_until_complete(task) is executed after the
task.cancel():
- If we don't continue the loop execution, the cancel will never be executed on the Task and we will still have the same warning.
- By making sure we execute the Task, we have the opportunity to catch the
CancelledErrorexception and gracefully clean-up the task.
Wait for the execution of multiple tasks and catch exceptionsWait for the execution of multiple tasks and catch exceptions
If you want to wait for the execution of multiple tasks, you can use the
asyncio.wait coroutine. The
return_when argument must be
FIRST_COMPLETED,
FIRST_EXCEPTION or
ALL_COMPLETED. More details in the documentation.
import asyncio from concurrent.futures import CancelledError async def my_function(delay): print(f'Start {delay}') try: await asyncio.sleep(delay) except CancelledError: print(f'Cancelled {delay}') return print(f'Stop {delay}') loop = asyncio.get_event_loop() task_a = asyncio.ensure_future(my_function(1)) task_b = asyncio.ensure_future(my_function(2)) task_c = asyncio.ensure_future(my_function('a')) done, pending = loop.run_until_complete(asyncio.wait( [task_a, task_b, task_c], return_when=asyncio.ALL_COMPLETED, )) for task in done: if task.exception: try: loop.run_until_complete(task) except Exception as e: print(f'Exception catched: {e}') for task in pending: task.cancel() loop.run_until_complete(task) loop.close()
To catch the Task exception, we need to finish it's execution. The output will be:
Start 1 Start 2 Start a Stop 1 Stop 2 Exception catched: unsupported operand type(s) for +: 'float' and 'str'
ConclusionConclusion
Asynchronous programming with asyncio is not trivial but once you understand how it works, it's a fantastic tool when you have multiple concurrent function that are mostly i/o bound.
It allows you to share the same memory between all the functions with less need for Queues or Locks.
I hope this post is useful. If anything is not clear enough or you find some mistakes, please leave a comment below. | https://www.codementor.io/jflevesque/python-asynchronous-programming-with-asyncio-library-eq93hghoc | CC-MAIN-2018-05 | refinedweb | 1,374 | 52.36 |
I stumbled across a comment by András Kovács on compiler performance, which brought up some of the difficulties writing adequate compilers in lower-level languages such as C++ or Rust.
Here, I'd like to report my experience with my Kempe toy compiler, which is written in Haskell.
I benchmarked compilation of the splitmix pseudorandom number generator:
typedef unsigned long int __uint64_t; typedef __uint64_t uint64_t;
// modified to have ""multiple return"" (destination-passing style) uint64_t next(uint64_t x, uint64_t* y) { uint64_t z = (x += 0x9e3779b97f4a7c15); z = (z ^ (z >> 30)) * 0xbf58476d1ce4e5b9; z = (z ^ (z >> 27)) * 0x94d049bb133111eb; *y = x; return z ^ (z >> 31); }
First, the C compilers (alongside
kc, the Kempe compiler):
benchmarking bench/gcc-8 -fsyntax-only benchmarks/splitmix64.c time 11.16 ms (9.301 ms .. 13.16 ms) 0.796 R² (0.644 R² .. 0.902 R²) mean 11.37 ms (10.04 ms .. 12.50 ms) std dev 3.028 ms (2.518 ms .. 3.741 ms) variance introduced by outliers: 89% (severely inflated)
benchmarking bench/clang-11 -fsyntax-only benchmarks/splitmix64.c time 14.26 ms (14.03 ms .. 14.53 ms) 0.999 R² (0.998 R² .. 1.000 R²) mean 14.34 ms (14.25 ms .. 14.49 ms) std dev 285.7 μs (198.2 μs .. 404.4 μs)
benchmarking bench/kc typecheck examples/splitmix.kmp time 4.915 ms (4.687 ms .. 5.105 ms) 0.964 R² (0.904 R² .. 0.993 R²) mean 4.597 ms (4.321 ms .. 4.721 ms) std dev 537.5 μs (210.8 μs .. 1.013 ms) variance introduced by outliers: 71% (severely inflated)
benchmarking bench/icc -O0 -c benchmarks/splitmix64.c time 24.55 ms (20.47 ms .. 28.48 ms) 0.902 R² (0.786 R² .. 0.968 R²) mean 31.23 ms (28.70 ms .. 35.11 ms) std dev 6.442 ms (4.370 ms .. 10.15 ms) variance introduced by outliers: 75% (severely inflated)
benchmarking bench/gcc-8 -O0 -c benchmarks/splitmix64.c time 20.61 ms (17.52 ms .. 24.59 ms) 0.903 R² (0.833 R² .. 0.970 R²) mean 19.76 ms (18.48 ms .. 21.07 ms) std dev 3.250 ms (2.695 ms .. 4.119 ms) variance introduced by outliers: 70% (severely inflated)
benchmarking bench/clang-11 -O0 -c benchmarks/splitmix64.c time 16.24 ms (16.12 ms .. 16.36 ms) 1.000 R² (0.999 R² .. 1.000 R²) mean 16.25 ms (16.19 ms .. 16.33 ms) std dev 168.8 μs (125.5 μs .. 228.4 μs)
benchmarking bench/kc examples/splitmix.kmp splitmix.o time 9.441 ms (6.886 ms .. 12.19 ms) 0.711 R² (0.521 R² .. 0.884 R²) mean 10.18 ms (8.969 ms .. 11.18 ms) std dev 3.025 ms (2.601 ms .. 3.538 ms) variance introduced by outliers: 93% (severely inflated)
On the frontend, the C compilers are unimpressive. Kempe does not have operator
overloading, but that is not enough to explain why
gcc and
clang take 2-3
times as long.
icc is questionable;
icc -fsyntax-only isn't any faster
than
icc -O0.
On the backend,
kc holds its own: it's clearly faster than
gcc,
icc, and
clang;
the consolation is that the C compilers hopefully produce better
code. In any case it seems plausible that a compiler written in a Haskell could
compete with compilers written in C++.
benchmarking bench/rustc --crate-type=lib --emit=dep-info,metadata benchmarks/splitmix.rs time 77.11 ms (76.79 ms .. 77.53 ms) 1.000 R² (1.000 R² .. 1.000 R²) mean 77.01 ms (76.82 ms .. 77.26 ms) std dev 370.4 μs (236.4 μs .. 540.1 μs)
benchmarking bench/~/.rustup/toolchains/nightly-x86_64-unknown-linux-gnu/bin/rustc --crate-type=lib -Z no-codegen benchmarks/splitmix.rs time 23.78 ms (20.66 ms .. 26.90 ms) 0.914 R² (0.831 R² .. 0.974 R²) mean 23.52 ms (22.12 ms .. 25.99 ms) std dev 4.073 ms (2.490 ms .. 5.833 ms) variance introduced by outliers: 72% (severely inflated)
benchmarking bench/rustc --crate-type=lib benchmarks/splitmix.rs time 80.87 ms (79.95 ms .. 81.43 ms) 1.000 R² (0.999 R² .. 1.000 R²) mean 81.10 ms (80.76 ms .. 82.41 ms) std dev 984.7 μs (249.9 μs .. 1.660 ms)
benchmarking bench/rustc --crate-type=cdylib benchmarks/splitmix.rs time 157.2 ms (156.4 ms .. 158.9 ms) 1.000 R² (1.000 R² .. 1.000 R²) mean 157.6 ms (157.0 ms .. 158.6 ms) std dev 1.229 ms (704.6 μs .. 1.798 ms) variance introduced by outliers: 12% (moderately inflated)
rustc presumably does more work than the C compilers, but we do
see that creating dynamic libraries (
--crate-type=cdylib) takes too long.
Also, for some reason it's impossible to only do typechecking without nightly.
The Kempe toy compiler is around 4000 lines, and depends mainly on the containers library, i.e. off-the-shelf data structures.
There's a lot of low-hanging fruit for compilers written in C++. My hope would be that we see more use of functional languages in the field of compilers, and more demand for performant compilers.
Here is the Kempe source code:
; given a seed, return a random value and the new seed next : Word -- Word Word =: [ 0x9e3779b97f4a7c15u +~ dup dup 30i8 >>~ xoru 0xbf58476d1ce4e5b9u *~ dup 27i8 >>~ xoru 0x94d049bb133111ebu *~ dup 31i8 >>~ xoru ]
%foreign kabi next
and the Rust source code:
#[no_mangle] pub extern "C" fn next(x: u64) -> (u64, u64) { let next_seed = x + 0x9e3779b97f4a7c15; let mut z = next_seed; z = (z ^ (z >> 30)) * 0xbf58476d1ce4e5b9; z = (z ^ (z >> 27)) * 0x94d049bb133111eb; return (z ^ (z >> 31), next_seed); } | http://blog.vmchale.com/article/compiler-performance | CC-MAIN-2021-17 | refinedweb | 967 | 81.7 |
Credentials
command line
The AWS command line tools use the file ~/.aws/credentials to get the access key and secret access key:
[default] aws_access_key_id = AKIAIOSFODNN7EXAMPLE aws_secret_access_key = wJalrXUtnFEMI/K7MDENG/bPxRfiCYEXAMPLEKEY
Running aws configure is a way to create the file. The file has a single profile called "default", but other profiles with different keys can be defined. The profile can be specified using the --profile flag when running a command line tool.
The command line tools also have a --region flag. A default region can be specified in the ~/.aws/config file:
[default] region=us-west-2
Environment variables take precedence over values in the credentials file and config file:
- AWS_ACCESS_KEY_ID
- AWS_SECRET_ACCESS_KEY
- AWS_DEFAULT_REGION
boto 3
Boto 3 checks sources in the following order for access key credentials:
- constructor arguments
- environment variables
- ~/.aws/credentials
- assume role provider
- instance metadata
The above list is actually incomplete. See the docs.
import boto3 s3 = boto3.client(service_name='s3', region_name='us-west-2', aws_access_key_id='AKIAIOSFODNN7EXAMPLE', aws_secret_access_key='wJalrXUtnFEMI/K7MDENG/bPxRfiCYEXAMPLEKEY')
ECS
To give an EC2 instance a name, create a tag with key "Name".
On an ECS instance you can use HTTP to query for the instance metadata:
$ curl $ curl ami-id ami-launch-index ami-manifest-path block-device-mapping/ hostname iam/ instance-action instance-id instance-type local-hostname local-ipv4 mac metrics/ network/ placement/ profile public-keys/ reservation-id security-groups services/ $ curl tech-http-https vpc-http-https tech-ssh vpc-ss
IAM
When an AWS account is created, a root account is created which has access to all services and resources in the account. One signs in to the root account using the email address and password used when creating the AWS account.
Other users, called IAM users, can be created in an AWS account. Credentials can be attached to a user. IAM users belong to zero or more IAM groups, and each IAM group has zero or more policies which define the permissions granted to the users in that group.
IAM roles also have policies. IAM users, AWS services, and applications can assume an IAM role and its privileges.
EBS
Get device name of EBS volume:
$ lsblk
If the this returns "data", then the device must be formatted:
$ sudo file -s /dev/DEVICE
Format the EBS volume as ext4:
$ sudo mkfs -t ext4 /dev/DEVICE
Make a mount point and mount the EBS volume there:
$ sudo mkdir PATH $ sudo mount /dev/DEVICE PATH $ sudo chown -R USER PATH | http://clarkgrubb.com/aws | CC-MAIN-2019-18 | refinedweb | 407 | 51.99 |
This article contains technical information about implementation of different categories of types (Value Types, Reference Types, Delegates, etc) in Microsoft CLR 2.0 (hereafter called as CLR). The concepts that are presented in this article are based on my analysis and study of type behavior in .NET using Son Of Strike (SOS) debugging extensions for VS.NET 2005 and the C# compiler. These concepts are also discussed in different MSDN blogs, MSDN articles and books. However, these forms are often in the context of a broader topic where finer and important points are not easily visible. I created this article to provide a single point of reference for these finer and important points about the inner workings of CLR with regards to types.
This article assumes that the readers have a working knowledge on a different category of types in .NET. Also this article do not discuss how to create and use different category of types, rather it progresses by examining the implementation details of different aspects of a different category of types in CLR. Initially I created this content as a document for my reference, but felt like publishing it as an artcile so that it may of be of some benefit to the .NET community. As such I would be very happy to receive any comments and feedback to improve the content of this article.
In .NET there are two main classifications of types and every type is derived from a Root Reference Type named System.Object (directly or indirectly through another base type).
System.Object
Apart from simple differences on whether the instances of these types are allocated on stack or heap there are core internal design differences in the definition, behavior and instances of these types. Compilers and CLR together creates and maintain differentiation between a Value Type and a Reference Type during compile time and runtime. Understanding how CLR implements these types and how it works with these types will allow developers to design better .NET applications.
Value Types are allocated on stack. This is done to primarily reduce the contention on GC heap for types that simply represent basic data items. The contention could be due to heavy allocations, GC cycles and dynamic memory that need to be requested from the OS. This in turn will make the performance of using Value Types acceptable and efficient. Reference Types are allocated on GC Heap.
The instance of a Value Type contains JUST the values of its fields. Whereas the instance of a Reference Type contains additional baggage to deal with GC, Synchronization, AppDomain identity and Type information. This extra baggage adds 8 bytes to every instance of a Reference Type. The variable referring to an instance of Value Type represents the starting address of the Value Type instance allocated on the stack. The address of a local variable representing a Value Type instance is called a Managed Pointer and is normally used for reference parameters on the stack.
The variable referring to an instance of a Reference Type is called Object Reference and is a pointer to the starting address of Reference Type instance + 4 bytes. The starting address of any Reference Type instance is a 4 byte value called sync block address and points to a location in a process-wide table that contains structures used for synchronizing access to instances of Reference Types. The next 4 bytes contains the address of a memory (AppDomain specific) that contains a structure holding the Method Table of the Reference Type for which the object is instantiated or points to. This Method Table inturn contains a reference to another structure, which holds the Runtime Type Information of the corresponding Reference Type.
Presence of the pointer to the type's Method Table (and inturn the type's RTTI) in their instance is what makes Reference Types self describing types. Programs and CLR can discover information about the type of a Reference Type instance and can be used in several runtime facilities, like type casting, polymorphism, reflection, etc. Value Type instances on the other hand, due to lack of pointer to the type's Method Table in their instance, are simple chunks of memory without any clue to anyone about what that memory is. For this reason Value Types are NOT self describing types.
The figures below show the memory layout of Value Type and Reference Type instances.
Instance of a Value Type is created when it is declared. There is NO default constructor for Value Type. During instantiation, all the fields of a Value Type are initialized to either 0 (Value Type field) or null (Reference Type field). Ideally a Value Type instance fields should be used or accessed after instantiating the Value Type using new operator. But technically it is not required as the fields are already zeroed out by CLR during declaration of the Value Type instance. But languages like C# will NOT allow programs to use or access Value Type instance fields until they are set explicitly to some value or the instance of the Value Type is created using new operator. This behavior is for saving additional constructor calls for simple Value Types that are heavily used in applications. Value Types can have parameter constructors, which can be explicitly called to create an instance of a Value Type. In this case the parameter constructor has to initialize all the fields of its Value Type.
new
Reference Types on the other hand MUST be allocated using new operator and should have a default constructor or parameter constructor. While creating instance of a Reference Type, CLR will first initialize all the fields of the Reference Type and then will call into either default or parameter constructor based on the constructor specified in the new operator.
CLR's Garbage Collector uses the above variables, also called GC roots, to track down the Object References during garbage collection phase. Any Reference Type instance located in GC heap, for which there is no Object Reference in any of the above variable types (except for the FReachable Queue), is considered a candidate for garbage collection and is removed from GC heap. If the Reference Type instance being removed implements the Finalize method, then the Object Reference is put on FReachable Queue for calling the Finalize method by a separate Finalizer thread. Once the Finalizer thread completes Finalize method call on an Object Reference, the corresponding Reference Type instance is removed from the GC heap.
As discussed in the Instantiation section, Value Types cannot and do not have default constructor. They can have parameter constructors and need to be explicitly called using new operator. Constructors either for Value Types or Reference Types are just another instance method of a type. They are implicitly used by compilers to initialize the type fields and do some initialization operations. But compilers do not allow programs to explicitly call constructors on the type variable after it is instantiated. But technically a constructor of a type can be called after it is instantiated (i.e can be called several times in the lifetime of a type instance). This can be done by cheating compilers and writing some IL code. One can disassemble the assembly into IL using ILDASM, modify the IL and include calls to constructor of a type instance and reassemble the assembly using ILASM. However, this is not required and if initialization of the same type instance is required multiple times in its lifetime, then developers can define a public method on the Type that can do the same Job as its constructor.
The difference between a Value Type constructor and Reference Type constructor is that, a Reference Type constructor should always call the default constructor of its base class. This is because the CLR will not do it automatically and it is the responsibility of the Reference Type to do it. This is NOT required for Value Type for obvious reasons because Value Type does not have any default constructor and it cannot act as a base class. For Reference Type, compilers (like C#) automatically insert the calls to base type constructor from within the derived type constructor, while compiling the source to MSIL.
Value Types are derived from a special type named System.ValueType, which inturn is derived from System.Object. Any type derived from System.ValueType is treated as Value Type by CLR. CLR uses this knowledge to work on the type's instances as discussed in the above sections and following sections. Reference Types do not have System.ValueType in their base class hierarchy. In fact, some compilers will not allow any type to derive from System.ValueType directly. Compilers always provide an indirect enforceable way to specify a type as being derived from System.ValueType and enforce certain definition rules on those types. Also based on this enforceable language rule, compilers will generate MSIL code that is appropriate to Value Types. This is required because, while coding at MSIL level (or in ILASM), any type can be derived from System.ValueType and it can even contain default constructor and incorrect MSIL instructions, which should NOT be present (because a default constructor is never called) for a Value Type.
System.ValueType
Value Types cannot be used as base types for other types. Definitely a Value Type cannot be a base class for a Reference Type as the Value Type do not have default constructor, its memory layout is different than that of a Reference Type, etc. But why a Value Type cannot be a base class for another Value Type? The answer lies in the memory layout of the Value Type instances. .NET uses Method Table to achieve runtime polymorphism (virtual method dispatch). Since the instance of a Value Type does not contain Method Table, CLR cannot use it to correctly dispatch the virtual method calls (Method dispatch internals are discussed in the following sections). Due to this .NET cannot provide runtime polymorphism with Value Types. And without runtime polymorphism, inheritance is incomplete from an Object Oriented Design perspective. So all the compilers including ILASM will mark any Type derived from System.ValueType as sealed. And any type that is sealed CANNOT be used as a base and this restriction is enforced by CLR during runtime while loading a type. If CLR finds a type being loaded has a base type that is marked as sealed, it will stop loading the derived type and throws a System.TypeLoadException exception
System.TypeLoadException
System.ValueType overrides the Equals and GetHashCode virtual methods of its base type System.Object. Any type that is derived from System.ValueType that uses Equals for comparison of its instances, need to override these two methods to improve performance. This is because the Equals method uses reflection for comparison of two Value Type instances if it cannot compare the fields of the Value Type instances at bit level. To eliminate reflection and its associated performance penalty during equality comparison of two Value Type instances, it is better for a structure (derived type of a System.ValueType) to override these methods and perform custom equality check and hash code generation.
GetHashCode
Equals
For Reference Type instances, which are directly or indirectly derived from System.Object, the Equals and GetHashCode methods are implemented in System.Object and work based on the Object Reference value, rather than the actual field values of the type instance.
Most commonly these two methods are overridden together so that two instances of the Value Type can be compared equal either using Equals or using GetHashCode. Another reason for considering overriding of ToString, Equals and GetHashCode methods of System.Object for a user defined Value Type (struct) is that, without overriding if these methods are called using Value Type variable, CLR has to box the Value Type instance and then calls the method on the boxed instance of the Value Type.
ToString
Value Type instance is always copied by value into another variable of the same Value Type. This copy could occur while passing a variable of a Value Type as argument to a method parameter expecting the same Value Type. This copy could also occur while assigning (NOT initializing during instantiation) a Value Type variable to another variable of the same Value Type. A Value Type may contain fields that are all primitive (cannot be broken down further) data types, Value Types and/or Reference Types. If a field is a primitive type or Value Type its value is copied as it is. If a field is a Reference Type the Object Reference present in the field is copied over to the corresponding field of target Value Type instance
The 'this' pointer available to the instance methods of a Value Type points to the address of the first instance field of the type's instance memory. So if an instance field is accessed within an instance method, it would be accessed directly from the address pointed to by the 'this' pointer + the offset of the field as layed out by the CLR. This field offset is determined by the CLR during loading of the type and is used for all the instances of the type through the lifetime of the AppDomain.
The 'this' pointer available to the instance methods of a Reference Type points to the address of the Method Table information block of the type's instance memory. So if an instance field is accessed within an instance method, it would be accessed from the address pointed to by the 'this' pointer + 4 bytes + the offset of the field as layed out by the CLR. Adding a value of 4 brings the pointer to the first instance field of the instance. This field offset is determined by the CLR during loading of the type and is used for all the instances of the type through the lifetime of the AppDomain
A Value Type instance on stack without any Method Table is called unboxed value of the Value Type instance. If this value has to be assigned to a System.Object variable, then we need an instance of the Value Type in memory that has Method Table in its memory layout. This is required because System.Object is a Reference Type with Virtual methods (Equals, GetHashCode and ToString). So any calls to those methods require a valid non-null Object Reference. But just hang on. Let us say that a program overrides the GetHashCode method and creates its custom one using the field data of the Value Type. Now within the GetHashCode override method if any type's fields are used they are accessed using the starting address of the 'this' pointer. But if we do boxing and create an Object Reference for the Value Type instance and call GetHashCode method using that, then the starting address of the Object Reference, which is the starting address of the Method Table is passed as this pointer into the overridden method. This will cause problems during method execution as the method is expecting its field value instead of Method Table. To avoid this when a Value Type instance is boxed CLR makes sure that the virtual methods called on the System.Object variable will have the starting address of the first field item in the type instance. To this effect CLR takes care of passing correct starting address, either Object Reference or Managed Pointer, based on the type instance, which is either direct Value Type instance, boxed Value Type instance or direct Reference Type instance.
Boxing involves creating an Object Reference pointing to the heap based memory location, created to hold the Value Type data (fields), copying the data from the Value Type instance to the field portion of the type's instance. Unboxing involves creating a stack based instance of the type and copying the field data from the Object Reference to it. Unboxing happens when a System.Object variable is type casted to a Value Type instance
Non Virtual instance methods dispatched in both Value Types and Reference Types are the same. It is done using the call IL instruction, which requires that the type's instance pointer, 'this' pointer, be available on the stack as first method argument, before any other arguments of the method. The JIT while compiling the method's call site will burn the address of the method body (code) present in the instance method slot, into the machine code. This method address is taken from the type's Method Table structure.
As discussed in Memory Layout section, the Object Reference points to a 4 byte address at the starting of the type instance, which contains the address of type's Method Table. The Method Table contains the following information apart from other information.
CLR does not check the validity of the instance pointer while making non virtual instance method calls. So practically it is possible to call an instance method using a type variable that is not yet instantiated or a type variable having null Object Reference (you can try this by modifying IL of an assembly). But remember if the method being called using a null Object Reference contains access to the type's fields or calls to other methods that access type's fields then a System.NullReference exception will be thrown by CLR while executing such instructions within the method. This is because CLR checks for the validity of the Object Reference while accessing instance fields. This is again because fields are present in the memory location allocated for the type's instance, and for a null instance, no memory is allocated.
System.NullReference
Allowing method calls on null Object References is considered dangerous and unpredictable. For this reason many .NET compilers like C# will emit callvirt IL instruction even while calling non virtual instance methods. Callvirt IL instruction will instruct CLR to generate machine code that first checks for the validity of the Object Reference. If the Object Reference is null, the generated machine code will raise an exception, else the method is called. Remember, using callvirt by C# for even non virtual method calls will NOT have performance penalty. This is because callvirt on a non virtual instance method has only one additional instruction of comparing the Object Reference with null apart from an instruction that directly jumps to the method address for method execution. In case of callvirt being used on virtual instance methods, there are additional instructions trying to figure out the method address based on the type that is actually pointed to by the Object Reference. Virtual method dispatch is discussed in detail in the next section
CLR coverts the call IL instruction into the following machine code (Psuedocode)
Shown below are the close equivalent of IA32 instructions for the above psuedocode.
mov ecx, esi ; assuming esi has Object Reference
call dword ptr ds:[567889h] ; call into the address where method code
resides
Virtual methods can only be instance methods. This is because the virtual method dispatch mechanism is used to call a method based on the type of the object pointed to by the variable, instead of the type of the variable itself. Since we need the object of a type, it makes sense to have virtual method dispatch mechanism on instance methods.
In case of Value Types, virtual methods dispatch (call) similar in behavior to non virtual instance methods. This is because Value Types cannot be inherited and as such there is no need (enforced by CLR) and no way (enforced by compilers like C#) to define polymorphic behavior (virtual methods) on Value Types. So, languages like C# do not allow Value Types (struct) to define virtual methods. Also callvirt IL instruction is not required while calling methods on Value Types, because instance memory is created and initialized for the Value Type variable at the declaration instruction itself. So there is no point of checking the Value Type variable for null before calling methods using it. But MSIL allows a method definition to be virtual and be called using callvirt IL instruction. But nevertheless CLR, while generating the machine code, will optimize it to a regular instance method call.
The virtual dispatch mechanism is applicable to a Value Type only when the virtual methods from System.Object type are called using the Value Type variable. In this case if a System.Object method which is NOT overriden in Value Type is called, CLR will box the Value Type instance before calling the method. If a System.Object method is overriden in a Value Type and is called using the Value Type variable, then CLR calls the method directly without any boxing and virtual dispatch. This difference in behavior during runtime is achieved by CLR using an IL instruction named constrained <Type Token>. The constrained IL instruction checks if the type represented by the token is a Value Type. If it is a Value Type and if the Value Type implements the method being called by following callvirt IL instruction, then it simply emits a direct call instruction to the method. If the Value Type does not implement the method being called by following callvirt IL instruction, then it will box the Value Type instance and emits a virtual call to the method.
In case of Reference Types virtual methods are dispatched based on the corresponding virtual method address present in the Method Table of the target object pointed to by the type variable.
CLR converts callvirt IL instruction into following machine code (Psuedocode) for virtual
call dword ptr [eax + 40h] ; call into address where method code resides
Remember the memory layout of the Method Table structure from section Non Virtual Instance Method Dispatch. The method slots where the inherited virtual method addresses are stored are NOT duplicated if the virtual methods are overridden by the derived types. Instead if a virtual method is overridden in the derived class, its slot in the top most parent type is replaced by the address of the corresponding virtual method overridden in the bottom most derived type. This technique allows CLR to maintain the same offset for a method in the Method Table structure based on the method token.
CLR converts callvirt IL instruction into following machine code (Psuedocode) for non virtual instance
call dword ptr ds:[567889h] ; call into the address where method code resides
Interface based method dispatch happens when a method is called on a type instance using a variable of an interface type, where the interface is implemented by the type. Since any type can implement multiple interfaces in any order, the Method Table of a type instance is required while calling methods on it using a variable of one of the interfaces that the type implements. Since a Value Type instance does not have Method Table, it has to be first boxed before assigning it to an interface variable, so that any calls on the interface variable can use the Method Table of the Value Type from the boxed instance (Object Reference).
Once boxed, interface-based method dispatch on a boxed Value Type instance and a reference Type instance is same. callvirt IL instruction is used to dispatch interface method calls. CLR converts callvirt IL instruction into following machine code (Psuedocode).
mov eax, dword ptr [eax + 0ch] ; move the address of starting IOT slot for
this type into eax
... ; find the offset (02h) of the interface
starting from eax
mov eax, dword ptr [eax + 02h] ; move the address of IMT starting slot for
the interface into eax
call dword ptr [eax + 3h] ; call into address where method code resides
JIT does some optimizations for interface based dispatch. If the same type is being used for method dispatch at a given call site, JIT can identify it and optimize the above 8 steps to just a direct jump to the method address. But this involves overhead of maintaining a call counter, checking for specific number of calls, storing the current type's Method Table address, storing the current type's method address, comparing the current type's Method Table address with incoming type's Method Table address, etc. CLR 2.0 uses this technique to dramatically improve the performance of interface based method calls. But this may also have severe performance penalty in case the call site is being provided with different type instances very frequently.
Delegate is a special kind of Reference Type. Each delegate represents a UDT (class). The signature of the Invoke method of a delegate UDT type should match the signature of the method that the delegate is used to call. The bodies of the Invoke method of a delegate UDT including its asynchronous version BeginInvoke method are generated at runtime by CLR during instantiation of the delegate UDT. Delegate UDT constructor takes two parameters, the target object and the address of the target method (address where the method code resides) to invoke on the target object. Target object could be null in which case the method is considered static and is invoked based on the type of the target object variable. Target object can be a Reference Type instance or a Value Type instance. In case of Value Type instance, it needs to be boxed before passing it on to the delegate instance.
BeginInvoke
But in Managed world how can we get the address of the target method? MSIL has two opcodes to load the address of a type's method onto the stack. These are ldvirtftn and ldftn. ldftn will load the method address on to the stack from a method token. The type of a method can be retrieved from a method token, which CLR uses to lookup the Method Table of the type and will get the address of the method from the Method Table of the type's Method Table. ldvirtftn is used to load the address of a virtual method. ldvirtftn requires an Object Reference on the stack, which it uses to get the Method Table and then figure out the method address based on the method toke. Compilers (like C#) uses one of these two IL instructions when a method name is specified as argument to a delegate UDT constructor, based on whether the method is a virtual, non virtual or static method. This process of retrieving and storing the method address within a delegate instance is called delegate binding. This is the costly operation in the whole process of executing a method using a delegate instance. Once a method is bound to a delegate instance, CLR writes up the Invoke method body, which is very efficient and has following machine code (Psuedocode) instructions.
mov ecx, [ecx + 0ch]
; ecx contains the delegate instance address and 12 bytes within the
delegate instance contains target Object Reference
call dword ptr ds:[567889h] ; call into the address where method
code resides
Also, Invoke method of a Delegate type created by CLR at runtime uses jmp IL instruction to jump to the target method. jmp instruction simply jumps from the current method to the destination method without clearing up the stack. So the arguments passed at call site are available to the method being jumped to. The return address on the stack would be the return address of the original caller of the Invoke method. So when target method completes, it directly returns to the caller by passing the Invoke method. So once bound, performance of a delegate based method dispatch almost equals the performance of a virtual method call.
Invoke
Delegate instances can be combined together to form a chain, where the last added instance will at the head of the chain. When the delegate instance at the head of a delegate chain is invoked, it passes on the invocation to next delegate instance in the chain. This passing continues until there is no next delegate instance. The delegate based method call starts at this final delegate instance (the one that is added first to the chain and is last in the chain) and comes back until the head of the delegate instance calls the method it wraps.
While executing a delegate chain the return value and the output parameters values will be ones that are set by the last delegate handler added to the chain (And first delegate in the chain, the head of the chain).
Enumeration is a special category of Value Type. Each Enumeration type contains a single instance field to hold the value of the enumeration and is of the same data type as that of the enumeration (By default, System.Int32 in C#). Each Enumeration also should contain one or more static literal values representing the named data constants exposed by the Enumeration type. CLR allows explicit conversion between the named data constants of an Enumeration type and the underlying data type of the Enumeration. So, if an Enumeration is of type System.Int32, then one of the named data constants of the Enumeration Type can be assigned to a variable type System.Int32 using type casting and vice versa. The vice versa business is a dangerous one and need to be used judiciously. This is because, CLR does not throw any exception if an integer value that does not belong to one of the data constants exposed by the Enumeration type is assigned to a Enumeration variable using explicit type casting. Rather it simply assigns it to the internal instance member of the Enumeration instance. After this casting, the Enumeration instance contains invalid value, which is only a logical error that may cause unpredictable results in the program.
System.Int32
The named data constants used by Enumeration types, when assigned to a variable or used in expressions (like switch case) are directly replaced by the compilers with the actual constant value during compile time. This is because MSIL and thus CLR have no mechanism to load a constant/default values for a field during runtime. All the constant values are stored in metadata against the corresponding field. Compilers use this value stored in metadata and replace the name of the constant with the actual value during compilation. This has an interesting side effect if you are shipping assemblies with modified enumeration data constants and the client application is run without recompiling against the modified assembly. In such cases client application will have a value of X, hard coded in its code for a named enumeration data constant, where as the same value X may mean a different named data constant in the modified assembly. This will lead to unpredictable behavior of the programs.
Arrays are special category of Reference Type. For each distinct array of Value Type (including primitive types like int, byte, etc) defined in a program, CLR creates and maintains a Reference Type at runtime, which will be derived from System.Array Reference Type. This synthesized array type has a constructor that takes the size of the array as argument for single dimensional array or jagged array and dimension sizes for multidimensional array. This constructor is exposed in different ways to the programs by .NET programming languages. For instance C# exposes this constructor using typical C/C++ array index syntax, int[] i = new int[10];. For all arrays of Reference Types CLR creates and maintains a single Reference Type named System.Object[] at runtime, which will be derived from System.Array. This is because all the elements of a Reference Type array just hold the Object Reference, which is of same size and have same internal memory representation.
int[] i = new int[10];
System.Object[]
System.Array
Single dimensional and jagged array elements are directly accessed or modified from the memory location of the instance of the runtime array type based on their index. For this CLR provides a special IL instruction named ldelem and stelem, which retrieves and modifies an array element based on its index and the array Object Reference available on the stack. Whereas the multidimensional array elements are accessed or modified using method calls on the synthesized runtime type of the array type. This makes jagged arrays much faster than the multidimensional arrays and is recommended way of using arrays in case multiple dimensions are required. Jagged arrays are CLS compliant and are mistakenly documented as NOT CLS compliant. This fact is acknowledged in MSDN2.
A Generic type can be a open type where some or all of the Type Parameters are not yet replaced with a non-generic type or closed generic type. A Generic type can be a closed type where all of its Type Parameters are replaced with non-generic types or closed generic types. Only closded Generics types can be instantiated. The reason is obvious because there would be methods called on the type parameter variables within the methods of the Generic type. So without knowing the type of the variable CLR cannot instantiate a type for the variable. For each closed Generic Type that is supplied with a Value Type for a Type Parameter, CLR creates a new type during runtime and uses it for instantiations and other purposes. For all closed Generic Types of a given Generic Type that is supplied with a Reference Type, CLR creates one type where the Type Parameter for which a Reference Type is supplied, is replaced with a special type named System.__Canon. Let this type be named as Generic<T.System.__Canon>.
For each closed Generic Type of a given Generic Type, with a distinct Reference Type Parameter, CLR creates a distinct type with Type Parameter replaced with the supplied Reference Type. This Reference Type will be a dummy type to serve the type safety during passing around. This type's EEClass contains pointer to the EEClass structure of the type Generic<T.System.__Canon> CLR dispatches any method calls on the closed Generic Type instance using the Method Table of the Generic<T.System.__Canon> type. BTW, EEClass is a companion structure to Method Table and is created by CLR for each loaded type in the AppDomain. EEClass has all the type information for a given type. Method Table has a pointer to the EEClass.
EEClass
public class DisplayClass : IDisplay
{
public void Display()
{
Console.WriteLine("From DisplayClass");
}
}
public struct DisplayStruct : IDisplay
{
public void Display()
{
Console.WriteLine("From DisplayStruct");
}
}
public class Test<T> where T : IDisplay
{
public T _field;
public void Show(T temp)
{
temp.Display();
}
}
public static void Main(string[] args)
{
// Reference Type as Type Parameter
//
Test<DisplayClass> objTestClass = new Test<DisplayClass>;
objTest.Show(new DisplayClass());
// Value Type as Type Parameter
//
Test<DisplayStruct> objTestStruct = new Test<DisplayStruct>;
objTestStrucr.Show(new DisplayStruct());
}
When the above code is compiled using a C# compiler, it creates a type named Test`1<(Test.IDisplay) T), which acts as placeholder for the types that CLR would be creating during runtime. During runtime CLR will create a type named Test.Test`1[[Test.DisplayClass, ConsoleApplication5]] for the closed Generic Type Test<DisplayClass>. The prefix Test. is the namespace name and the name ConsoleApplication5 is the assembly name. This type is a empty type without any methods. All the methods that are defined in the open Generic Type Test<T> are defined in a class named Test.Test`1[[System.__Canon, mscorlib]].
When the method Show is called on the variable objTestClass as shown in the above code snippet, CLR at runtime will call into the Show method defined by the type Test.Test`1[[System.__Canon, mscorlib]]. This design on having all the method definitions of a closed Generic Type whose Type Parameter is a Reference Type, in a single type, will reduce code bloat. This design works because all the method calls on any Type Parameter variable inside a Generic Type is only through known interfaces or base class. So CLR need not re-write the method IL for each Reference Type provided as parameter. Also any arguments to methods or return values involving Type Parameters would all be Object References, which are memory layout wise and copy smeantics wise same for any Reference Type Parameter.
Show
objTestClass
Whereas for the closed Generic Type Test<DisplayStruct> CLR creates a non-empty type named Test.Test`1[[Test.DisplayStruct, ConsoleApplication5]]. This type has the all the methods as defined in the open Generic Type Test<T>. Though method call behavior on the Type Parameters is same for Value Type Parameter and Reference Type Parameter, the copy semnatics and memory layout are different. So if a method in open Generic Type, Test<T>, is returning a Type Parameter variable then the method should return the exact Value Type instance. For this reason it is not possible to have a common base class for all closed Generic Types constructed from a open Generic Type, whose Type Parameter is a Value Type.
There could be scenario where a open Generic Type has multiple Type Parameters and the program creates closed Generic Types with mix of Reference Types and Value Types for the Type Parameters. In this case, CLR creates one base type for a set of closed Generic Types with same combination of Value Types and any combination of Reference Types for Type Parameters.
When the method Show calls the method Display using the Type Parameter variable (temp.Display() as shown in the above code snippet), C# emits a callvirt on the approriate interface method, callvirt instance void Test.IDisplay::Display() (or a callvirt on the base class method if the Type Parameter is provided with a base class constraint). The callvirt IL instruction emitted by C# is preceded with constrained IL instruction also. This is because C# does not know the type of the Type Parameter during compile time. constrained IL instruction will allow CLR to check the type of the Type Parameter variable at runtime and if it is a Reference Type, a virtual dispatch to the method is done. If the typeof the Type Parameter variable is a Value Type, the call is dispatched as explained in the Virtual Method Dispatch (Method Call) section.
Display
temp.Display()
callvirt instance void Test.IDisplay::Display()
Though the type of the Type Parameter is known during runtime CLR does not modify the IL of the method. This makes sense when a Type Parameter is a Reference Type because all the closed Generic Types with any Reference Type share the same method code for a method of the open Generic Type. But when a closed Generic Type is constructed using just Value Types, even then CLR doe not modify the IL of the closed Generic Type method to make NON-constrianed calls. This is one of the questions for which I do not have answer yet.
CLR handles the Generic Value Types similar to that of the Generic Reference Types, like using System.__Canon type, using constrained virtual method calls, etc.
This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.
A list of licenses authors might use can be found here. | http://www.codeproject.com/Articles/20481/NET-Type-Internals-From-a-Microsoft-CLR-Perspecti?fid=459323&df=10000&mpp=25&noise=3&prof=True&sort=Position&view=None&spc=None&select=2548907&fr=8 | CC-MAIN-2014-35 | refinedweb | 6,491 | 59.33 |
Practical Guide: Build and Deploy a Machine Learning Web App
Want to share your content on python-bloggers? click here.
This is a guide for a simple pipeline of a machine learning project. For this course, our target is to create a web app that will take as input a CSV file of flower attributes (sepal length/width and petal length/width) and returns a CSV file with the predictions (Setosa Versicolour Virginica). As you may already know, we will use the legendary Iris Dataset
The pipeline has 4 steps.
1. Create a new environment and install dependencies
I know that you want to skip this step but don’t. This will organise your packages and you will know exactly the packages you need to run your code incase we want to share it to someone else. Trust me, this is crucial. You don’t want your client to tell you “this is not running”. Also having our project in an enviroment will help us create the requirements file that we will need later very easily .
conda create -n iris_project #activate your project conda activate iris_project
Install Dependecies
pip install pandas pip install -U scikit-learn pip install Flask pip install gunicorn
Hack: If you are working with Jupyter you can install libraries directly from it by adding ‘!’ before every command inside a Jupyter cell.
2. Train and Save your ML model
Now the fun stuff. Create your model and save it in a file using pickle. For the sake of this post, we will create a logistic regression model using the Iris Dataset.
from sklearn import datasets from sklearn.linear_model import LogisticRegression import pandas as pd iris = datasets.load_iris() features=pd.DataFrame(iris['data']) target=iris['target'] model=LogisticRegression(max_iter=1000) model.fit(features,target)
Save the model using Pickle
import pickle pickle.dump(model, open('model_iris', 'wb'))
3. Create the web App using Flask
Flask is one of the most useful technical skills you need to have as a Data Scientist. However, you don’t need to know everything about it. Just use blocks of codes as mockups for your project.
Let’s do some preparation. Create at your project directory a folder called templates and a folder called static. Inside the static folder create a folder named files. Next, create two .py files, the main.py, and iris_model.py. In the main.py will be our flask code and in the iris_model.py will be our model.
You can have this as a template and change it a bit to your needs. This is the way I personaly work.
main.py
from flask import Flask, render_template, request, redirect, url_for, send_file import os #we are importing the function that makes predictions. from iris_model import predict_iris import pandas as pd app = Flask(__name__) app.config["DEBUG"] = True #we are setting the name of our html file that we added in the templates folder @app.route('/') def index(): return render_template('index.html') #this is how we are getting the file that the user uploads. #then we are setting the path that we want to save it so we can use it later for predictions @app.route("/", methods=['POST']) def uploadFiles(): uploaded_file = request.files['file'] if uploaded_file.filename != '': file_path = ( "static/files/file.csv") uploaded_file.save(file_path) return redirect(url_for('downloadFile')) #now we are reading the file, make predictions with our model and save the predictions. #then we are sending the CSV with the predictions to the user as attachement @app.route('/download') def downloadFile (): path = "static/files/file.csv" predictions=predict_iris(pd.read_csv(path)) predictions.to_csv('static/files/predictions.csv',index=False) return send_file("static/files/predictions.csv", as_attachment=True) #here we are setting the port. if (__name__ == "__main__"): app.run(debug=True,host='0.0.0.0', port=9010)
In this file we have our function that takes as input a dataframe with the features and outputs the predictions.
iris_model.py
from sklearn.linear_model import LogisticRegression import pandas as pd import pickle #we are loading the model using pickle model = pickle.load(open('model_iris', 'rb')) def predict_iris(df): predictions=model.predict(df) df['predictions']=predictions return(df)
In the templates folder create an index.html file with the following code inside. Again, no need to understand everything in this html, you can change the title and the heading or you can experiment with it more if you are familiar with HTML.
<!doctype html> <html> <head> <title>Iris Prediction</title> </head> <body> <h1>Upload your CSV file</h1> <form method="POST" action="" enctype="multipart/form-data"> <p><input type="file" name="file"></p> <p><input type="submit" value="Submit"></p> </form> </body> </html>
Run the Web App locally
Now if you run the main.py in your terminal the app should start. Hit in your browser and you will have access to our app.
This is a very simple UI but we don’t need anything fancy. If you upload a sample file having the features of iris you will get the predictions.
Our web app is ready! Now we need somehow to deploy it so we can share it to the world. We will show you how to do it for free using Heroku.
Final Step: Deploy the Web App
Most of us don’t know how to move on from local to the live site and the word deployment may cause us to fear. Is this complex? Is this expensive? Well, no and no. We will show you how to do it very easily for free! There is a website called Heroku that offers you 5 free web app deployments. If you want a simpler but paid solution you can follow this guide using digital ocean.
Before we move on you need to create an account at Heroku and follow their instructions to install Heroku CLI to your machine. Also, be sure you have installed Git.
One critical step before we deploy our application is to create the requirements.txt file that contains the dependencies of our app. Luckily using Conda environments this is very easy to be done. Just run the following:
pip freeze > requirements.txt
Also we need to create a new file called Procfile that contains the command for our app to start. In our case we will use gunicorn so inside the file add the following
web: gunicorn main:app
Next, go to your dashboard in Heroku and create a new app. The screen below will appear and you have to put the App name and the region.
After creating the app, go to your terminal and run the following to login to Heroku.
heroku login
Then, go to your project directory and run:
git init #here you need to put the name of your app in heroku heroku git:remote -a iris-project-predictive-hacks git add . git commit -m first_commit git push heroku master
That was it! Your app is ready. It will give you a url like this. Not so bad right?
This is a very simple way to do it. However, you can even deliver this app to a client as it is very functional and you don’t need anything more complex than this. The next step is to scale our application using e better sever for production or/and even use Docker.
Want to share your content on python-bloggers? click here. | https://python-bloggers.com/2021/01/practical-guide-build-and-deploy-a-machine-learning-web-app/ | CC-MAIN-2021-10 | refinedweb | 1,223 | 67.25 |
12-19-2011 03:54 AM
hi ,
i am trying to list all the zip files , and zip file parts in a folder .
the contents of the folder are ,
1)one.txt
2)two.zip
3)tree.zip.part
4)four.zip.part
but when i use fc.list()
then it is only taking the text file not the zip file, or the zip parts plss , help me how to list the zip files n zip parts .
Solved! Go to Solution.
12-19-2011 04:33 AM
Hi @deepthikodukula
Try:
fc.list("*", true);
E.
12-19-2011 04:53 AM
There is no built-in support for zip archives in BlackBerry. If you want to look at the contents of a zip archive, you will have to write code to read it yourself. it is not that hard, the Zip archive format is well documented.
Alternatively, you can look at ZipME, which does this, Having said that, I have had problems extracting file using ZipME, though they were probably my own fault. But it read the Zip archive OK.
12-22-2011 06:59 AM
Hi ,
i will explain in detail .
1) I have a folder Flights
2) In the folder flights there are 2 zip files
a)Flights1.zip
b)Flights2.zip
And there are 41 zip parts
a)Flights.zip.part1
b)Flights.zip.part2
and so on till Flights.zip.part41
when i actually want to read all the files in the folder using command
fileEnum = fileConn.list("*.zip",true);
it is list only the 2 zip files .
So now i have created the parts with names Flights.zip1 , Flights.zip2 ................till Flights.zip41
Still it is reading only 2 zip file s
Flights1.zip and Flights2.zip But not the part files.
So plss help me with an idea or a code snippet as to how to list the files in the folder.
12-22-2011 07:22 AM
12-22-2011 11:59 PM
Thank You maadani , it helped now it is reading the parts . Thank you very much . But when i am adding this data into a vector , it reads the data in a very weird way. it reads
First Flights.zip.part1
then flights.zip.part10, then 11 , so on till part 19
then it reads flights.zip.part2 after that it reads flights.zip.part21 tilll part29
then reads flights.zip.part3 and then from 31 to 39 ,
last parts , 4 ,5 ,6 , 7, 8, 9,
can u tell me how to make them read in or der , or atleast how to sort them properly and add them to the vector
or should i sort the vector.
Plss do not mind me i am new to the whole thing
12-23-2011 06:03 AM
can plss anybody help me how to write a simplesorting vector in this example . i am very confused
i want to use a simplesorting Vector in place of a vector .i need to sort all the names in the vector so that i can read each and every name
so wat i am doing initially i am giving fc.list and adding all the names of the files in a vector fileNames .
BUt i have read that to apply simpleSortingVector we need to apply the comparator in the begining .
i have written a comparator class but that class from which it is getting data for compare is set after the reading of the vector with the vector data itself.
i mean i have to compare the files names which will be in the vector after it is read then that vecctor i am changing to an array and then that data i initializing to the bean class
i know i have hotch pochted the whole code .I am attaching a sippet of the code plsss correct where i am wrong or suggest me something else where i can compare the file names in the vector , sort them in proper order and retrieve them .
public void readDataFrmZip()
{
Enumeration fileEnum;
String _currentFile;
DataOutputStream dout = null;
FileConnection fileConn=null,fConn=null;
FileConnection file = null;
SimpleSortingVector filesVector= new SimpleSortingVector();
filesVector.setSortComparator(new FileNameComparator());
filesVector.setSort(true);
String path = "" ;
String extensions = "*.zip.part";
try
{
fConn = (FileConnection)Connector.open("
fileConn = (FileConnection)Connector.open("
if (!fConn.exists())
{
fConn.create(); // create the file if it doesn't exist
}
OutputStream out = fConn.openDataOutputStream();
if (path == null)
{
//Read the file system roots.
fileEnum = FileSystemRegistry.listRoots();
while (fileEnum.hasMoreElements())
{
filesVector.addElement((Object)fileEnum.nextElemen
}
}else{
fileEnum = fileConn.list("*.part*", true); // list of all files in folder flights
while(fileEnum.hasMoreElements())
{
if (extensions == null)
{
filesVector.addElement((Object)fileEnum.nextElemen
}else
{
_currentFile = ((String)fileEnum.nextElement());
filesVector.addElement((Object)_currentFile); //this is where i am adding all the file names to the vector
}
}
}
filesVector.reSort();
int size= filesVector.size();
String temp;
flightsVector = filesVector;
FileName filecomp[] = new FileName[size];
String fileNames[] = new String[size];
filesVector.copyInto(fileNames);
for(int i=0;i<=size;i++)
{
temp = fileNames[i];
filecomp[i] = new FileName();
filecomp[i].setName(temp);
}
for(int i =0;i<=size;i++)
{
System.out.println("***********************"+fileN
}
for(int i=0;i<=size;i++)
{
i++;
System.out.println("/////////////"+fileNames[i]);
String flight = "Flights_20111202.zip.part";
String path1 ="Flights_20111202.zip.part" +i ;
System.out.println("+++++++++++++"+path1);
file = (FileConnection)Connector.open("
InputStream in = file.openDataInputStream();
int count=0;
byte [] data =new byte[1048576];//IOUtilities.streamToBytes(in);
while ((count = in.read(data)) != -1)
{
out.write(data,0,count);
System.out.println("########## " + i + " = " + count);
}
in.close();
file.close();
}
out.flush();
out.close();
}catch (IOException e) {
System.out.println("Exc in readDataFrmZip: "+e);
e.printStackTrace();
}finally{
try {
fConn.close();
fileConn.close();
} catch (IOException e) {
// TODO Auto-generated catch blockF
e.printStackTrace();
}
}
}
The above given was the method.
Now the comparator class
public class FileNameComparator implements Comparator {
public int compare(Object o1, Object o2) {
FileName emp1 =new FileName();
FileName emp2= new FileName();
String file1Name = ((FileName)emp1).getName();
String file2Name = ((FileName)emp2).getName();
//uses compareTo method of String class to compare names of the employee
return file1Name.compareTo(file2Name);
// return 0;
}
}
the classfrom which this comparator cass gets the data to compare that class is as follows:
public class FileName {
private String name;
public void setName(String name){
this.name=name;
}
public String getName(){
return this.name;
}
}
plss help me how should i sove my this problem .plssss help meee plsss
12-23-2011 06:53 AM
Hi,
You can use the SimpleSortingVector APi:
Just implement your comparator and add your objects to the vector.
E.
12-24-2011 07:13 AM
Sorry, just realize you are already using the SimpleSortingVector...
You should build your comparator to compare the file names by the part ids and then you can use it when initiating the Vector.
In the vector, just hold the names of the files (Strings).
One last thing, the comparing is done according to dictionary order, so comparing strings won't do the trick.
Extract the substring that contains the part number and compare the integers.
Try this code:
public class FileNameComparator implements Comparator { public int compare(Object o1, Object o2) { String file1Name = ((String)o1); String file2Name = ((String)o2);
int part1 = Integer.parseInt(file1Name.subString(file1Name.las
tIndexOf(".part") + ".part".length()));tIndexOf(".part") + ".part".length()));
int part2 = Integer.parseInt(file2Name.subString(file2Name.las
tIndexOf(".part") + ".part".length()));tIndexOf(".part") + ".part".length()));
return part1-part2; } }
And in your vector, hold only the relevant file names.
Please note that my code was not tested, so you would probably need to add exception handling, test the for the correct index in the string, etc', etc'...
Hope that helps,
E.
01-01-2012 10:50 PM
hi ,
Firstly Wishing all of you a very Happy And prosperous New Year !!!!!!!
Hi Maadani ,
i would like to add a new req actually , i have to read the files not from one folder , i have to read it from the server after making an ftp call ,the actual requirement is
1) Make an FTp call to the server
2) in the server address there is a folder by name Flights
3)In that folder there are many part files of one big file flight.zip for eg , flight.zip.part1, part2 and so on .So all these part files are present in that one folder Flight ,on the server side .
4)Get the total no of files from the foledr on the server .
5)then read each of the zip part file
6)then download and write it to the local disk
7)after we reach the end of the files of the folder in the server , and write them on to the local disk
, 8)Then club all the part files into one big zip file
.the clubbing of all part files to one zip file is complete , but how to dynamically read the no of files on a folder on the server side , plss help me with that plsss ...... | http://supportforums.blackberry.com/t5/Java-Development/listing-zip-files-in-a-folder/td-p/1465333 | crawl-003 | refinedweb | 1,475 | 66.64 |
Please do not reply directly to this email. All additional comments should be made in the comments box of this bug report. Summary: Review Request: ctapi-cyberjack bugzilla redhat com changed: What |Removed |Added ---------------------------------------------------------------------------- QAContact|fedora-extras- |fedora-package- |list redhat com |review redhat com ------- Additional Comments From j w r degoede hhs nl 2006-04-26 11:08 EST ------- Frank, Please: -use "pkg-config libpcsclite --variable=usbdropdir" to get the location for dropping the PCSC-lite driver -add executable permission to all .so files .so files should always be 755 More even more improtant: -don't install the lib under the to generic name libctapi.so, this is asking for conflicts with other packages. Instead name it something like libctapi-cyberjack.so.0 (watch the versioning!) and put the ctapi lib part in plain %{_libdir} not the PSCS-lite readers dir, since its generic. -don't install ctapi.h (where is ctbcs.h?) in /usr/include, but put it in /usr/include/ctapi-cyberjack. -create a pkgconfig-file which can be used to get the correct CFLAGS and LDFLAGS to link against the cyberjack ctapi. Alternativly come up with some other scheme to allow multiple libctapi's to co-exist, I think you / we should be able to come up with something better, just taking the libctapi.so and ctapi.h names in the global namespace is unacceptable since for example the towitoko drivers provide the same. Once this is done I would mind sponsering you and doing a full review of this package, but this problem has to be tackled first. -- Configure bugmail: ------- You are receiving this mail because: ------- You are the QA contact for the bug, or are watching the QA contact. | https://www.redhat.com/archives/fedora-package-review/2006-April/msg01035.html | CC-MAIN-2016-50 | refinedweb | 285 | 64.61 |
[Christian Hudon on how overriden methods doesn't work during the
contructor]
?
Yes, I know about it. Now you known about it too <wink>.
>Is there a way to fix this??
There are still no solution in sight.
regards,
finn
I am happy to announce the second beta release of Jython 2.0. is started by running the installer class. Further
information and tips on installation is available at:
Jython 2.0 is feature compatible with Python 2.0 and among the
new features are:
- Augmented assignment, e.g. x += 1
- List comprehensions, e.g. [x**2 for x in range(10)]
- Extended import statement, e.g. import Module as Name
- Extended print statement, e.g. print >> file, "Hello"
The changes from beta 1 include:.
A complete list of changes and differences are available here:
Bugs can be reported to the bug manager on SourceForge:
Cheers,
the jython-developers
Hi,
we have a Java library that uses the following construct over and over:
public class Superclass {
private Foo m_foo; // where Foo is some kind of class.
public Superclass() {
m_foo = createFoo();
}
protected Foo createFoo() {
return new Foo(); // Return some default foo...
}
}
// To configure Superclass differently, derive from it and override
// its create* methods.
public class Subclass extends Superclass {
protected Foo createFoo() {
// Return some other kind of Foo...
return new Superfoo(42);
}
}? Is there a way to fix this?? I'd really like to use jython for
prototyping work, but I can't because of this bug... Making createFoo public
doesn't change anything.
I'm running jython 2.0beta1 with Sun's 1.3.0 JDK, if it matters.
Thanks in advance,
Christian
PS Attached are two java files and one python file that demonstrate this
bug.
> -----Ursprungliche Nachricht-----
> Von: bckfnn@... [mailto:bckfnn@...]
> Gesendet: Mittwoch, 10. Januar 2001 10:23
> An: jython-dev@...
> Cc: Ype Kingma
> Betreff: Re: [Jython-dev] Protected Java attributes in Python
> subclasses
>
<snip>
>
>.)
I would suggest to add an additional constructor.
PythonInterpreter(Properties,Properties,String [])
***********************************************************************
*
***********************************************************************
Arno Schmidmeier
Sirius Software GmbH
Kolpingring 18
82041 Oberhaching
Tel. 089/6136760
Internet
[Brian Zimmer]
>I've enclosed a patch to add the method getfqdn() to Lib/socket.py.
>It's new Python 2.0.
Thanks. I'll add it to the beta2 release.
For the next time, please use a context or unified diff. Such a diff is
a lot easier to apply.
regards,
finn
[George.Sorial]
>Is there a difference between Jython and JPython. I believe I read
>somewhere that there was no difference.
Apart from a different name, hundreds of fixed bugs, dozens of new
features and the lack of 100% pure Java certification, they are exactly
the same <wink>.
Think of Jython 2.0 as the next version of JPython 1.1. Look at the NEWS
file if you really care about all the tiny differences.
regards,
finn
[Ype Kingma]
>In Jython, when subclassing from a Java class, the protected
>attributes of the Java class are not available.
Protected fields are not made available.
Protected methods are normally available from within python subclasses.
One exception exist: final protected methods are not available with the
Class.method syntax, but can be accessed as self.super__method.
>This is different in a Java subclass.
>Why?
Mostly because the actual need haven't been so high. There are also some
technical issues that have to be solved first. The access to a protected
field must occur from with the subclass. In jython that means from the
generated proxy class.
>In case this actually should be changed: which code in the Jython
>source is providing this feature?
For the methods, look at org.python.compiler.JavaMaker.addMethod which
are selecting which method from the java superclass should be available
in the proxy.
For protected fields we would have to create public getter/setter
methods in the proxy class for each field. That must be done in a way
that does not interfere with any existing getter/setter methods.
>I know about the registry entry for accessing protected and private
>attributes, but that is doing too much as I don't need private
>fields.
>
>(I tried to access the protected pySystemState in PythonInterpreter.java
>in a Jython subclass, which didn't work.
>I worked around it by temporarily changing
>the current system's argv while invoking the interpreter.)
Subclassing PythonInterpreter from python? Kinda funny way of using
jython IMHO..)
regards,
finn | http://sourceforge.net/p/jython/mailman/jython-dev/?viewmonth=200101&viewday=10 | CC-MAIN-2014-10 | refinedweb | 727 | 69.38 |
Agenda
See also: IRC log
NM:
... Action item review is just checking that we've got the right things on the schedule in the near term
... Open issue review is quite different, intended to check that we haven't let things fall between the cracks, or that we are carrying things we don't need to
NM:
... Good for us to review each year where our effort is going, and how we are going to get it done
... and be sure we have a shared notion of our priorities
... I'd like to get more than one person on the hook for at least some tasks, to share the work back and forth in some way
... Looking back, we set ourselves some priorities: Tracking/influencing the HTML work -- hard situation, but we did a number of things here and I think we did what we set out to do
... We also committed to a Web App Arch effort, since two years, but I don't feel that we've made as much progress here as I'd hoped -- we need to look hard at this to see whether we should modify or even drop our goal
... Third goal was Metadata, an umbrella for many SemWeb issues
JR, LM: No, Metadata is much narrower than that, it is about documents only
TBL: +1 to keeping Metadata narrowly focused
NM: We've also done good work, largely due to LM's efforts, on a number of core web infrastructure issues, including IRIs and media types
LM: I'm actually concerned how little progress on IRIs lately
NM: On the organizational front, we're trying to structure the management of our work via Tracker Products augmented by TAG-specific product pages such as
NM: Tracker has Issues, Actions and
Products
... Actions can be associated with Issues or Products
... See the Guide to TAG Process
NM: Please note that there are two 'Product' pages, one under 2001/tag/products and one under Tracker
NM: Tracker is just not flexible enough to be able to capture in a structured way the information we need at a glance for each effort, and it's also limited in its ability to, e.g., associate an action with an issues and a product.
[Discussion about mechanism, not minuted]
NM: Intent is to have a small number of Products
NM: Need properties for a product: Goals, success criteria, deliverables with dates, schedules, TAG members assigned, related issues.
<timbl> We could do it in RDF if we had a RDF export from Tracker of course
NM: API Minimization is our first
example:
... Goals and Success criteria are the core of these
... Made concrete by deliverables
... Example: ACTION-514: Draft finding on API minimization
LM: I think maybe we need two
categories of Products
... 1) Specific documents or other outputs;
... 2) Things which are more like some of our Issues, e.g. Track the HTML work
NM: Yes, but can we just try your case (1) for now
TBL: Mechanisms are your business as
chair, the focus is on the content, that's where our energy should
go
... But, having said that, my inner hacker has already built an ontology for issue/product/... management for the Tabulator
... I could do more hacking and give you everything you want
... In practice lets go ahead as you propose
... But in the background, maybe you and I should try to do something better
Tutti: Crack on
NM: Regardless of mechanism, do we agree to focus our effort management on setting goals and success criteria, with dated deliverables
<jar> It would be nice if (1) product name could be changed (2) products can be classified somehow (active, complete, etc) (3) notes could be added to product pages
LM: We do other things -- coordination with the IETF
<masinter> want to track the larger theme of W3C/IETF coordination at architectural level
LM: This is a larger theme
NM: For me that's an Issue, about how to coordinate with other bodies
LM: It's not a management issue, it's
a technical issue -- what is the relationship of Web Arch to
Internet Arch
... What's critical for a Product is Success criteria
... And I think we can identify and evaluate progress for this effort, so it can be a Product
TBL: Wrt Success criteria, include documentation of important properties of the system which need to be preserved
NM: Other things can have ways to identify and evaluate progress, I want to keep Products for things with deliverables
<timbl> <-- the high-level concept of task
DKA: With respect to TAG priorities, there's also
the W3C 2011 Priorities and Milestones document
...
NM: This reminds me that there are two ways to come at our planning: internally-driven and externally-driven
DKA: In particular, are we missing anything from Jeff Jaffe's list?
NM: So take a tentative pass at what
we are already spending time on
... and then see if there's anything we're missing
... at which point we will know if we're over-committed
LM: It's great to see a W3C priority
list of technical topics
... I'd like to respond to it
... So this is higher priority for me than reviewing our current / past efforts
HST: The chair is asking for help in getting to that, by first clarifying the status of our existing commitments
NM: Here's another Product: HTML/XML Unification Draft Product Page
<masinter> I think the "big theme" here is: architectural coherence of the W3C protocol and format work. And that XML / HTML is a lead element, because so much of W3C work is based on XML and yet HTML consistency with it is at issue and that the TAG could look at whatever the "task force" produces in this context. The goal should not be "Unification" but "coherence" and "support for workflows and use cases" and there are various sub-products, around IRIs and URI schemes....
<noah> ACTION: Noah to build Tracker product page for HTML/XML Unification [recorded in]
<trackbot> Created ACTION-522 - Build Tracker product page for HTML/XML Unification [on Noah Mendelsohn - due 2011-02-17].
LM: The big theme here is
architectural coherence between W3C RECs
... I wouldn't want to track this as Unification, because that's not the goal even for XML vs. HTML
... I don't think that goal stands up
NM: I hear you as observing that
there's a higher theme that this specific Product fits into
... and I think we can do that, we can have Themes
... The name comes from the history -- is the key point the abstraction of a higher level
LM: Either this fits in one of the
high-level things the JJ laid out, or something else
... in this case, something else, which is a particular TAG responsibility
NM: I hear this, and will try to find a way to organize our thinking at this level
LM: Pass for now
HST: [proposed minor agenda restructuring]
ISSUE-60: Web Application State Management
AM: speaks to
... I need guidance on how to take this forward
<masinter> This underlying architectural issue relates to "Powerful Web Apps", "Data and Service Integration" and "Web of Trust": web applications are more powerful if different applications can share. But they have to do it in a secure way that also maintains user privacy.
AM: The fundamental issue is how to
manage the inevitable intrusion of the Privacy/Security issue into
any discussion of client-side storage:
... 1) Ignore it, and just do the storage thing;
... 2) Try to do the integration.
AM: The answer is different depending on whether we see the deliverable here as stand-alone, or as part of a larger document where Security is being taken care of
TBL: The document talks mostly about cookies, but there are a large number of new technologies, e.g. sqllib, which are at least as important going forward
<masinter> Security sections could move to based on
TBL: And as you talk about privacy in that context, it becomes a question about what 'agent' (software, site, person) can get access to what
AM: You're going beyond data
TBL: No, just data raises these
issues, say I have an RDF store on my phone, and an app written by
an airline is running in a container from a third party and wants
access to that data. . .
... At worst we end up all having to have our own copies of all the privacy-implicated software, to ensure our data doesn't get away
TBL: So this discussion has to be forward-looking to address not just what's here now, but what's coming soon
<masinter> "In 2011, W3C expects to charter a Web Application Security Working Group for work on specific technologies to enable more robust and secure Web Applications." from under "Privacy and Security"
JAR: Normal engineering practice
should be followed, to look first at the requirements, without
jumping too soon to the technology (e.g. cookies)
... You started out with "need....", which are requirements, and then jump to security -- but that's a requirement too
... It's like building a LISP interpreter, if you leave memory management to the end, you end up with a buggy implementation
AM: Right, so you're saying add security as a requirement, early
JAR: Only then do you look at
solutions
... and try to match requirements to aspects of solutions
LM: There is a commitment at W3C level to charter a Privacy and Security WG
<noah> Actually, the slide just said privacy, and I think that's what I heard him ask about. That's why I got confused when we kept talking about security.
LM: And that group is a candidate recipient for this work
AM: I thought it was a Privacy IG
that was on the way
... and that's not quite the same
LM: W3C has committed to chartering a
Web Applications Security WG
... In JJ's document
<noah> From:
<noah> In 2011, W3C expects to charter a Web Application Security Working Group for work on specific technologies to enable more robust and secure Web Applications.
<noah> (public document)
AM: So, yes, when that happens, feeding in to it makes sense
NM: On the separate vs. together
point (storage vs. Privacy&Security)
... indeed per JAR sometimes it's dangerous to factor
... but not sure that's true here
... Suppose you did just focus on storage, w/o talking about P&S
<masinter> "Client side state" doesn't really have anything to say unless there is some 'memory' or 'communication' of client side state
NM: What would the Product page look
like if you did that (thought experiment)?
... If you can't even do that, we've learned something
... And if you can, then we can look at the P&S factoring question as such
... Thinking about the Product page should be really helpful
AM: I want to come back to the "one large document" question
JAR: That's not what I said. . .
NM: If we want to do a large
document, it's a long way out
... So even if we are aiming for a merged form, the work has to go ahead as if it were going to stand on its own
LM: Different perspective -- we're not designing an implementation -- there are already a number of design patterns for Client-side state, and they differ
LM: they have different relevant
properties to the requirements
... Here are seven different design patterns; here are their properties, here's why some address requirement X, Y, Z better/worse than others
<masinter> "seven" plus or minus four
NM: Assuming this is a separate document, what are the top three questions it will answer for the community?
AM: Give me three weeks
NM: OK, let's suspend judgement on the long-term future of this work until we see your response
<masinter> are there books or papers on web application design, that cover client side storage, use of cookies, local storage, etc?
AM: We asked the WebApps guys who are
writing these specs, where are your use cases?
... And they didn't have much of a concrete reply
<noah> ACTION: Ashok (with help from Noah) build good product page for client storage finding, identifying top questions to be answered on client side storage Due: 2011-03-01 [recorded in]
<trackbot> Created ACTION-523 - (with help from Noah) build good product page for client storage finding, identifying top questions to be answered on client side storage Due: 2011-03-01 [on Ashok Malhotra - due 2011-02-17].
[Break until 1045]
[resume from break]
NM: I've been reviewing the open
actions, to try to abstract what the set of Products are in
principle
... So that we can create the ones that are missing
... Quick scan of the Tracker Products: 2001/tag/group/track/products
... Agreed that we are not currently working on the Versioning Product
<noah> ACTION: Noah close versioning product [recorded in]
<trackbot> Created ACTION-524 - Close versioning product [on Noah Mendelsohn - due 2011-02-17].
LM: Some of that work is going forward under other headings, e.g. the mime info work
NM: What is this WebApp Access Control product?
JR: Ask JK
<noah> ACTION: Noah to check with John before closing WebApps access control [recorded in]
<trackbot> Created ACTION-525 - Check with John before closing WebApps access control [on Noah Mendelsohn - due 2011-02-17].
<noah> ACTION: Noah to do first draft product stuff for MIME and related core web mechanisms [recorded in]
<trackbot> Created ACTION-526 - Do first draft product stuff for MIME and related core web mechanisms [on Noah Mendelsohn - due 2011-02-17].
NM: We have a total of 45 open actions
LM: I want to push Action 519 to be
even bigger, on the relation of standards to operational
requirements
... Big ISPs come to IETF, not to W3C, so this is important with respect to our presentation to the IAB
<noah> ACTION: Noah to make sure we make progress on ACTION-519 and ACTION-517 in time to provide input to Prague IETF meeting, talk to be ready by mid-March [recorded in]
<trackbot> Created ACTION-527 - Make sure we make progress on ACTION-519 and ACTION-517 in time to provide input to Prague IETF meeting, talk to be ready by mid-March [on Noah Mendelsohn - due 2011-02-17].
NM: Diving in to Action-521, do we
want to press forward with taking Disposition of Names in a
Namespace to REC: 4 not sure, 2 against, 1 to push it to Core, 0 to
do it
... Remind NM to propose next steps and/or discussion on this
... Relieved not to find too many "Oops, we've let this slip" responses or "Oops, there's a big iceberg under here"
... Open for discussion, let's propose edits to the list of Products
... Additions or deletions
<Zakim> ht, you wanted to say Products don't exhaust our work
<Zakim> jar, you wanted to take apart 'important'
LM: Change HTML 5 review to Open Web
Platform Architecture
... At the TPAC plenary, the MS rep proposed a number of HTML5-related arch. issues
... and I've gotten a list from Julian Reschke
<masinter> and from several other people
HST: Is Persistence a Product
NM: Should we be doing that -- think about where this stands?
LM: I don't think it is one of the top priorities aligns with the guidance we're getting
<masinter> I'm looking at
TBL: We are responsible for long-term issues, which no-one else will worry about
NM: I read JJ's list as a "be sure to cover this", not "and nothing else"
HST: We owe it to the people who raised the persistence question to work on it, and I think addressing why people don't trust 'http:' URIs is a fundamental arch. question.
NM: Goals and success criteria
HT: We have two draft documents in
different stages: 1) my somewhat stale but valuable Dirk and Nadia
design a naming scheme and 2) Jonathan's checklist document
... I think each of those speak to a different community, and suggest different deliverables directed at different goals.
<masinter> the reason why I'm reluctant to put this is a priority is that I'm afraid i have some real disagreements about the nature of the problem and the directions to address them.
HT: Potential goal #1: address the
architectural origins of the vulnerability of Web names.
... Potential goal #2: identify best practices for the use of Web names in contexts where some form of persistence is goal.
<scribe> ACTION: Henry to create and get consensus on a product page and tracker product page for persistence of names Due: 2011-03-01 [recorded in]
<trackbot> Created ACTION-528 - Create and get consensus on a product page and tracker product page for persistence of names Due: 2011-03-01 [on Henry S. Thompson - due 2011-02-17].
<timbl> due date: 3011-01-01 -- test that the action URI still works
ACTION-528 Due 2011-03-01
<trackbot> ACTION-528 Create and get consensus on a product page and tracker product page for persistence of names Due: 2011-03-01 due date now 2011-03-01
<masinter> "persistence" requires both technical and social institutions to coordinate. We should look at successful social institutions and those in trouble.
<masinter>
DKA: Offline web: widgets, app cache, cf. JJ's Web Apps and mobile devices bullet
DKA: There is a workshop being organized by Matt Womer in this area
NM: This overlaps with Client-side state
DKA: This is about packaging
... not (just) storage
NM: Should we discuss making this a
product?
... OK, will do
<noah> ACTION: Noah to schedule telcon discussion of a potential TAG product relating to offline applications and packaged Web [recorded in]
<trackbot> Created ACTION-529 - Schedule telcon discussion of a potential TAG product relating to offline applications and packaged Web [on Noah Mendelsohn - due 2011-02-17].
NM: All of mobile?
DKA: No, mobile and the offline web -- packaging the web
<Ashok> Interacts with Client-Side Storage
JAR: Saying something is important is
not very useful, unless someone is signed up for it
... Maybe we should do a gap analysis: a matrix where we have supply-side -- what would each member be inclined to do, left to themselves, vs. demand-side: what have JJ and/or our community asked us to do
... and we look for the blank spaces
... And we don't yet have enough information yet to actually build that matrix
NM: That's a goal for us, yes
<masinter> alignment between W3C working groups, and with IETF and with previous specs and .... is after all what TAG was originally chartered for
<Zakim> masinter, you wanted to talk about 'underlying architecture' as possibly a higher TAG priority than Jeff's list, which applies to W3C as a whole
<Zakim> timbl, you wanted to wonder about a goal in which social institutions are changed in order to achieve persistence.
<noah> Henry and Larry will be there.
AM: Talk or panel.
LM: See ACTION-500. There is a panel, with representation from lots of the IETF community. Panel description is copied in the action.
LM: Not yet determined between Henry and me who will actually be on the panel.
ACTION-500?
<trackbot> ACTION-500 -- Larry Masinter to coordinate about TAG participation in IETF/IAB panel at March 2011 IETF -- due 2011-02-15 -- OPEN
<trackbot>
AM: You probably only get 15 minutes?
LM: At most, could be 10.
... We should use this mainly to "show the flag", indicate where major points of interest are, etc.
... They've written what they think the issue is for them.
HT: It's in some sense better we
don't have a longer slot, which would lead to us reading our
laundry list.
... The appropriate question we need to think of here today is, what do we want to project about the TAG itself?
LM: We are in the process of establishing our priorities based on what the community needs from us. Some people at the IETF meeting are likely to be, unfortunately, not W3C members.
NM: Um, our TAG community is the Web and Internet community, not just the W3C.
LM: Oops, you're right, that's what I meant.
NM: We listen to everyone, on www-tag, by inviting people to join meetings and calls, etc.
HT: The IETF is appealingly a
crypto-anarchist commune with a long history.
... They are phenomenally successful.
... Larry and I should probably send email to www-tag asking for input, then get telcon time.
LM: Henry, hows about you draft a talk for review, with my help?
HT: I'll produce say, 5 slides, for review on call in two weeks.
<masinter> what is the tag, what the tag works on, what things are we thinking about in W3C, what things are we thinking about in the TAG in particular
<scribe> ACTION: Henry to draft slides for IETF meeting, with help from Larry Due 2011-02-22 [recorded in]
<trackbot> Created ACTION-530 - Draft slides for IETF meeting, with help from Larry Due 2011-02-22 [on Henry S. Thompson - due 2011-02-17].
NM: Suspended for lunch
Philippe Le Hégaret joins the meeting
Discussion of action items
NM: Larry asked me to add a link to RFC5226 to the agenda.
<noah>
<noah>
DQA: I note IE9 has Geolocation.
<masinter> there was another link
Larry:re ACTION-511: Send email framing TAG work on registries
LM: we have had a lot of
discussion of registries
... perhaps as reaction to IANA, feeling that registries were
... a bottleneck in the system, that we should use URIs to be decentralized.
LM: Still, there are protocols,
protocol and language elements where we don't use URIs.
... But, if it isn't a URI, then how do you find out what it means?
<plh> --> XPointer Registry
LM: Does IANA still manage it? But
IANA is unresponsive and cumbersome? Should we use a wiki page,
[HTML WG suggestion]?
... I was trying to frame the issue with MIME type registries.
<plh> --> Register an Internet Media Type for a W3C Spec
LM: Many issues are around what
the mime type means when it evolves, having to do with
versioning.
... There are technical and social issues. Power: who controls the registry? Who controls what properties things should have registered?
... People disagree on the contents of the registry
... I pointed to RFC2434, now RFC5226 .
LM: I also saw a good IANA document in progress on extensibility from the point of view of protocol design, in which registries are one way.
<masinter>
PLH: I pasted in various links,
including to the XPointer registry.
... This registry is hosted by W3C.
HT: The XPointer spec didn't have unqualified names, but people complained that getting URIs in to bind every name was ridiculous. Please let us defined some short names which we can own, and we did, and so we have a URI-based registry mechanism.
<plh>
HT: the way you tell what short names mean or are available is you concatenate with a URI.
PLH: This was very lightweight,
lightweight review process too.
... We demand a link to a spec but no other review.
HT: Just a way of mapping short names into URI space on a first come, first served basis.
LM: What does CSS do with vendor prefixes?
Peter: Nothing formal -- we have recently started keeping a list.
NM: Is it just a convention?
<timbl> ... You register just the -moz- not the -moz-* names.
PL: No, more than that. The spec requires a syntactic convention for use of anything that is either not in the spec, or not advanced to a certain point in the spec development.
TBL: Do you standardize thinks like -*-roundedcorner?
PL: No, just -*-
TBL: As a CSS user, having many different names was a pain for Rounded Corners.
Peter: That was necessary as the different vendors did it differently.
Larry: We were having registries, so
we are not really following out URI architecture. Can IANA be fixed?
Is the problem IANA?
... People say the problem is not IANA but tracking what IANA is up to.
<plh> --> HTML ISSUE 27
TBL: For example, the text/n3 mime
type is still pending
... after years
Larry: if you look at the docs establishing how IANA works, they don't determine the process ... that is established for each registry anew. I refined the URI scheme registry process, there is still unhappiness with it.
LM: I would hate for W3C to reinvent this wheel and rediscover all the problems
PLH: This is related to infamous HTML
WG Issue 27 (see link above)
... (all HTML WG issues are infamous)
PLH: One proposal is to have a registry at W3C
<masinter> proposal W3C run rel:
PLH: Mark Nottingham has done work on
a IANA registry. Ian Hickson tested it and declared that it was not
working.
... there is a counter-proposal which just uses a wiki page.
... This was escalated to the WG as issue 27.
<masinter>
<noah>
<noah> ISSUE 27: @rel value ownership, registry consideration
Larry: We should discuss whether and why and how W3C runs registries -- it should not be decided just by a local WG, as it is a long term commitment, and much more than the design of a technical spec.
PLH: Without requirements, you can't
PLH: It took years to get
image/svg+xml took years to get registered.
... Even though it was in use for years.
<plh> --> Approval of image/svg+xml Media Type
Larry: People brought this up as a poster child of why it didn't work ... but they didn't in fact respond to IANA's comments about what was missing from the application
<masinter> there's also been a long recent discussion about +json and +zip; and +xml is an issue
TBL: We had a story with text/n3+rdf
type where we used the W3C/IETF liaison meeting to track. Per that
discussion we removed the +rdf.
... They said we would have to produce a stable document, which we did some years ago, so for me text/n3 is another poster child for the problems.
<plh> --> N3
TBL: The confusion is compounded because there are people out there using the now deprecated +rdf form, but there's nothing to point to saying, "here's what you should do".
<masinter> Maybe W3C should have an IANA shepherd who knows how to work IANA and helps people through the process, that would be better than running W3C registry..
<plh> for n3, I'm probably the bottleneck
TBL: There's also no tracker for the
application review process for mime types. You can't tell where
things are in the process, what the problems are, or even that
there is a registration pending.
... So, one suggestion is that we should not only run a registry at W3C, but that we should run a tracker.
LM: You could run a tracker for
IANA
... The IETF tools team has built tools for many groups, and perhaps has just not gotten to IANA
LM: The IETF tools team has been building tools for IANA but not that one yet.
PLH: The technical issues we have to
resolve, and they can take years
... The charset attribute, and then content-encoding, the discussions exhausted the energy of the applicants.
Larry: My experience has been very
positive: you tell the truth you get approval. With text/html Dan
Connolly and I updated it... I also did application/pdf.
... I was involved with gopher's mime types
... What can take years has been miscommunication.
<plh> --> MIME Type Review Request: image/svg+xml November 2004
TBL: I sympath.
... That now is the case, which is good.
... Therefore, my view is that the right path for SVG would have been that all the stuff like charset should have been caught and fixed as part of the W3C CR process reviews.
<Zakim> jar, you wanted to mention journals e.g. PLoS One
JAR: This is not happening in a vacuum
-- there have been registries before IANA
... It isn't just who runs it, it is what properties it has:
... What criteria of acceptance, professionalism of management, what tracking technology,... the publication of a scholarly journal is an analogous process, [foo???] example.
LM: We use registries for extensibility, where the spec points to a given specific registry, an the standard defined the criteria for the registry, so that the standard will still work. If someone tries to register a term which violated the design, then it is rejected.
<masinter> maybe this is an important criteria for registries -- that the protocol design shouldn't rely on the registrar review to maintain invariants
Tim: Example -- HTTP headers always, per RFC822, have a comma -as an equivalent to a new header line - the cookie header spec in error used it differently and it was not caught.
Larry: The spec puts an onus on the good people running the registry to make sure that good things happen.
LM: In some cases in the past, the spec did not tightly bound what extensions could do, and we relied on the registrar to enforce good practice.
TBL:Hmm. I'm sure Larry is right about the history, but it seems preferable to me that the spec should say what extension points can do, and the the registrar merely enforce that
<masinter> Register an Internet Media Type for a W3C Spec
PLH: We have a media type registry at W3C
PLH: Since M Duerst left w3t, I have
been maintaining the big table at the bottom
... This table has been there for 8 years
... The old way of registering a media type is to just write an RFC, but a few years ago, with Martin's help, IETF allows other organization's specs to be used in the IANA registration.
<plh> --> Status of Internet Media type registrations
TBL: Is N3 in the table?
PHL: No, my fault. Kick me.
TBL: Will do.
PLH: I accept total responsibility
for making sure that it is
... Many of these media types are here but not in the IANA registry.
Larry: How many of these have been requested?
PLH: If you look at the "Plans" column.
TBL: I suggest that the states be defined in an ontology
PLH: "Need IETF types review" means that W3C has yet to ask for that review.
[discussion of W3C process]
PLH: We have those steps to help
working groups go through those processes.
... We can end up with things which just hang there
HT: What is the problem we are trying to fix now?
PLH: The problem with SVG was getting is registered in 2010 after asking in 2004, with it being used in between.
PLH: For me the problem is that we requested an SVG media type in 2004, that only got formal approval in 2010, and it was used without registration for 6 years.
HT: OK, stipulate a problem with that registry, the TAG issue appears to be about registries in general.
HT: Sounds like a bug in that registry -- lets suggest that they implement a tracker. That could be fixed. Automating the registry wouldn't necessarily help that. The XPointer scheme registry has a rule that the URI works and tells you the status the moment you have requested registration, but that's a management decision, not a technical one.
Larry: It would be nice to give IANA a heads up before the request -- an intent to register. You could post that they intend to register it.
Tim: propose that the IANA system should surface all the info in PLH's table
<masinter>
<masinter> but if OASIS and ISO and other organizations want to register values, shouldn't they also be visible to W3C members?
Larry: There is a place for
lightweight registries, e.g. MIME types, that many organizations can contribute
to.
... W3C should try to fix IANA before running around it.
... We should volunteer to help them, and find a good way to integrate the web architecture of the registry with the Internet Architecture people.
... With specific technical details, for example there are issues about the MIME types conflicting with the sniffing documents.
Noah: Do we want any more work on this?
Larry: PLH is on the front line, who is being asked to run registries. As the TAG we can help out with arch issues.
PLH: The immediate issue is issue 27, which is related to rel=""
NM: To clarify, I was asking whether we needed to schedule or track work that's beyond what we're already doing
PLH: The next step is if there are counter-proposals in the HTML WG.
PLH: Potentially, the TAG might have a position to offer to the HTML WG
TBL: I'm not sure I'm hearing anyone around the table complain about anything.
JAR: There are RFCs which point to the IANA registries.
<masinter>
JAR: We don't want two registries.
TBL: Right, not two registries, and we want a good relationship with IANA. We do need something that will produce RDF.
JAR: Um, that can be a tarpit. I've already tried to convince IETF on that.
<jar> well, not on exactly that, but on something closely related having to do with link relations and 200 status.
... IANA spent a long time working in plain text not HTML, a long time using ftp vs. http, they've slowly moved. I fear we might be talking a long time to make the move on conneg that returns RDF.
<masinter> I think people ascribe to "IANA" things that are really within their own control
<plh> --> Effects of a registry at W3C
<masinter> there's no reason why W3C can't run a service for doing something with IANA registered terms, for example, by adding to the registry a set of "registered value retrieval services"
TBL: Meanwhile, there are cases where you want to pick up information etc. about a new media type dynamically, while browsing.
NM: Trust issues aside, you could even dynamically pick up handlers, e.g. to render a new image type.
TBL: Indeed, a very interesting rathole, but not now.
<timbl> The relationship between a MIME type and a typical file extension is important for security -- you must not store a file in a file system so that it looks as though it has a different MIME type, as that is a security hole.
ACTION-511?
<trackbot> ACTION-511 -- Larry Masinter to send email framing TAG work on registries -- due 2011-01-20 -- PENDINGREVIEW
<trackbot>
PLH: Henry Sivonen suggests a very lightweight system for rel values, similar to the XPointer registry.
Larry: I think i hear enough technical and architectural issues and I am thinking of writing a finding about it.
<noah> ACTION: Larry to write draft document on architectural good practice relating to registries Due 2011-04-19 [recorded in]
<trackbot> Created ACTION-531 - Write draft document on architectural good practice relating to registries Due 2011-04-19 [on Larry Masinter - due 2011-02-17].
----------------------------------------------
NM: What does "open" mean of an
issue?
... For those we are not working on actively , we should categorize them.
... We should close the ones which have been overtaken by events.
<noah> ISSUE-7: (1) GET should be encouraged, not deprecated, in XForms(2) How to handle safe queries (New POST-like method?GET plus a body?)
<trackbot> ISSUE-7 (1) GET should be encouraged, not deprecated, in XForms(2) How to handle safe queries (New POST-like method?GET plus a body?) notes added
Is this still relevant?
Larry PING attributes ping a server to show you took a link
Larry: It might be in the WHATWG spec
still.
... but not in the W3C spec.
... This battle has been fought.
LM: We should worry about the W3C spec.
NM: Disagree, at least in principal. If any organization is promoting widespread use of something we consider inappropriate, that's potentially of concern to the TAG.
TBL: Yes, but we have to pick our battles.
HT: What about the original XForms issue.
HT: Is XForms actually using GET? Many of those who use it use POST not GET, and that is how
XForms architecture is designed to work.
... I didn't realize there is a tension there.
<masinter> I defined MIME type multipart/form-data in
HT: But XForms uses POST just in order to have an XML body.
Larry: Lets close this without prejudice.
TBL: Let's close it without prejudice
NM: Fine with me
<timbl> TrackBot, Close ISSUE-7
<trackbot> ISSUE-7 (1) GET should be encouraged, not deprecated, in XForms(2) How to handle safe queries (New POST-like method?GET plus a body?) closed
RESOLUTION: We will (re)close ISSUE-7, without prejudice with respect to HTML ping being good/bad
close ISSUE-7
<trackbot> ISSUE-7 (1) GET should be encouraged, not deprecated, in XForms(2) How to handle safe queries (New POST-like method?GET plus a body?) closed
<ht> It appears that @ping has been removed from HTML5[W3C], remains in HTML[WHATWG], but is not receiving much (any?) implementation
<ht> This is from HTML WG issue 1
----------------------------------------------
ISSUE-20: What should specifications say about error handling?
<trackbot> ISSUE-20 What should specifications say about error handling? notes added
HT: If this is being pursued it would be in the XML HTML TF
<noah> Last status change was: connecting with "HTML 5 review" product a la
HT: Propose this has been overtaken by events.
HT: I think this is overtaken or subsumed with respect to/HTML.
LM: Those are specific instances, but there's a broader concern here.
Larry: Those are specific instances
-- we have though a general question of conservative/liberal, error
handling etc. here.
... Like, if you dictate what happens exactly with every error, are they still errors?
HT: On a scale of 1..10, that concern
is for me a 2
... in terms of its importance to the TAG.
<noah>
Noah: Look at the history. We closed
in in 2003 - Chris L in 2003 -- the TAG closed it in 2003
... In 2008, on Dec 9, we re-opened it specifically about HTML5 Tag Soup.
... So HT's comment does indeed carry the day.
Tim: Suggest open, work happening in XML HTML task force.
<masinter> mark it as "PENDING REVIEW"?
<noah> Added note to ISSUE-20: Reviewed status of this at 10 Feb 2011 (8-10 Feb) F2F. Decided to leave this open for now, pending better understanding of where the XML/HTML Unification Task force is going with related issues.
----------
Noah: What about Issue-24
Larry: Lets leave it open
Noah: Issue-25 Deep Linking -- any actions
DKA: I made a very sketchy draft I made -- needs discussion
Noah: Stays open, you have an action for it.
<DKA>
JAR: Issue-31 was re-opened for UMP.
Noah: Issue-31 stays open. Action-344 now is associated with it
<masinter> issue-31?
<trackbot> ISSUE-31 -- Should metadata (e.g., versioning information) be encoded in URIs? -- open
<trackbot>
<DKA>
Noah: We close this as no objections heard
<masinter> issue-33?
<trackbot> ISSUE-33 -- Composability for user interface-oriented XML namespaces -- open
<trackbot>
<noah> RESOLUTION: Closing ISSUE-33 because CDF is gone, and any concerns about SVG, MathML, etc. in HTML are being tracked elsewhere.
<noah> close ISSUE-33
<trackbot> ISSUE-33 Composability for user interface-oriented XML namespaces closed
------------
<masinter> issue-34?
<trackbot> ISSUE-34 -- XML Transformation and composability (e.g., XSLT,XInclude, Encryption) -- open
<trackbot>
Issue-37?
<trackbot> ISSUE-37 -- Definition of abstract components with namespace names and frag ids -- open
<trackbot>
<masinter> issue-39?
<trackbot> ISSUE-39 -- Meaning of URIs in RDF documents -- open
<trackbot>
<noah> "The community needs:
<noah> A concise statement of the above architectural elements from different specs in one place, written in terms which the ontology community will understand, with pointers to the relevant specifications."
JAR: I wondered about opening an Issue for Harry Halpin's concerns. The problem with doing # or 303.
timbl: Let's not re-define issues under the same number, that's fraud :-)
<noah> ACTION: Jonathan to propose changes to status of issue-39 & issue-57, and perhaps opening new issue relating to H. Halpin's concerns about 200 responses Due: 2011-02-22 [recorded in]
<trackbot> Created ACTION-532 - Propose changes to status of issue-39 & issue-57, and perhaps opening new issue relating to H. Halpin's concerns about 200 responses Due: 2011-02-22 [on Jonathan Rees - due 2011-02-17].
<noah> Day 1: Dan
<noah> Day 2: Larry
<noah> Day 3: Henry
[BREAK]
Noah: Now going through action items
<noah>
Noah: Now going through action items
Action-505?
<trackbot> ACTION-505 -- Daniel Appelquist to start a document with respect to issue-25 -- due 2011-01-25 -- OPEN
<trackbot>
DKA: Do we need a TAG finding here?
Noah: Take us to the point where we are ready for discussion.
DKA: I need someone to help me on this
JAR: We could talk.
<noah> At Feb 2011 F2F, Jonathan agrees to give Dan a bit of help. Next goal is for them to take us to the point where we are ready for telcon discussion.
<noah> ACTION-505 Due 2011-03-01
<trackbot> ACTION-505 Start a document with respect to issue-25 due date now 2011-03-01
Action-507?
<trackbot> ACTION-507 -- Daniel Appelquist to with Noah to suggest next steps for TAG on privacy -- due 2011-03-01 -- OPEN
<trackbot>
DKA: We didn't come up with a product page for the over-arching product on privacy.
Noah: The product page is to define work the TAG will do.
action continues.
<noah> ACTION-460 Due 2011-03-08
<trackbot> ACTION-460 Coordinate with IAB regarding next steps on privacy policy due date now 2011-03-08
<noah> ACTION-480 Due 2011-03-01
<trackbot> ACTION-480 Draft overview document framing Web applications as opposed to traditional Web of documents Due: 2010-11-01 due date now 2011-03-01
<noah> ACTION-116?
<trackbot> ACTION-116 -- Tim Berners-Lee to align the tabulator internal vocabulary with the vocabulary in the rules, getting changes to either as needed. -- due 2011-02-11 -- OPEN
<trackbot>
JAR: Tim took this on himself, up to him whether to proceed
TBL: OK, maybe this is overtaken by events
Agreed on Feb 10 2011 at F2F Jonathan will move this to become an AWWSW action
close ACTION-116
<trackbot> ACTION-116 Align the tabulator internal vocabulary with the vocabulary in the rules, getting changes to either as needed. closed
ACTION-510?
<trackbot> ACTION-510 -- Tim Berners-Lee to write a note conveying the TAG's concerns re: the microdata -> RDF URI mappings in the HTML5 microdata draft Due: 2011-01-20 -- due 2011-01-13 -- OPEN
<trackbot>
ACTION-510 Due 2011-03-09
<trackbot> ACTION-510 Write a note conveying the TAG's concerns re: the microdata -> RDF URI mappings in the HTML5 microdata draft Due: 2011-01-20 due date now 2011-03-09
ACTION-355?
<trackbot> ACTION-355 -- John Kemp to explore the degree to which AWWW and associated findings tell the interaction story for Web Applications -- due 2011-02-02 -- OPEN
<trackbot>
ACTION-504?
<trackbot> ACTION-504 -- John Kemp to make sure ACTION-355 links all significant writings including use cases. -- due 2011-01-27 -- OPEN
<trackbot>
note that 504 is linked to 355
JK: Unclear whether anyone is interested.
NM: We could do a product page. Could be one with resource assigned and dates, or could be a partial product page, with blanks for assigned resource and dates
JK: Originally, the idea was to fill
out a piece that is called out as missing in AWWW, I.e. to cover
non-HTTP interactions.
... I think that was Noah's original suggestion
JAR: At least, let's not let this get lost
<timbl>
close ACTION-504
<trackbot> ACTION-504 Make sure ACTION-355 links all significant writings including use cases. closed
ACTION-416?
<trackbot> ACTION-416 -- John Kemp to work on diagrams in "From Server-side to client-side" section of webapps material -- due 2011-03-01 -- OPEN
<trackbot>
JK: That's in Ashok's Web App
document. I've made no recent progress.
... What to do whether you will work on future Web applications document. Ashok now has control of the pertinent document.
NM: Ashok, do you have an action associated with that.
<johnk>
<johnk> ACTION-417?
<trackbot> ACTION-417 -- John Kemp to frame section 7, security -- due 2011-01-25 -- CLOSED
<trackbot>
close ACTION-416
<trackbot> ACTION-416 Work on diagrams in "From Server-side to client-side" section of webapps material closed
ACTION-508?
<trackbot> ACTION-508 -- Larry Masinter to draft proposed bug report regarding interpretation of fragid in HTML-based AJAX apps Due: 2011-01-03 -- due 2011-02-22 -- OPEN
<trackbot>
LM: Discussed Tues.
ACTION-531?
<trackbot> ACTION-531 -- Larry Masinter to write draft document on architectural good practice relating to registries Due 2011-04-19 -- due 2011-02-17 -- OPEN
<trackbot>
ACTION-515?
<trackbot> ACTION-515 -- Larry Masinter to (as trackbot proxy for John) who will publish, slightly cleaned up, with help from Noah and Larry Due: 2011-03-07 -- due 2011-02-15 -- OPEN
<trackbot>
ACTION-525?
<trackbot> ACTION-525 -- Noah Mendelsohn to check with John before closing WebApps access control -- due 2011-02-17 -- OPEN
<trackbot>
ACTION-529?
<trackbot> ACTION-529 -- Noah Mendelsohn to schedule telcon discussion of a potential TAG product relating to offline applications and packaged Web -- due 2011-02-17 -- OPEN
<trackbot>
close ACTION-513
<trackbot> ACTION-513 Do F2F agenda closed
ACTION-501?
<trackbot> ACTION-501 -- Noah Mendelsohn to follow up on whether GeoLocation finds reasonable answer on giving permission per site/app etc [self-assigned] -- due 2011-03-01 -- OPEN
<trackbot>
ACTION-379?
<trackbot> ACTION-379 -- Noah Mendelsohn to check whether HTML language reference has been published -- due 2011-02-08 -- OPEN
<trackbot>
ACTION-379 Due 2011-03-09
<trackbot> ACTION-379 Check whether HTML language reference has been published due date now 2011-03-09
<masinter> why isn't this document listed in
ACTION-344?
<trackbot> ACTION-344 -- Jonathan Rees to alert TAG chair when CORS and/or UMP goes to LC to trigger security review -- due 2011-02-15 -- OPEN
<trackbot>
Leave for now, moving ahead.
ACTION-532?
<trackbot> ACTION-532 -- Jonathan Rees to propose changes to status of issue-39 & issue-57, and perhaps opening new issue relating to H. Halpin's concerns about 200 responses Due: 2011-02-22 -- due 2011-02-17 -- OPEN
<trackbot>
ACTION-381?
<trackbot> ACTION-381 -- Jonathan Rees to spend 2 hours helping Ian with -- due 2011-02-11 -- OPEN
<trackbot>
ACTION-509?
<trackbot> ACTION-509 -- Jonathan Rees to communicate with RDFa WG regarding documenting the fragid / media type issue -- due 2011-01-29 -- OPEN
<trackbot>
JAR: I've been working with Manu Sporny
ACTION-509 Due 2011-03-15
<trackbot> ACTION-509 Communicate with RDFa WG regarding documenting the fragid / media type issue due date now 2011-03-15
ACTION-509 Due 2011-02-15
<trackbot> ACTION-509 Communicate with RDFa WG regarding documenting the fragid / media type issue due date now 2011-02-15
ACTION-477?
<trackbot> ACTION-477 -- Henry S. Thompson to organize meeting on persistence of domains -- due 2011-03-15 -- OPEN
<trackbot>
ACTION-33?
<trackbot> ACTION-33 -- Henry S. Thompson to revise naming challenges story in response to Dec 2008 F2F discussion -- due 2011-01-31 -- OPEN
<trackbot>
ACTION-33 Due 2011-03-08
<trackbot> ACTION-33 revise naming challenges story in response to Dec 2008 F2F discussion due date now 2011-03-08
ACTION-440?
<trackbot> ACTION-440 -- Henry S. Thompson to ask Hixie what is meant in this [section 9.2] by "retrieving an external entity" and could some clarification be added. -- due 2011-02-01 -- OPEN
<trackbot>
ACTION-440 Due 2011-02-22
<trackbot> ACTION-440 Ask Hixie what is meant in this [section 9.2] by "retrieving an external entity" and could some clarification be added. due date now 2011-02-22
ACTION-23?
<trackbot> ACTION-23 -- Henry S. Thompson to track progress of #int bug 1974 in the XML Schema namespace document in the XML Schema WG -- due 2011-01-19 -- OPEN
<trackbot>
HT: Reviewed state of this, saw
something on the XML Schema mailing list implying done, but found
closed in error.
... The bit we care about still hasn't been, I'm still monitoring.
ACTION-23 Due 2011-05-01
<trackbot> ACTION-23 track progress of #int bug 1974 in the XML Schema namespace document in the XML Schema WG due date now 2011-05-01
ACTION-421?
<trackbot> ACTION-421 -- Henry S. Thompson to frame the discussion of EXI deployment at a future meeting -- due 2011-01-21 -- PENDINGREVIEW
<trackbot>
HT: I was asked to find out the deal
on deployment.
... Sent a note to the list and got an answer from John Schneider. Please schedule discussion.
ACTION-511?
<trackbot> ACTION-511 -- Larry Masinter to send email framing TAG work on registries -- due 2011-01-20 -- PENDINGREVIEW
<trackbot>
LM: I took another ACTION-531, close ACTION-511
close ACTION-511
<trackbot> ACTION-511 Send email framing TAG work on registries closed
ACTION-512?
<trackbot> ACTION-512 -- Noah Mendelsohn to do F2F local arrangements -- due 2011-01-27 -- PENDINGREVIEW
<trackbot>
close ACTION-512
<trackbot> ACTION-512 Do F2F local arrangements closed
<scribe> ACTION: Noah to schedule TAG discussion of !# (check with Yves) [self-assigned] [recorded in]
<trackbot> Created ACTION-533 - Schedule TAG discussion of !# (check with Yves) [self-assigned] [on Noah Mendelsohn - due 2011-02-17].
HT: There are 2 implementations linked from the WG home page, 1 proprietary, 1 open source. Three implementations are reported in the implementation report, but not identified.
We are adjourned | http://www.w3.org/2001/tag/2011/02/10-minutes.html | CC-MAIN-2015-22 | refinedweb | 8,300 | 60.14 |
Eclipse Foundation Board Meeting Minutes
June 19-20, 2012
A Meeting of the Board of Directors (the “Board”) of Eclipse.org Foundation, Inc., a Delaware corporation (the “Corporation”), was held on held at 8:00 am Eastern time on June 19 and 20, 2012 as a regularly scheduled meeting.
Present at the meeting were the following Directors:
Present at the invitation of the Board was Mike Milinkovich, Executive Director, Chris Larocque, Treasurer, and Janet Campbell, Secretary, of Eclipse.org Foundation, Inc. Also present was Pat Huff from IBM.
General Business:
Mike Milinkovich introduced the minutes for the Board meeting of May 16, 2012, a copy of which is attached hereto as Exhibit A. The Board passed the following resolution unanimously:
RESOLVED, the minutes for the Board meeting of May 16, 2012 are approved.
Dual Licensing of Paho Project
John Kellerman introduced a discussion regarding IBM’s request that the Board approve the dual licensing of the Paho Project in its entirety under the Eclipse Public License (EPL) and Eclipse Development License (a BSD style license). John further indicated that the MQTT client code would need to be re-licensed as it was currently licensed under the EPL only. The Board unanimously passed the following resolution:
RESOLVED, the Board unanimously approves the dual licensing of the Paho Project under the Eclipse Public License (EPL) and Eclipse Development License.
Sustaining Member Issues
None identified.
Committer Member Issues
John Arthorne introduced a discussion on Committer issues, focusing initially on the transition to Git. John highlighted the fact that many Project are moving to Git and identified a concern that Git makes it very easy to delete or re-rewrite the history of your source code, even by accident. This in turn makes it very difficult for people that want to do updates on a historic version of the code. John asked whether the Board thought that the Eclipse Foundation should leave this up to the individual committers to take action to ensure that the source code history is safe, or whether it was something that the EMO should take control of the issue?
Chris Aniszczyk indicated that he believed that the default should be that you cannot change history, and that change should not be permitted unless an intellectual property issue arose, for example. Paul Lipton added that the value of Eclipse’s intellectual property is diminished if we leave holes open that enable history to be changed. Dennis Leung indicated his support to make it difficult to make changes to the Git repository and suggested that any individual wanting to make a change should have to apply for the ability. Paul Lipton added that that the clarity of the intellectual property is a primary value proposition at Eclipse, and because of this if there was an exception granted, then there would need to be a record of that exception. Mike Milinkovich indicated that his recollection was that the only time that the Eclipse Foundation has changed history is if an intellectual property issue had been found. It was the consensus of the Board that the EMO should prevent re-writing of history in the Eclipse Foundation’s git repositories unless express permission was sought, such permissions to be considered on a case by case basis.
John Arthorne also highlighted that there are private branches on Git where it would be useful to allow people to re-write history in their own branches. Mike Milinkovich suggested that defaults are set such that history can’t be changed in the main branches, with some flexibility to be allowed in private branches. He suggested that the Committer Representatives work with the EMO to create the defaults to accomplish this goal. Chris Aniszczyk also suggested that an audit be conducted on the Projects to ensure that the defaults are property set. Mike agreed, indicating that he would ask the webmaster to run some scripts to check that Projects are implementing the necessary defaults. Paul Lipton asked whether we have a situation today where some existing Projects on Git may have altered, either intentionally or unintentionally, their history? Mike Milinkovich responded that it was possible. John Arthorne added that within CVS it could have happened as well with some effort, but there would be no record. With Git, it could have happened, but we would know. The Board passed the following resolution unanimously:
RESOLVED, that the Board directs the EMO to ensure that the history of the Foundation’s source repositories cannot be changed in “main branches”, with flexibility in private branches. Any exceptions would have to be requested by a PMC to the EMO. A “main branch” is defined as any branch from which releases are built. Any exceptions would have to be requested by a PMC to the EMO.
Ed Merks highlighted that IT outages on weekends were an issue. Ed asked if it was possible to empower someone in Europe to help. Mike Milinkovich responded that the Foundation has wanted for many years to have more staff in Europe, but that limited funds have prevented the Foundation from doing so. He added that the EMO is actively looking at alternatives. John Arthorne suggested looking at what the Apache Software Foundation is doing. Mike Milinkovich suggested opening a bug on the subject and copying him on it. John Arthorne indicated that a committer that had suggested that not only Strategic Members should be able to access Webmaster 24 hours a day. There was a general consensus that this was not reasonable. Mike Milinkovich noted that few Strategic Developers have been taking advantage of the existing program, and indicated that some work needed to be done to get the existing process working better. He also added that the Foundation would consider starting to talk about whether it opens the “circle of trust” to some non-Foundation employees in different time zones.
Oracle/Sun TCK Agreement
Mike Milinkovich indicated that the time had come to decide whether the Eclipse Foundation signs the Agreement. John Kellerman provided an overview of IBM’s concerns related to the Agreement. Janet Campbell noted that the Eclipse Foundation’s counsel and external counsel do not believe that the Agreement conflicts with the Eclipse Public License (EPL). Dennis Leung pointed out that the terms of the Agreement before the Board are the same terms that others in the ecosystem have been given, including commercial entities. John Kellerman asked what level of vote was required. Janet Campbell responded that a majority vote was needed.
Mike Milinkovich commented that finalizing the Agreement before the Board was done as a service to some Projects to allow them to certify to the TCK and that the Eclipse Foundation did not have a strong perspective on executing the Agreement. Mike added that the Board should consider what level of review and approval should be required to allow additional projects to use the TCKs and proposed that a super majority vote be required. Such a vote would be triggered at the request of the PMC of the Project. Ed Merks questioned whether the Board wanted to review this type of decision on a case by case basis. Paul Lipton questioned what the implications would be on the user. Mike responded that for some users, this would be considered a good thing in that they would get a compliant application. Mike added that for an application server such as Virgo, having a compliant solution would help them.
Enterprise Bundle Repository
John Kellerman provided an overview of an IBM proposal to host OSGi bundles at Eclipse in support of the OSGi ecosystem, the related slides for which are attached as Exhibit E. John indicated that IBM is now proposing to have Eclipse Marketplace point to templates, and that the existing bundles would continue to exist where they exist. Paul Lipton asked why the change. John responded that IBM was concerned about distributing non-IP cleared material from Eclipse. He also said that it would relieve space and bandwidth concerns. The builds would happen on individual’s machine. Paul Lipton asked if it would be clear to individuals downloading that they are not getting the material from Eclipse. John Kellerman and Pat Huff indicated that it is not currently as clear as it could be that the material originating from Eclipse Marketplace has not been IP cleared. Paul Lipton indicated that he agreed. John concluded by indicating that he did not believe that there was anything related to the proposal that the Board was required to vote on.
Management Reports
Chris Larocque provided an update on the Eclipse Foundation’s operations and finances. Mike Milinkovich provided an update on EclipseCon 2013, the related slides for which are attached as Exhibit G. Mike indicated that it would be held at the Seaport Hotel and Trade Centre in Boston, MA March 25-28, 2012. Dennis Leung asked what the feedback was on having the event on the east coast. Mike Milinkovich responded that the feedback was generally positive. Dennis asked what the other candidates were. Mike responded that they included Miami, Philadelphia, and Atlanta, adding that the Seaport offered great rates.
Mike added that the semi-annual training series is gearing up, and that the Eclipse Foundation is getting ready for the Juno launch.
Mike Milinkovich provided an overview of the Eclipse Open Source Developer Report, the related slides for which are attached as Exhibit H. Mike commented that the Eclipse Foundation runs the survey itself using survey monkey every year and gets great press related to the survey.
Mike Milinkovich provided an overview of the Eclipse Foundation Membership and Key Performance Indicators. Mike highlighted the fact that the number of Projects using Git at Eclipse has now surpassed 50%. Ed Merks expressed a concern that Git tooling was still very poor.
Industry Working Group Updates
Mike Milinkovich provided an update on the Long Term Support Industry Working Group, the related slides for which are attached as Exhibit K. Mike added that the goal is that for SR1 in September the Eclipse Platform and Webtools will have moved over to the CBI.
John Arthorne indicated that the Eclipse Platform was having difficulty getting their release out this year because they are having difficulty testing, primarily on Windows and Mac where the hardware isn’t to the level that the Linux boxes are. Mike Milinkovich responded that he had no idea that the issue existed and commented that if the Eclipse Foundation could solve this issue by buying a faster Windows box, then the Foundation should pursue that solution. Mike further asked that if there was a bug on the issue to please copy him on it.
Mike Milinkovich provided an update on the Polarsys Industry Working Group, the related slides for which are attached as Exhibit L.
Mike also provided an update on the Automotive Industry Working Group, the related slides for which are attached as Exhibit M.
Finally, Mike provided an update on the Location Industry Working Group Proposal, the related slides for which are attached as Exhibit N. Mike indicated that in this final case, there were quite a few existing assets looking for a new home with a lot of companies and organizations already involved. Mike added that the existing organization was dissolving and that provided a resulting opportunity for the Eclipse Foundation. The following resolutions were passed unanimously:
RESOLVED, the Board approves the creation of information technology (IT) infrastructure for the Location IWG forge. Such IT infrastructure will be hosted and supported by the Eclipse Foundation)
RESOLVED, The Board unanimously approves the use of the GNU Lesser General Public License (LGPL) for the following third-party components distributed by projects hosted by the Location Industry Working Group:
Geotools, JTS, and GEOS, including their dependencies licensed under either the LGPL, or other licenses previously approved by the Board.
Such projects must be clearly be identified as separate and distinct from Eclipse Foundation projects, hosted on a web property other than eclipse.org, and not using the org.eclipse namespace.
RESOLVED, that the Executive Director of the Corporation is hereby authorized and empowered, for and on behalf of the Corporation, to retain such advisers, to execute and deliver such documents, papers or instruments and to do or cause to be done any and all such other acts and things as he may deem necessary, appropriate or desirable in connection with establishing the Location Industry Working Group as described in the presentation made to the Board on this day and attached to the minutes of the meeting as Exhibit N, and the taking of any such action shall be conclusive evidence of the approval thereof by this Board of Directors.
Strategy Discussion
Mike Milinkovich introduced a discussion of the Eclipse Strategy, the related slides for which are attached as Exhibit O.
Oracle/Sun TCK Agreement – Continued
Mike Milinkovich commented that IBM ships many products based on Apache code that is encumbered by all the obligations of the TCK before the Board and more. Pat Huff responded that that was true. Mike further commented that Oracle wants EclipseLink to certify Eclipse and that not renewing the TCK Agreement would impact Oracle as well. They would need to take EclipseLink elsewhere. Dennis Leung commented that it would have to be a catastrophic event. Mike added that the TCK terms before the Board are the terms that govern the entire Java ecosystem. Dennis Leung added that he believed it has always worked this way and that while Oracle was flexible on the term of the Agreement, the remaining terms are the same for everyone. Paul Lipton commented that there was risk, as there always was, but that it appeared to him to be quite small. Paul added that it appeared to be significant value and small but non-zero risk. Steve Winkler added that approval would be on a case by case basis and so risk was limited from that standpoint as well.
Following discussion, the Board formulated the following draft resolutions to be used as the basis for an electronic vote to follow the Board meeting:
RESOLVED, the Board authorizes the Executive Director to execute the Java TCK agreement as negotiated with Oracle, as well as any Addendums to that Agreement that are approved by the Board as per the following process:
- The Project PMC has publicly discussed and approved a Project’s request for TCK access, and requests access from the EMO;
- A Strategic Member supports the Project’s desire to use the TCK; and
- The Board has approved the use of the TCK by the Project by a super-majority vote of the Board.
RESOLVED, the Board approves licensing the use of the TCKs by the EclipseLink Project for the following JSRs: 317, 314, and 222.
RESOLVED, the Board approves licensing the use of the TCKs by the Virgo Project for the following JSRs: 196, 250, 907, 245, 52, 315, and 316.
Annual Community Report
Mike Milinkovich referred the Board to the draft Annual Community Report, attached hereto as Exhibit Q. Mike invited comments on the document and indicated that a vote on the document would follow the meeting and be held as a vote in connection with the meeting pursuant to Section 3.12(b)(i) of the Eclipse Bylaws.
Mike Milinkovich indicated that he would get back to the Board on the schedule for the next face-to-face Board meeting in Europe. Mike Milinkovich declared the meeting adjourned at 12:53 pm Eastern time.
* * * * *
This being a true and accurate record of the proceedings of this Meeting of the Board of Directors held on June 19 and 20, 2012, is attested to and signed by me below.
/s/Janet Campbell
Secretary of Meeting | https://www.eclipse.org/org/foundation/boardminutes/2012_06_19-20_Minutes.php | CC-MAIN-2021-21 | refinedweb | 2,613 | 57.61 |
I am quite new to Python so my question might be silly, but even though reading through a lot of threads I didn't find an answer to my question.
I have a ...
I am trying to .split() a hex string i.e. '\xff\x00' to get a list i.e. ['ff', '00']
This works if I split on a raw string literal i.e. r'\xff\x00' using .split('\\x') ...
.split()
'\xff\x00'
['ff', '00']
r'\xff\x00'
.split('\\x')
Is there a way to get object.__doc__ as a raw string, apart from adding an 'r' in-front of the doctring itself in the source code?
I have latex code inside and the ...
object.__doc__
I'm having difficulties parsing filepaths sent as arguments:
If I type:
os.path.normpath('D:\Data2\090925')
'D:\\Data2\x0090925'
os.path.normpath(r'D:\Data2\090925')
'D:\\Data2\\090925'
While asking this question, I realized I didn't know much about raw strings. For somebody claiming to be a django trainer, this suck.
I know what an encoding is, and I ...
in python, given a variable which holds a string is there a quick way to cast that into another raw string variable?
the following code should illustrate what im after...
def checkEqual(x, y):
...
I want someone to type words in the console, and autocomplete from a list when they hit "tab" key. However, raw_input won't return a string until someone hits [Enter].
How do ...
raw_input
The following code with fail in Python 3.x with TypeError: must be str, not bytes because now encode() returns bytes and print() expects only str.
TypeError: must be str, not bytes
encode()
bytes
print()
str
#!/usr/bin/python
from __future__ import print_function
str2 = "some unicode ...
I'm not sure if I've phrased it correctly, but hopefully the example will clear it up:
re.search(fileMask.replace('*','.*?'),fileName):
str = r'c:\path\to\folder\' # my comment
I have a menu that asks for the user to pick one of the options. Since this menu is from 1 to 10, I'm using input besides raw_input.
My code as an ...
I have the string U, it's contents are variable. I'd like to make it a raw string. How do I go about this?
Something similar to the r'' method.
U = ...
>>> r"what"ever"
SyntaxError: invalid syntax
>>> r"what\"ever"
'what\\"ever'
r'what"ever'
What Python module can I use to extract certain chars from raw input?
Example: user types in "1J1J"... I want Python to extract both the "J"s.
Trying to clear up the reasons of what seemed to be a bug, I finally bumped into a weird behaviour of the raw_input() function in Python 2.7:
it removes the CR ...
I'm using raw_input to read from stdin.
I want to let the user change a given default string.
Code:
i = raw_input("Please enter name:")
Please enter name: Jack
How can I escape backslashe in string: 'pictures\12761_1.jpg'?
I know about raw string.
But how can I convert str to raw if I take 'pictures\12761_1.jpg' value from xml file for example?
If I assign unicode raw literals to a variable, I can read its value:
>>>'
>>> print s
????????? ??????????
I want to parse yaml documents like the following
meta-info-1: val1
meta-info-2: val2
---
Plain text/markdown content!
jhaha
load_all
>>> list(yaml.load_all(open('index.yml')))
[{'meta-info-1': 'val1', 'meta-info-2': 'val2'}, 'Plain text/markdown content! jhaha']
I read in a string from a GUI textbox entered by the user and process it through pandoc. The string contains latex directives for math which have backslash characters. ...
Given a file contains lines such as:
(?i:\bsys\.user_catalog\b)
r'(?i:\bsys\.user_catalog\b)'
import re name = raw_input("Enter Candidate's name : ") while len(name) < 3: name = raw_input("name must be at least 3 letters\nEnter Candidate's name :") regNo = raw_input("Enter registration number : ") keyword = re.compile(r"^[a-z|A-Z]\d\d\d\d\d\d\d\d$") while len(regNo) != 9 or not keyword.search(regNo): regNo = raw_input("RegNo ...
#!/usr/bin/python # Filename: login.py def authorizeUser(): inputUsername = str(raw_input("Username : ")) user = "user" if inputUsername == user: print "Logged in" else: ... | http://www.java2s.com/Questions_And_Answers/Python-Data-Type/string/raw.htm | CC-MAIN-2013-20 | refinedweb | 708 | 69.18 |
import "k8s.io/client-go/kubernetes/typed/batch/v1/fake"
Package fake has the automatically generated clients.
doc.go fake_batch_client.go fake_job.go
func (c *FakeBatchV1) Jobs(namespace string) v1.JobInterface
func (c *FakeBatchV1) RESTClient() rest.Interface
RESTClient returns a RESTClient that is used to communicate with API server by this client implementation.
type FakeJobs struct { Fake *FakeBatchV1 // contains filtered or unexported fields }
FakeJobs implements JobInterface
Create takes the representation of a job and creates it. Returns the server's representation of the job, and an error, if there is any.
Delete takes name of the job and deletes it. Returns an error if one occurs.
func (c *FakeJobs) DeleteCollection(options *v1.DeleteOptions, listOptions v1.ListOptions) error
DeleteCollection deletes a collection of objects.
Get takes name of the job, and returns the corresponding job object, and an error if there is any.
List takes label and field selectors, and returns the list of Jobs that match those selectors.
func (c *FakeJobs) Patch(name string, pt types.PatchType, data []byte, subresources ...string) (result *batchv1.Job, err error)
Patch applies the patch and returns the patched job.
Update takes the representation of a job and updates it. Returns the server's representation of the job, and an error, if there is any.
UpdateStatus was generated because the type contains a Status member. Add a +genclient:noStatus comment above the type to avoid generating UpdateStatus().
Watch returns a watch.Interface that watches the requested jobs.
Package fake imports 9 packages (graph) and is imported by 4 packages. Updated 2018-07-02. Refresh now. Tools for package owners. | https://godoc.org/k8s.io/client-go/kubernetes/typed/batch/v1/fake | CC-MAIN-2018-34 | refinedweb | 264 | 53.37 |
I have a SQL statement similar to:
SELECT DATEDIFF(Day, startDate, endDate) FROM Data WHERE ProjectId=@id
In the case where
Data doesn't have any records for
ProjectId, SQL Server returns null.
In Dapper, I execute this via:
value = conn.Query<int>("...").SingleOrDefault()
In this case, I expect the semantics of
SingleOrDefault to mean "if this is null, return zero." In fact, my code is even more zero-friendly:
int toReturn = 0; using (var conn = ...) { toReturn = conn.Query<int>("SELECT DATEDIFF(...))"); } return toReturn;
When I debug and step into this code, I find that the line
yield return (T)func(reader) is throwing a null pointer exception.
Am I doing something wrong here, or is this by design?
(FYI, the work-around is to wrap my select in an
ISNULL(..., 0))
In the case where Data doesn't have any records for ProjectId, SQL Server returns null.
In the case where
Data doesn't have any matching records, SQL server does not really return null - it returns no rows. This scenario works fine:
var result = connection.Query<int>( // case with rows "select DATEDIFF(day, GETUTCDATE(), @date)", new { date = DateTime.UtcNow.AddDays(20) }) .SingleOrDefault(); result.IsEqualTo(20); result = connection.Query<int>( // case without rows "select DATEDIFF(day, GETUTCDATE(), @date) where 1 = 0", new { date = DateTime.UtcNow.AddDays(20) }) .SingleOrDefault(); result.IsEqualTo(0); // zero rows; default of int over zero rows is zero
both of which work fine. The fact that you say
ISNULL "fixes" it means that you are talking about a different scenario - the "I returned rows" scenario. Since that is the case, what your code is saying is "take this 1-or-more integers which contains a null, and map it as a non-nullable int" - that isn't possible, and the mapper is correct to throw an exception. Instead, what you want is:
int? result = connection.Query<int?>(...).SingleOrDefault();
Now, if there are rows, it is mapping the value to
int?, and then applying the single-or-default. It you want that as an int, then maybe:
int result = connection.Query<int?>(...).SingleOrDefault() ?? 0;
If you need to be able to tell the difference between "zero rows" and "null result", then I would suggest:
class NameMe { public int? Value {get;set;} } var row = connection.Query<NameMe>("select ... as [Value] ...", ...) .SingleOrDefault(); if(row == null) { // no rows } else if(row.Value == null) { // one row, null value } else { // one row, non-null value }
or something similar | https://dapper-tutorial.net/knowledge-base/13127886/dapper-returns-null-for-singleordefault-datediff------ | CC-MAIN-2019-04 | refinedweb | 406 | 56.45 |
Football How did the Bucs fare against the Monsters of the Midway? PAGE 1B > o 5 -,,-tI,% 4 .I 'H (" FORECAST: Areas of S -- /78 fog in the morning, SL / then mostly sunny. ...... ..... ... 53 'Partly cloudy tonight. 0 = ,., ___-, = PAGE 2A ," IJ =- 'i' -' '- ;....,.,. .',-,......r ,,---- .. ,+ .",, .;' '. " .'.r f'+ 4.j* V'V,.-, ; ;:':'% ' .* . A near- packed Church's house of churchgo- ers filled .W the sanctu- -. morning at prayers are .~L ySna prayers Mare the new home of the First answered eBaptist Church of Inverness. First Baptist Church of Inverness moves into new home KHUONG PHAN .. kphan@chronicleonline.com Chronicle With his eyes still red from crying, the Rev. Donnie Seagle stood before his congregation Sunday morning at the First Baptist Church of Inverness.. and let loose a big, "Welcome home." Thus began the first service for the church at its new home on Pleasant Grove Road. A stalwart in the community, First Baptist first opened its doors 99 years ago and, as the m church grew, it established a .,,,. , place in downtown Inverness . on Seminole Avenue in the 1960s.& With continued success, the congregation kept growing and while the word of God was still stay in downtown, but we were limited," Carl Taylor of the church's steering committee said. "We were basically land- locked and couldn't grow any larger and things like parking se,5i Z became an issue." Church officials realized that they had to act, and plans ... : to find a new space began . more than decade ago. "I've been on this project since 1992," Inverness mayor- and church member Bob. Plaisted said. "We went through some long-range plan- h ning to see what our needs were. We found that our growth rate in 1997-98 was about an 11 percent increase annually, and we knew we had to do something." According to Denby Shields, head of First Baptist's building committee, in the late 1990s MATTHEW BECK/JChronicle The Rev. Donnie Seagle of First Baptist Church of Inverness delivers a passionate message Please see CHURCH/Page 11A Sunday during his first sermon in the new church, located on County Road 581 in Inverness. TopDam: Troop surge OIL for now "Copyrighted Material SyndicatedContent Available from Commercial News Providers" - Students don caps to help former teacher at LHS the ban on head coverings was She and her family moved lifted Friday for Lecanto High to Citrus County about three School students a student- years ago from St. Petersburg. led event to raise money for a Teaching students with dis- teacher in need. abilities, Coward earned the For $1, students could wear respect of her peers. In her a hat during the day, with the time at the school, Coward was money raised going to a for- named Lecanto High's mer teacher currently battling Carolyn Teacher of the Year, and in cancer. Coward January 2005 she was promot- Teacher Carolyn Coward may ed to a position as an ESE cur- have left Lecanto High School about a riculum specialist at the district office. year ago, but the former Teacher of the After earning a graduate degree in Year currently battling cancer is still on educational leadership from the the minds of staff and students. University of South Florida, Coward had plans to work her way through the ranks to one day become a principal. Working with children has defined much of Coward's life. She remem- bered playing school with her sister growing up. Coward was always the teacher. "I can't imagine myself being any- thing else, except maybe a TV net- work chef," Coward joked. Coward, 36, was first diagnosed with breast cancer in 1999. After some chemotherapy, she recovered for a bit, but doctors found more of the cancer in March 2005. Coward was on a chemotherapy schedule that meant three weeks of treatment, with a one-week break before the cycle began again. She's undergone three different types of chemotherapy and doctors have told her that her body is acting chemo-resistant. She is currently enrolled in a clinical trial in efforts to make more progress in battling the disease. She's hopeful. Since her diagnosis, this is the first time the disease has slowed her Please see HATS/Page 4A Suncoast Parkway 2 Web site to undergo revamp as officials regroup TERRY WITT terrywitt@ chronicleonline.com Chronicle The never-completed Sun- coast Parkway 2 federal envi- ronmental study has died, and its former Web- site will soon meet the same fate. X Annie's Mailbox .. 6B Movies .......... 7B : Comics ......... 7B F Crossword ....... 6B Editorial ........ 12A Horoscope . . . 7B Obituaries .... . 6A Community . 8A, 9A 7 Two Sections 6 8 2 5 I1 lll8~ l~l4578 20025' 11111 Florida Turnpike Enterprise officials announced in their December Suncoast 2 newslet- ter that the Web site will be dis- continued Dec. 31, along with the toll-free information line. The closing of the Web site is related to FTE's decision to halt its federal Project Development and Engineering Smith brings 'Happyness' to audiences I .l~ *,. IJ, i1ro Heartwarming father-son story takes top spot at box office./2A (PD&E) study The study was stopped at the conclusion of a lawsuit that delayed it for two years. The agency instead has dust- ed the cobwebs off an approved 1998 PD&E study that was never used, but the change of studies has made some of the information on the old Web site outdated. There is no longer an Environmental Resource and Regulatory (ERRAG) group or a Suncoast Parkway Advisory Group (SPAG), and the old proj- ect schedule and alternative alignments map are no longer relevant. Messages posted on the home page of the Suncoast 2 Web site say project activity is to resume soon, that the feder- al aid study was discontinued and the 1998 state-funded PD&E study is to be re-evaluat- ed. A new version of the Web site will be developed as the next stage of the project begins, Photo ban spawns lawsuit Mother sues because school won't put son's sen- ior portrait in school year- book./13A according to FTE. Much of the uncertainty about Suncoast 2 surrounds the potential route through west- ern Citrus County. The four- lane toll road will pass through two conservation areas the Lecanto Sandhills and Please see PARKWAY/Page 5A Measuring Jeb's shadow * Governor leaves behind legacy in Florida./3A * Lawsuit targets 'first strike' desig- nation for collec- tor coins./3A * Commission accepting applica- tions forjud icial post./3A Python control in the Everglades is a painstaking, around-the-clock slog./6A $1 donation lets kids flaunt headwearfor a day CRUSTY LOFTIS cloftis@chronicleonline.com Chronicle Typically, wearing a hat to school means high school students lose a hat and get a call home to their folks. But Snakes in the 'Glades wow d*mq* 0 w I- ~S - *T. OSOS - 0 S S U - S S 0 6 S 0 -- U * * U U U U 0 U 0 U-U. S m ~* .0-aw ft 4 40 40 0m d lw-- mm qmw l 40 %NOW * O f S. 0 - - U. S 4bQ-dO- -mo~be-t * U b - 0 - S %. * -- 0 'lisp * U4 - 0 -a f t 4b U U S - U. -~ - * S Gwb - U.. - - U. - - U. -- - 5 0 -e - - * U U. ~ - - - - - - 0 - - U. ."Copyrighte hMater 1 indicated Content -Available from Commercial News - __ Psmm L. ob4000 4p -q mg w- 4w asup--& *S U 0 d -now- 0w - 4b -f I' ~ 5 0 -S U- U S S.U - U- U 5-- U U.- -~ - S U.- - * U. S * - S - U - 0 - - S - - ~0 U. _ - - - 461 quo. 4op S---won 411 AVA. 4W .-No - .w m MUM. lo- 4- up-%. -p -AW Mole___p - moaim- Sm " -0-maw. 4000 . via l - Providers'-' - 0 -- -U. ~ S - -U ~ S .U S~ U. U. - * 0 U-.S m -~ U. U. -~ * C ~ 0 - U. -~ U. - * S U. U-U. ~U ~- U U. - i rb so e oo -=gloom 40AM a' a UV - ~ m - ?tbO?? - 0. - - * S ~ * S ~ * 0 * * S * db -U. GN- lmpm 0 qw 41. 4m q .U ftbq ---.M . 41M %pq 4w4D 0 *0 440 qbqab .w 0 00 U. ~ 4b 0 0 0 . mfm-m 0- U ~. GNP d-=w __U__0000M -40 -.- UI qwo 4. U 0.dm U-S qD a - o o d6ift 4opm- WMPMM ,vo, DECEMBER 1 8, 2006 An____ AdhL- r.X~ u~w low ~ipm.m mwa m g q "Copyrighted Material Syndicated Content Available from Commercial News Providers" 0 a * - ~.- ~. Service seeks funding proposals Special to the.Chronicl ;e The U.S. Fish and Wildlife Service is seeking proposals for conservation projects to benefit imperiled species on private lands through its Private Stewardship Grants Program. This program provides feder- al grants on a competitive basis to individuals and groups engaged in voluntary conserva- tion efforts on private lands that help federally listed endan- gered or threatened species as well as proposed, candidate and other at-risk species. The Private Stewardship Grant program is just one of a variety of tools available under the Endangered Species Act that help landowners plan and implement projects to conserve species. These grants and coop- erative agreements provide incentives to foster citizen par- ticipation in the stewardship of our nation's natural resources. In 2006, the service awarded 80 grants totaling more than $6.9 million to individuals and groups to undertake conserva- tion endan- gered black-footed ferret. Trout Unlimited in Lincoln County, Wyoming was awarded $120,000 to return water flows to a portion of Grade Creek, which enabled Bonneville cutthroat trout to return to their historic spawning grounds. Landowners and their part- ners must submit their propos- als to the appropriate Regional Offices of the Service by Feb. 14. For information regarding this grant opportunity and how and where to submit proposals, visit the Service's Private Stew- ardship Grants Web site at: grants/private_stewardship/ index.html.. For more information about the U.S. Fish and Wildlife ,Service, visit All in a dog's work BRIAN LaPETER/Chronicle Pleasant Grove Elementary School fourth-grade teacher Sara Toxen and some of her pupils pet Kong, Sheriff's Deputy Bobby Price's K-9 partner, Wednesday during a demonstration at the school. Toxen's pupils brainstormed what they learned after the session to help with a writing project about the benefits of being partnered with a police dog. L~wg -i- imath 5th Circuit Judicial d f' M hr Nomination Commission accepting applications "Copyrighted Material Syndicated Content Available from Commercial News Providers" Special to the Chronicle The 5th Circuit Judicial Nominating Commission is accepting applications for a circuit judge position in Marion County. The Circuit Court position mandates residency within the 5th Circuit at the time of taking office. Additionally, applicants must be registered voters, and members of The Florida Bar for the past five years. Applications may be down- loaded from The Florida Bar Web site,, and are also available between 8 a.m. and 5 p.m. Monday through Friday at the office of the chairman, Lisa D. Hern- don, State Attorney's Office, Citrus County, 110 N. Apopka ON THE NET www floridabar.org Ave., Inverness, FL 34450. An original, plus nine copies of the completed application, must be received by Herndon at the aforementioned address no later than 5 p.m. Jan. 10. Also submit a photograph with each application. Applicant interviews will be Jan. 23 and 24 at the Marion County Judicial Center, Court Administrator's Office Con- ference Room, 5th Floor, 110 N.W First. Ave., Ocala, FL 34475. A list of the members of the 5th Circuit Judicial Nom- inating Commission is avail- able at. County :e s-. Museum announces holiday closing dates The Old Courthouse Heritage Museum will be closed Monday, Dec. 25, and Tuesday, Dec. 26, in observance of the Christmas holiday. The museum will re- open at 10 a.m. Wednesday, Dec. 27. Regular museum hours are 10 a.m.1o' 4pimvIMonday - through Fhiday For information, call Laurie Diesller at 341-6429. Holidays postpone some trash pickup FDS Disposal Inc. will not offer trash pickup on Christmas Day and New Year's Day. Customers whose regular col- lection day is Monday will have service the following Thursday instead. For more information, call 746-0617. From staff reports S-! g-- C - 700 u am 'CO * re tn 1o.oe* T o -o.c Vb am -C 0 Florida Lottery results in rollover TALLAHASSEE No ticket matched all six Florida Lotto numbers, resulting in a rollover that produced an estimated $6 mil- A lion jackpot for the next drawing, lot- tery officials said Sunday. A total of 49 tickets matched five numbers to win $7,195.50; 3,017 tickets matched four num- bers for $95; and 67,124 tickets matched three numbers for $6. The winning Florida Lotto numbers selected Saturday: 1- 6-32-38-41-53. From wire reports /1 I' I I t o qlD - .0 t t 'dWOAMIL S4A MONDAY, DECMBER 18, 2006 CrrRus CouNTY (FL) CHRONICLE * 4 A M ONDAY., D I'.CIs:M BiR 18, 2006 .,.... ....... ....... ... .. ... .. .............._.- - For the "Copyrighted Material -* Syndicated Content Available from Commercial News Providers" HATS Continued from Page 1A down, Coward said. She hasn't been able to work since November, and plans to submit a formal resignation in the next week to spend more time with her 3-year-old son, Chris, and focus on getting better. Lecanto's Student Govern- ment Association group began planning the fundraiser for Coward a few weeks ago. None of the teenagers were sure their peers would be excited about participating in the hat day fundraiser for Coward. But SGA organizers Natalie Burnett, Melissa Cox and Janelle Dicks were over- whelmed when more than 700 students were wearing hats by the end of the day "Some people have come up and given like $5 and just said 'Here,' even though they don't have a hat," Melissa said. By the end of the day, stu- dents donated $1,148 to go to Coward to use as she needs. "I am shocked and over- whelmed," Coward said. "It never ceases to amaze me the flow of love and generosity from Lecanto High School." Assistant principal Doug Connors isn't surprised by the reaction from students and staff. "She's one of ours," Connors said, describing the school as a big family Money for the Coward family three has been tight. Coward's husband, Kevin, is also a school teacher. He works in St. Petersburg where he com- PAIN MEDICATION SHOULD HELP YOU, NOT HURT YOU. Do you take daily medicine to fight pain from arthritis or another condition that causes chronic pain? If so, you may qualify for a research study of an investigational medication that may provide pain relief and reduce the risk of gastric ulcers. To participate, you must: Have a condition requiring daily nonsteroidal anti-inflammatory (NSAID) therapy for at least six months. AND Be between ages 18-49 with a history of an uncomplicated ulcer within the last five years OR Be over age 50 (no medical history of ulcers required) Qualified subjects may be compensated for time and travel. AlII study- related medical care and diagnostic testing provided at no cost. .For more information about this research study, ' l 'rid.'I'. [I please call 352-597-8839 (352-59-STUDY) Participation is completely voluntary R '. 'd- l Mildred V. Farmer, MD, 12144 Cortez Blvd., Brooksville, FL 34613 693462 What if you could give someone a gift that could I change their life? A membership to Curves may be the best present you'll ever give. Because along ith the beautiful certificate, someone will be getting the best excuse ever to meet new friends, accomplish new goals and feel a joy that will & last long after the holiday season. That's a ,j4. ,*JA powerful gift for $99. ..ft Th r to z y ef w amazeg The power to amaze yourself." Inverness 465 S ; Croft Ave (Parkside Plaza) mutes each day. The reason why he doesn't work in Citrus County is because the local school district's insurance plan caps out on medical payments at $1 million an amount. Coward's medical bills will exceed this year. Hillsborough County School District's plan has no cap. "I'm so grateful for all that's been done the constant out- pouring of love and attention," Coward said. "When I have down days, and I have quite a few, I think of the kindness of these people and it makes it more bearable." Citrus County Sheriff DUI arrest Joseph C. Arruda, 43, 13815 Cox, Hudson, at 2:30 a.m. Sunday on charges of driving under the influ- ence, marijuana possession and possession of drug paraphernalia. Bond was set at $1,500. Other arrests Christopher Joseph Coppolino, 32, 27 Chinaberry, Homosassa, at 9:02 p.m. Saturday on charges of possession of a con- trolled substance and possession of drug paraphernalia. Bond was set at $6,000. Becky Jo Doughty, 34, 10607 Jepson,, Orlando, at 7:19 p.m. Saturday on charges of marijuana possession and possession of drug paraphernalia. Bond was set at $1,000. Justin M. Garret, 18, 6515 42nd, Bradenton, at 10:15 p.m. Saturday on charges of possession of a controlled substance and carry- ing a concealed firearm. Bond was set at $4,000. Arvilla Jean Komar, 29, 51 S. Monroe, Beverly Hills, and Ross E. Sullivan, 33, 31 Roosevelt, Beverly Your Holiday Shipping Experts ,-.' ,. SHIPPING PACKING ,I'?L, -''--.. .BOXES NOTARY :~;. - FAX COPIES Authorized Shippers j RCack-N-Post 650 SE Paradise Pt. Rd. S:, Hwy. 19 (next to Suntrust Bank). Crystal River, FL 34429 352-795-1085 Fax 352-795-0659 ,, packnpost@tampabay.rr.com BLINDS WE'LL MEET OR BEAT ANY COMPETITORS PRICE* The Savings Are Yours Because The Factory Is Ours! FAST DELIVERY PROFESSIONAL STAFF 72 HO IUND FACTORY In Home Consulting FRE Intallation LECANTO -TREETOPS PLAZA 1657 VV GULF TO LAKE HWY HOURS: MON.-FRI,9AM 5PM I 2' TOLL FREE 1-877-746-0017 E vn de o kcvxndalbyAppiantmt J 5 2 \p 7 0~ 0~ 12* w ' 352-726-2424 New members only. Valid only at participating locations now. I iSOLATUBE (.j vi"1,1 f- lfi) Jl dink i-oomin about -r'Irs 13624 S. US H Iii 441 ON THE NET Fcr nir .Ir inll rniniitir.i1 b-'.'lut -11 i1 i J Llr L b , t ~'-I. I it h r .U IDL I n - II Felini t'. tt-ie Arrest Hills, at 1:36 a.m. Sunday on a charge of aggravated battery with a deadly weapon. According to the arrest report, Komar and Sullivan got into an argu- ment that escalated physically and resulted in Sullivan hitting Komar with a beer can. Komar then hit Sullivan with a stick and Sullivan reportedly hit her back with the stick. Bond was set at $5,000 each. Cathy Jo Smith, 36, 441 S. Covelake, Inverness, at 8:56 p.m. Saturday on a charge of possession of drug paraphernalia. She was released on her own recognizance. Benjamin R. Vincent, 24, at 12:56 a.m. Sunday on a charge of burglary of a dwelling and two counts of petit theft. Bond was set at $15,500. Crystal River Police Arrests Jessica M. Defazio, 20, 1454 S. Colonial, Homosassa, at 4:37 p.m. Saturday on a charge of petit theft. Bond was set at $250. Sean Delmain, 21, 64 N.E. Eighth, Crystal River, at 11:06 a.m. Saturday on charges of possession of a controlled substance within 1,000 feet of a school with intent to sell, possession of a controlled sub- stance, possession of drug para- phernalia and resisting/obstructing an officer without violence. According to the arrest report, a search of Delmain's home yielded a find of 55 grams of marijuana, sev- eral plastic bags used to package the drug and digital scale to meas- ure it. During the search, Delmain ran from the scene and hid in a wooded area. Bond was set at $8,000. Helping To Correct Dog Behavior Problems * Heel On and ON Leashi Come When Cal * SI Say. Dor Both INNOTEK Yard Containment .:'- On and Off Leash ." . A 11 lr,eti lt d .Of ,,i ,1C1 0 i ,, h1 irC nI' I .1'cI .dlen ,'ili c' L IiiJI l Bi- j- g . HO, HO, HO! Have A Nice Wash! BRUSHLESS 100' TUNNEL FREE UNDER CARRIAGE WASH Hand-Wax $ l95 Trucks, Vans & 4-Wheel Drive Extra SPEC Tax SExpires 12/31/06 Inverness Car Wash Detailing & Polishing -cnRONICLE Floridia's Best Cornmunity "NewspapL Serving Floeid a" Best Comrnirn ty Call now for home delivery by our carriers: Citrus County: (352) 563-5655 Marion County: 1-888-852-2340 or visit us on the Web at .html to subscribe. S13 wks.: $34.00* 6 mos.: $59.50* 1 year: $105.00* *Plus'6% FlorioHda sales tax " For home delivery by mail: In Florida: $59.00 for 13 weeks Elsewhere in U.S.: $69.00 for 13 weeks To contact us .; your service 563-5655 Call for redelivery: 6 to 11 a.m. Monday through Friday 6:30 to 11 a.m. Saturday arcrest office 1624 N. Meadowcrest Blvd. Crystal River, FL 34429 Beverly Hills office: Visitor -. II . ~1 .1 I l th ," ;., . '., , ,* ,!rienn t ' nAaries 89 W. Gulf to Lake Hwy., Lecanto next to Smart Interiors 527-2556 , Hours: 10-5 Mon. thru Fri; 10-2 Sat. 604027 Deck the Halls with Natural Light and Elegance Celebrate the season in style with a new look for your home from EntryPoint. Decorative doorglass adds beauty and natural light o0. (Heando Pmlaza Hemando, FL Holiday Specials Expire 12/22/06. Not valid wthany other offer. Vaid on decorative doorglau only, 25 o Half off Doorl ass Funstallaton $50off station 10ialE -MPDW II i,.' 6.'.-,t .' 1 SECOND CLASS PERMIT #114280 360 wy *1 HmoasaF 3771 3.2)62-25 Where to find us: Inverness office 41 44 -: z 106 W. Main St., Inverness, FL 34450 Bathe you'r 110,11le in suldight, Reveal your home's trat, volors Increase the eller q effidolcy of Your houle 4 1 1 Ocahi .,07 wivw.TheSolarGo .,com 3 52) -7077 viv, rt' License #4CGCnS7209 Shutters Cryj .M ---------- MONDAY, DECEMBER 18, 2006 5A - 0 . a - : "CopyrightedMaterial SyndicatedContent - Available from Commercial News Providers" PARKWAY Continued from Page 1A Annutteligia Hammock and may impact a number of subdi- visions. The old corridor map pro- duced by FTE shows the 10 possible routes for the 26-mile toll road. The map is posted in the Lecanto Government Center and shows the subdivi- sions that would have been impacted. In the latest Suncoast 2 newsletter, the old corridor map has been replaced with a color map showing the approved route for Suncoast 2 from the 1998 study, but it lacks enough detail to see subdivi- sion plat lines or individual properties. Hurley said that is no acci- dent. She said the entire route must be re-evaluated to deter- mine what has changed since 1998. She said some portions of the route may have to be tweaked. She said engineering teams will be hired to evaluate the If So at You Need A Plaster -- Surgeon! j : .- Call for a FREE ESTIMATE with Greg's Marcite, Inc. 352-746-5200 Diamond Brite Florida Gem Marcite s2149 Licensed & Insured CC #2636 Eastizg the burdenfor the loved ones left behind. TN- INSIDE Cc-c sEAIR 'Freeoe Hearing Aid Repairs all makes and models' Crystal River Mall _Inof.. pa..onl.. ,mutpr=. c.up.n 795-1484 Battery Salel *Paddock Mall, Ocala 099 237-1665 Iccc (Limit 2 packs) If~opcr 'Y~ u pI (I IK LF . I, INSIST ON A PROFESSIONAL ALUMINUM CONTRACTOR .... -- -" -', ( Rooms k- Vinyl & Glass SAluminum, Inc Windows A.L N Roofovers 5 COMPLETE ALUMINUM SERVICE *Siding "1 !* *Hurricane S.. 30 Years as Your Hometown Dealer Protection " Fi E Citrus County's Leader in Hurricane Protection Gutters :, -' h. Hwy. 44, Crystall River Soffits & Tseys BEST 795-9722 Fascia SHam E ET 1-888-474-2269 ( ) wings S:: Rooms -"--; -- _-: .._- I --":" L.censed &A Irnsureo L'c tPRR-O42385 **K* B^TO^9cOcUP Q/^ H w 10X12 SHED S* 60" Door 2 Windows 2 Vents Elec p1767 12X20 CARPORT Certified Steel Building Meets All Florida Building Codes i $795 "I,, PROBUILT A h'< ctric r 9wide~wt * Standard Features Limited Lifetime Warranty 150 mile wind load -DCA Certified & Engineered [ 0ap oe C L wi,-.DS.S P.A.: / /. ,~7 --~ la m For a limited time only... You can have the prestige of Mausoleum Entombment for less than $847 * APD (automatic payment draft) a person per month. YES... Please provide me information on the following at no obligation: D Free Consultation D Mausoleum Crypts I 0 Free Personal Planning Guide El Private Family Estates I l Burial at Fero Memorial Gardens Cemetery D Out of State Burial D 0 Burial at Florida National or Other cemetery D Cremation Services and Niches I I Patriotic Veteran packages L Bereavement Literature I NAME PHONE ADDRESS * CITY STATE ZIP Fero Memorial Gardens Cemetery (352) 746-4646 SP.O. Box640851, Beverly Hills, FL 34464-9989 Now On Sale Design By SKICHLER ip Fine Lighting Occasional Furniture Lamps SCeiling Fans Decorative Mirrors [m [ 352-732-9692 1839 SW College Rd. HOURS: M-F SAM-PM SAT I0AMA-PMAAI row. ~- - -'" O > " :MPLETE/IE Advance FUNERAL SERVICE Planning Makes A ONLY 1895 Difficult Time A Little Easier Construction has commenced on Building F of our Chapel Mausoleum. % .' Pe Cont "coS pea. ' Pre-Construction Special 3064 82* CITMIS rolINTV(FI,) CHRONICLE entire route. Residents will begin to seeing those teams in the field. "There's no point in putting out a map like the one you see in the Lecanto Government Center until we know exactly where the road is going," she explained. "We may have to tweak it a little to the left or the right." The tentative schedule for the 1998 project re-evaluation indicates the beginning of "design re-evaluation" will begin in the summer of 2007 and a public information meet- ing will be scheduled for the winter of 2007. , In the spring of 2008, the schedule indicates 30 percent of the design will be complete along with the re-evaluation. A public hearing is will take place in the winter of 2008, and the final feasibility analysis in the spring of 2010. FTE indicated it probably won't return with answers to the questions posed by Citrus County commissioners until mid-to-late 2008, when the design is expected to be 60 per- cent complete. . o - . . . as so SWff CITRUS COUNTY (FL) CHRONICLE, GANIlONDAY, fDECEMBER t8, 2006 Shirley Doucette, 74 HOMOSASSA Shirley Eilaine Doucette, 74, Homosassa, died Friday, Dec. 16, 2006, at the Hospice House of Lecanto. She was born Nov 17, 1932, in Luzerne, Pa., to 4 George T and Margaret L. Johnson Glass and moved to Shirley this area 20 Doucette years ago from Tampa. Mrs. Doucette was a former hostess and waitress for Emily's Restaurant in Homosassa and Jones Restaurant in Crystal River. She was a member of American Legion Auxiliary Post 155, Ladies Auxiliary VFW Post 8189 and Women of the Moose Chapter No. 1434, all of Crystal River She was preceded in death by her son, Forrest Wayne Godwin. Survivors include her son, Robert E. Godwin Sr., of Hom- osassa; two daughters, Kathy Ward and husband James of Homosassa, and Rosanna Godwin Field of Tampa; broth- ers, Robert E. Glass Sr. of Hom- osassa and Ron Glass of Birmingham, Ala.; sisters, Ginger Cataned of Brownsville, Pa., and Betty Eckley of Tampa; grandchildren, Jimmy, Wayne, Kimberly, Pamela, Robert Jr, Johnathan and Tracie; and great-grandchildren, Danielle, Preston, Heather, Geoffrey, Zachary, Brandi, Bailey and Dakota. Wilder Funeral Home, Homosassa Springs. Donald Richard, 51 HOMOSASSA Donald E. Richard III, 51, Homosassa, died Friday, Dec. 15. 2006, at his home. He was born March 14, 1955, 7-.' B in Meriden, - Conn., to Don- k ald and Sibella Richard. He 1 moved to Hom- osassa in 1984 from Meriden, Conn. He was Dconald the owner of Rich rd Richard's Electronics Inc. in Homosassa. He was a member of the Crystal River Moose Lodge No. 2013; the American Legion and the VFW, both of Crystal River; and the Fraternal Order of Eagles of Homosassa. Survivors include his wife, Vicki L. Richard, of Hom- osassa; two daughters, Kath- leen Sesler and husband Brice of Brooksville and Stephanie Richard and husband James A *g Webb of Homosassa; three brothers, Dave Richard of Southington, Conn., Scott Richard of Newington, Conn., and Michael Richard of Cape Cod, Mass.; two grandsons, Michael and Bradley Ciccone of Crystal River; sister-in-law, Teresa Moody, and brother-in- law, Dennis Moody, both of Homosassa; nephews, Vincent D'Agostino, Paul Vecchitto and Lonnie Trombly, all of Hom- osassa, and Russell Trombly of Manchester, Conn.; and niece Jessica D'Agostino of Fort Lauderdale. Heinz Funeral Home & Cremation, Inverness. Funeral Pat E. McConalogue. A cele- bration of life memorial serv- ice will be at 3 p.m. Wednesday, Dec. 20, 2006, at the Pine Ridge Country Club. In lieu of flow- ers, memorial donations may be given to Hospice of Citrus County, PO. Box 641270, Beverly Hills, FL 34464. Heinz Funeral Home & Cremation, Inverness. Donald E. Richard. Vis- itation will be from 2 to 4 p.m. and 6 to 8 p.m. Tuesday, Dec. 19, 2006. Funeral services will be at 2:30 p.m. Wednesday, Dec. 20, 2006, at the Heinz Funeral Home in Inverness. The Rev. Jonathan Beard will preside. Interment will follow at Fountains Memorial Park in Homosassa. Heinz Funeral Home & Cremation, Inverness. Death Clarence Smith WWII PILOT SACRAMENTO, Calif. - Clarence "Del" Smith, a World War II pilot who later ferried three California governors aboard the official state air- plane, World War II. iE. I 2W Funeral Home With Crematory Burial Shipping Cremation A. Member of Iha crnatioi d Order ofhel G( LDEN For Information and costs, call 686954 726-8323 3 - * a - . - biw~p.t. "v 4m -AD ~-401. - ~ --O 4D 4m - -u ~ qbw 4p * -.~- S. - - * - - -~ - - a - "Copyrighted Material 41. -- W.- o qqw - ftent -0 -W -- Syndicated Content-".-. Available from Commercial News Providers". -70 -q 0, "I a . -b .S S -IM M-" - - a - ~* . - - FOUNTAINS MEMORIAL PARK CEMETERY OFFERS PREPAYMENT OPTIONS. NO CREDIT TURNDOWNS. PAYMENTS TO FIT YOUR BUDGET. CALL TODAY 628-2555 HOMOSASSA A TRUE EXPRESSION OF LOVE A&I so $0 $0$0sso so$0s sos V'o io 50oV V ooo 10,00_0i 0'0'00~ 1 2 - 3 4 5 6 -7 8 - 9 Serving You For Two Generations i~iS~m-' .4aft S/r/c- and afql13r Iricklaofri Funeral Home and Crematory Since 1962 352-795-2678 1901 SE HWY. 19 CRYSTAL RIVER, FL 34423 r------'----------I I Better Hearing Is Our Business A Hearin Loss Is A Lot More noticeable Jerillyn Clark Than A Heoring Aid. S | e Board Certified l Licensed Hearing Aid Specialist I Advanced Family Hearing Aid Center I "A Unique Approach To Hearing Services" L6441 West Norvell Bryant Hwy. Crystal River 795-1775h= Geoffrey Roberts, D .0. PA & Darrin McGhan, PA. Accepting new patients at 756 N. Suncoast Blvd., Crystal River across from Dairy Queen. Providers for: Medicare Blue Cross Blue Shield Tri-Care Retired \.Will file to some other insurances. 602130 (352) 795-5544 Your eyesight is just fine. Some of our Medicare plans offer monthly health plan premiums starting at $0, as well as a list of other benefits. Seeing is believing. SecureHorizons health plans have benefits that go beyond Original Medicare. At one of our Medicare community meetings, you'll get answers to your Medicare questions and see how SecureHorizons health plans compare to Original Medicare. Some SecureHorizons health plans offer benefits like Medicare Part D prescription drug coverage, monthly health plan premiums starting at $0, wellness and preventative programs, predictable costs for doctor visits, vision and hearing and more. It's a list of benefits that go beyond Original Medicare. See for yourself. Call 1-800-273-5751 (TTY: 1-800-387-1074) to reserve your spot. And let us know if you require any special needs accommodations. You're invited to one of our upcoming Medicare community meetings. December 20, 2006 10:00 AM Misty River Seafood 4135 South Suncoast Highway Homosassa, FL December 21, 2006 9:30 AM Applebees 1901 West Main St. Inverness, FL SecureHorizonso II by UnitedHealthcare December 21, 2006 2:00 PM Oysters Restaurant 606 NE US Highway 19 Crystal River, FL The above Medicare Advantage plans are nJ lAi ,,' of' te allowing: United HealthCare ofAlabama, Inc., United HealthCare ofArizona, Inc., United HealthCare ofArkansas, Inc., ,I In'iA al i .,' of Florida, Inc., United HealthCare of Geoigia, Inc., UnitedHealthcare ofNew England, Inc., UnitedHealthcare ofNew York, Inc., I ',ti /Hlt; ild.' ,i', fNorth Carolina, Inc., tii ,.lHealthCare of Ohio, Inc., United HealthCare of Tennessee, Inc., United HealtbCare of the Midlands, Inc., United HealthCare of the Midwest, Inc., United HealthCare of Utah, Inc., UniteHealthcare of Wisconsin, Inc., UnitedHealthcare Plan of the River dildy, Inc., United HealthCare Isurmnce Company, Etware of Texas, LLC, PacifiCate, or PacifiCare of Colorado, Inc., MedicareAdvantage Organizations with a Medicare contract. Limitations, copayments and coinsurnce will apply. Benefits may vary by county and plan. A sales representative will be present with inTf,, Ii' ,111 Individual Election Forms. M0011_061024C (11/06) SHMR046443-O000 691639 Obituaries - omwps-amft 440-ft GOMMmob o qft 4 . . - qbw MONDAY, DECIEMBER 18, 2006 7A tt Ultimate Freedom! '~N *~ * 4. * g Xm "Any... PLAN gN g a i', , You have the ULTIMATE FREEDOM to see ANY DOCTOR, ANY TIME, ANY WHERE / Your Monthly Medicare Part B Premium of up to $93.50 will be refunded to you That's over $1100 CASH BACK each year! / SO Health Plan Premium / $0 Premium and SO Deductible for Medicare Part D Prescription Drug Coverage / AFFORDABLE, PREDICTABLE PHYSICIAN AND PRESCRIPTION DRUG COPAYMENTS 0 Time Wbe PLAN v/ World\\ ide Coverage / A 24/7 Medical Consult.tion line 4 HKS A B* *a a*** *. Attend one of our Free Luncheon Seminars to learn more. Bring a friend and learn about all the benefits you could be receiving. CHIEFLAND Bell's Restaurant 116 N Main St. 19-Dec at 10:00 AM El Paso Mexican Restaurant 10 S Main St. 18-Dec at 10:00AM 28-Dec at 10:00 AM CRYSTAL RIVER Applebee's 200 N Suncoast Blvd. 19-Dec at 10:00 AM 22-Dec at 10:00 AM 26-Decat10:00 AM 28-Decat 10:00AM 29-Dec at 10:00 AM Chili's 140 N Suncoast Blvd. 18-Decat 10:00AM 21-Dec at 10:00 AM 21-Dec at 3:00 PM 27-Dec at 3:00 PM 29-Dec at 10:00 AM China First 618 SE Hwy. 19 29-Dec at 11:00 AM Plantation Inn 9301 West Ft. Island Trail 18-Dec at 3:00 PM 20-Dec at 10:00 AM 27-Dec at 10:00 AM QAINS~YILLE Chili's 3530 SW Archer Rd. 20-Dec at 10:00 AM 29-Dec at 10:00 AM HOMOSAQ$M Margarita Grill 10200 rW Halls River Rd. 19-Dec at 10:30 AM 20-Dec at 10:30 AM 26-Dec at 10:30 AM 27-Dec at 10:30 AM 29-Decat3:00 PM HOMOSASSA SPRINGS Misty River Restaurant 4135 S Suncoast Blvd. 20-Dec at 2:00 PM 26-Dec at 10:00 AM 28-Dec at 2:00 PM INWRN^SS Applebee's 1901 W Main St. 20-Dec at 10:00AM 21-Dec at 9:30 AM 22-Dec at 10:00 AM 29-Dec at 10:00 AM Evergreen Buffet 238 US Hwy. 41 21-Dec at 10:00 AM Golden Corral 2605 E Gulf to Lake Hwy. 18-Dec at 10:00AM 19-Dec at 10:00 AM 27-Dec at 10:00 AM 28-Dec at 10:00 AM Outback Steakhouse 2225 Hwy. 44 W 19-Dec at 3:00 PM 26-Dec at 3:00 PM Sonny's BBQ 750 W Main St. 20-Dec at2:00 PM 26-Dec at 2.00 PM LAKE PANASOFFKEE Harbor Lights 608 W Nobel Ave. 28-Dec at 3:00 PM I_ I QQ Yacht Club and Grill 10160 S Main St. 18-Dec at 10:00 AM 27-Dec at 10:00 AM WMMWt~f~WMM>WJWM;MMtMrMIW imM WILLISTON Hilltop Family Restaurant 608 W Nobel Ave. 18-Dec at 10:00AM 21-Dec at 10:00 AM 22-Dec at 10:00 AM 27-Dec at 10:00 AM 28-Dec at 10:00 AM BUSHNELL Four Season's Chinese Restaurant 2082 W CR 48 19-Dec at 2:00 PM 27-Dec at 2:00 PM Sonny's Real Pit BBQ 2684 W CR 48 20-Dec at 2:00 PM 21-Dec at 10:00 AM 28-Dec at 10:00 AM LAKE PANASOFFKFEE Harbor Lights Restaurant 907 CR i391B 21-Dec at 3:00 PM Seating limited please call for reservation. Limitations and restrictions may apply. A sales representative will be present with information and applications, UNIVERSAL HEALTHCARE INSURANCE COMPANY Universal Health Care Insurance Company, Inc. 150 2nd Avenue N, Suite 400, St. Petersburg, FL 33701 Universal Health Care, Inc. is a Medicare Advantage Organization with a Medicare contract. Please call any of the numbers listed above regarding accommodations for persons with special needs. Coverage is subject to limitations and copayments. Visit our website at to ENROLL today Hearing Impaired (TTY/TDD) 1-800-617-0177 Please call 1-866-765-2817 regarding accommodations for persons with special needs CITRUS COUNTY(H.) CHRONICLE COMMUNITY A MoMNAv DTCEMB3HR 18. 2006 Cwuws Cowryfit (FL) CHRN~I'c)LE New Republican officers Ar. Special to the Chronicle The Citrus County Republican Executive Committee elected new officers for the 2007-08 executive board at their Dec. 5 meeting. In addition to the offices of chairman, vice chairman, secretary and treasurer, a new state committeeman was elected to fill the remaining term of longtime officeholder Ken Chadwick, who died Nov. 3. From left are: State Committeeman Chris Gangler, State Committeewoman Debra Fredrick, Vice Chairman Jeff Kopp, Chairman Debbie Faunce, Secretary Dick Windle and Treasurer Danielle Damato. Home Community Educators officers WALTER CARLSON/Chronicle Members of the Home Community Educators of Citrus County recently conducted their instal- lation of officers for 2007. The new officers, from left, are: Barbara Varvel, first vice president; Louise Gillespie, director of education; Carol Walsh, secretary; and Mary Brown, treasurer. Early food distribution Because of the Christmas holi- days, the EL-Shaddai food min- istries' "brown bag of food" distribu- tion will be a week early. Come from 10 a.m. to 2 p.m. Wednesday to the Crystal River Church of God, 2180 W. 12th Ave., behind the Lincoln-Mercury dealership. For information, call 795-3079 or 628-9087. We deliver to home- bound. Community Christmas dance The Afro-American Club of Citrus County will have a Christ- mas dance from 7 to 11 p.m. Saturday at the Citrus Hills Country Club. Tickets are $35 per person. All are welcome. Call Bernadette Brooks 637-3136. Fun circle dance An Israeli dance class is being taught each Thursday afternoon at VERTICAL BLIND OUTLET: 649 E Gulf To Lake Lecanto FL , a637-1991 -or- 1-877-202-1991 iALL TYPES OF BLINDSIms--%Ad^ 3 p.m. in room 116 at the commu- nity center on County Road 491 behind Surrey Place. All ages are invited to partici- pate. Call 382-4734. Special to the Chronicle The Crystal River Users Group (CRUG) is offering the following classes for the month of January The classes are based upon Microsoft Windows operating systems and will be at the Boys & Girls Club of Crystal River, 405 S.E. Seventh Ave., Crystal River on the dates and times listed below. Microsoft FrontPage 2003: FrontPage 2003 is an excellent Web page editor. Beginning Web developers can pick up FrontPage and start using it right out of the box. Instructor Richard Nicholls will highlight the design tools in FrontPage 2003. Classes will meet from 9 to 1 726-8822 1-800-832-8823 Ieenrtage Propane 9 9838 Serving America With Pride INSTALLATION SPECIAL 19 Price subject to change without notice, L- S201b. Cylinder Filled $10.00j 4275 W. Gulf to Lake Hwy. (Hwy. 44), Lecanto, FL* Serving All Of Citrus County .. ..J .. n ".. :. . :"' ,, , (.1 it SInternet Banking & Bill Pay Helping you make more time ~ for that is important * Sign-up TODAY! M Member of ' t Brannen Banks of Florida Inc. The Bank of Inverness Hw) 41 South liierresi f2 i'7, I-'' Crystal River Bank Hw; 19 I1 iPr.i er i- 4c, e Dunnellon State Bank Hwy 41 ,ri i Duririill 'iri '2-48'-'4 Homosassa Springs Bank Hw.; I SI0uli. Horrnwj 2. . The Hernando County Bank Hv 41 South. Br,:,,I illt :, 5 ''-', . CM g 'af n SWATCH #84 ^,^,-s _.-'-^ Bob & Betty's son, Will is playing for the J eBulls in the PAPAJOHNS.COM Bowl in Birmingham, Alahama. OI FREE F CHANGE TIRE & FILTER ROTAnTE: Most cars. ROTATE $i$8.95 w/coupon. Good thr.u 12/07 j Lw/coupon. Good thru 12/07 J US HWY 19 South, Crystal River 795-5118 H I CPR/ACLS/Ped. First Aid AED * Cholesterol/Glucose/Trigliceride Screening Blood Pressure Checks EKG & DNA Testing ON THE NET Aww.crug.comt a.m. Thursday mornings on Jan. 11, 18 and 25 and Feb. 1 and 8. a E-mail For Fun: Teaches how to find graphics and ani- mated graphics on the Internet, how to save them and how to attach them to mes- sages. The student should know the basics of Microsoft's Outlook Express E-mail application. The class runs from 10 a.m. to noon Wednesday morningA, Jan. 10, 17, 24 and 31. For more information or to register, call Anita at 527-3188 or Barbara at 628-5644 from 9 a.m. to 8 p.m. Monday through Friday only Mail payments to: CRUG Education Desk, PO. Box 640244, Beverly Hills, FL 34464-0244. For directions to the class- room locations, visit the CRUG Web site at:. LOSING YOUR MEMORY IS PAINFUL , Meridien Research is conducting a study for individuals who are suffering) from memory loss. Memory loss can be: - Trouble finding the right words SLosing interest in hobbies Repeating yourself I A change in personality 3 Increased irritability and depression Qualified participants will receive study medication, study-relatedy laboratory tests, physical examination and compensation for time and[ travel. . <. -For more information about this research study,3 SI IdL '1,,1 3 please call 352-597-8839 (352-59-STUDY) ) Participation is completely voluntary , dd arme r- MD124t.o F Mildred V. Farmer, MD, 12144 Cortez Blvd., Brooksville, FL 34613 69340 1 TRAINING, INC PRi NOW OFFERING VIE HEALTH SCREENING Visit us at the Allergy Support Cente on Wed. 10-1 pm H,..ne H aIt' S,''rteernoq & Para mi,d: 51 Ser ices3 Jo .I Vtalldat 344-4261 Cell 302-2040 rPAPAJOHNS, One Large Is oBCheese Pizza L---------- ------ $0199 Three Large I L One Topping I d s o rn e .C 3010r responslble [or all applicnbl taxgs, _ ^ nomosassa 4552 S. Suncoast Blvd. (3521 628-PAPA (72721 Inverness 2617 Highway 44 West j 13521726-9700 er "I'm Wearing One!" EARINGitneD S "The Qualitone CIC gives you better hearing for5 SPECIALS about 1/2 the price of others you've heard of I'm 1 4 wearing one! Come & try one foryourself III give 04 $495 you a 30 DAY TRIAL. NO OBLIGATION" Ultra III on Qualitone CIC ALLAMERICAN MADE PRODUCTS David Ditchfield TRI-COUNlY AUDIOLOGY 100% DIGITAL Over23:YearsofService K& HEARING AID SERVICES $949 Beverly Hills 352-746-1133 Dunnellon 352-489-6565 Auraset_ It ,:, SATURDAY, DEC. 23"AT 1:00 PM SBULL vs ii 1 - ." ^ ^ >* BULLS < CPAM lvl"NLXll Sons of the American Revolution Special to the Chronicle On Nov. 30, the Withlacoochee chapter of the Sons of the American Revolution delivered Christmas gifts, In excess of $5,500 to the veterans residing in the Baldomero Lopez State Veterans Nursing Home located in Land O'Lakes. Susan Poynter, director of activities at the Veterans Home furnished the Withlacoochee Chapter's Chairman of Veterans Affairs William Teater with a list of items needed for the "free room" where the veterans residing at the home and who are in financial need can obtain clothing, toilet articles and personal items without charge. The Withlacoochee Chapter meets the second Saturday monthly at the Inverness Golf and Country Club. Call Richard Sumner in Hernando County at (352) 754-8928, John Camillo in Citrus County at 382-7383 or visit the chapter Web site at. First row, from left, are: Jack Townsend, treasurer; Susan Poynter, director of activities; Baldomero Lopez, nursing home; Harley Nelson, secretary; John Camillo, president; and William Teater, chairman of veterans' affairs. Back row, from left, are: Joe Hardiman, first vice president; John Tucker, DAR liaison; and Charles Day, chairman of Eagle Scouts. CRUG offering two classes I Chitasgfs i xes f$,00t h vtrn rsdn in th.Ba.omer Loe State Veern Nrsn Hmelcaedi LndOae Susan- Poynter director' ofatvtisa. h Veterans Home furnished the Withiacoochee Chpe's Chirao etrnsAfarsWlla 4 Co1~~u NN'YMON).,k, DEc7mtiMBFR 8, 2006 9A promotes 'Kids in Back' Program pi Special to the Chronicle The Citrus County Health Department combined efforts with public and private schools in the county to promote the mes- sage that kids need to ride in the back seat of a vehicle. According to Sue Littnan, Child Passenger Safety instructor for the county, '"the best way to protect children from crash-related injuries, as well as from the risks that air bags may pose, is to properly restrain children ages 13 and under in the back seat. "Even without an air bag in the car, chil- dren are safer in the back seat. "In fact, you can reduce the risk of seri- ous injury or death to children by up to 34 percent simply by placing them in the back seat." The Health Department Child Passen- ger Safety Program provides car seat check up events at many locations includ- ing school sites. The Car Seat Safety Technicians noted that many kids arrive at school riding in the front seat and also hopped in the front seat of the car when they were picked up after school. To provide education for families on transporting children safely in the back' seat, the Health Department obtained 15,000 "Kids in Back" flyers from the National Safety Council, and the schools distributed them to children in pre-K through fifth grade. During dismissal time at the elementary schools, it is recommended that monitors open the back door of a vehicle for kids to get in the back seat. Posters promoting the "Kids in Back" message were also placed in each school. This "Kids in Back" project is one more step to safely transport Citrus County kids. Call Sue Littnan at the Health Department at 726-1731, ext. 242. Hospice of Citrus County From left, Hospice "-"of Citrus County . ... ', Regional '" .. .- Coordinator Jan ... Keeney-Hunt, volun- '" teer Mary Anne :, Dwinelle and Clinical Services Manager Kim Stack attend the Awards ...of Excellence Dinner at the Florida Hospices & -4'Palliative Care (FHPC) 22nd Annual Symposium held from Nov. 29 to .- .,Dec. at the Florida "-- 'Hotel and Conference Center in Orlando. The din- ..- ner recognized out- standing FHPC S .' member special ini- tiatives and pro- grams, as well as ...- outstanding staff and exceptional caregivers. " / ,Special to the Chronicle Bus pitches 2-1-1 service for county fInformation line - a free call Special to the Chronicle A free service for Citrus County residents is the new telephone information and referral line for local health and huii;aii ser' 'ic s in CI itrLi County. By- dialing the three numbers "2-1-1" on home, work !or cell phones, callers have access to local resources for help, volunteer opportunities or donations. This service is available day pr night, seven days a week, in Ignore than 150 languages. It is free and confidential. :, 2-1-1 Advisory Board mem- bers include: Joe Monroe, Citrus County Housing Service; Lt. James Martone, sheriff's office; Barbara jWheeler, Mid-Florida Home- ess Coalition; Danielle bDamato, Shared Services '.lIiance: Paul Mellini, United ,Way board of directors; John i'i'anr i sh. United Way of Citrus oumtNy: Brad Thorpe, Citrus 'Iouint Community Services; and Mary Beth Nayfield, Citrus County Health Department 2-1-1 services is a partner- ship' of the Board of County Commissioners, Shared Services Alliance and United Way of Citrus County. At right, 2-1-1 Advisory Board members, from left, Joe Monroe. Citrus County Housing Service, Lt. James Martone, Sheriff's Department, Barbara Wheeler, Mid-Florida Homeless Coalition, Danielle Damato, Shared Services Alliance, and Paul Mellini, United Way Board of Directors admire the new advertisement on a County Transit bus. Special to the Chronicle l law'& t owhd olff eao m beme Familiar carols family gatherings happy children Are these the sounds of Chnstmas past? If you have hearing loss, this Holiday Season dloesri't : have to be just an empty reminder of happier tines c We've helped n1any of our satisfied patients relive these pleasant moments every year with their hearing aids. Call us today for an appointment Well show you how we can help make the holidays more than just a memory. 685704 l0 PN.oiessional Hearing Centers "H r,,ig People Hear..With Quality Care" 21"s:A ~ v. ivrns tie AM F BINGO PRIZES ' KNIGHTS OF COLUMBUS Abbott Fiancis Sadlier #6168 352/746-6921 - A'. i t' l J tl6UI[ ,CFj *,3 Pi1. Cu'i1 iile "L ; l ...a .. n A F 4 r Wih Coupon -- 1 BUY 1 BONANZA GET I -K- - .' . .' . t,:,i 'i':.',...',3 , ' OUR LADY OF FATIMA CHURCH 550 HWY. U.S. 41 SOUTH, INVERNESS, FL $2050 PAYOUT EACH NIGHT TUESDAY AT NOON & THURSDAY AT 6;30PM CULIRRIER COOLING & HEATING, INC. $50 PAYOUTS 20 REGULAR GAMES 8 SPEED GAMES PRICES 2 PACK .................$10 3 PACK...................... $12 4 PACK ................... $14 5 PACK.....................$15 SPEED PACK................$5 XTRA PACK.................$2 3 JACKPOTS S150 S150 $350' (*3 PROGRESSIVE GAMES) If less than 100 participants, all prizes may be reduced BIG Travel Show Tuesday, January 9, 2007 4:00-8:OOPM at Citrus Hills Golf & Country Club, "Hampton" room FREE ADMISSION OPEN TO PUBLIC DOOR PRIZES See what's new for 2007 Talk to the reps from these fine companies! Great opportunity for church and group leaders! CARNIVAL CRUISES NORWEGIAN CRUISES WINDSTAR CRUISES OCEANIA CRUISES COSTA CRUISES BIG FIVE TOURS GO WAY TRAVEL GENERAL TOURS TAUCK TOURS ORIENT CRUISES HOLLAND AMERICA CRUISES DON'T MISS THIS FUN & INFORMATIVE EVENT!! . "Show Only" Specials E'Bi n ..i.i r h:ri- to: or credit ca 'rdl i -. .. KCK-OFF YOUR '07 TRAVEL Citrus Travel ,- Citrus Hills Branch Office Phone: (352) 527-2690 Kim Friedman O'Berry, Travel Consultant Citrus Travel is a Joan Johnson, Owner ,, ',..,,' HOMOSASSA LIONS AUXILIARY K ''^ -. '- Friday Nights @ 6:30pm 3JACKPOTS ) WINNER TAKES ALL KING & QUEEN ,* Refreshments Avail. M FREE Coffee and Tea Non-smoking Room $15 pkg. Homosassa Lions Club House, RT 490 Bob Mitchell 628-5451 5th Friday Night $10 Pkg 11ffffA fwww w M HOMOSASSA LIONS BINGO 115 r';t Monday 15 Eenrv Month at 6pm Package $20 Pkg. $50 Payout (5j ..250 Per Game J.lckpots I Texas Hold'em Cancelled Now Special Bingo Jan.13 @ 6pm (Doors Open 4pm) 52 Games- 3 $250 Jackpot t $25 (4-6 bks) :' $15 (1-3 bks) re' ( /i e K I'rea A- S, an ,, Sii, RfiRom HOMOSASSA LIONS CLUB HOUSE Rt. 490 Al Becker 563-0870 CITR US COU Nl Y (FL) (.'IlliolN lcol, AWWV BONAIMMM MITIN-T GT- I- X I I You 111q). Will rVKDI flFli(,rRW'iFNMu l," 6,00 p T, 1? .31) $250 or a consolation s 100 f Info 527-2614 ha mis unnristmas Once again, the Citrus County Foster Parent Association is in desperate'need for help in spon- soring a Foster Child for Christ- mas. Without community support, the children's Christmas would not be as memorable. The association tries to compensate for this time of year when feelings of loss are at their highest. Missing their loved ones is only one of many things these children go through during the holiday season and beyond. If you cannot shop for a child for Christmas, we would be happy to shop for you, and your donation will be tax deductible. Call Lynn at 860-0373 or Irene at 344-8940 no later than 7 p.m., and they will match you with a child or offer additional information. Decorate a bowling pin for prizes Neffer's Bowling Center, 3655 S. Suncoast Blvd.; Homosassa, has a Holiday (Bowling) Pin Art Decorat- ing.Contest, sponsored by The Bowling Proprietors' Association of America and The Bowling Founda- tion, where one lucky bowling cus- tomer could win a National Grand Prize of $5,000. The contest will run until Jan. 2. Submissions may be brought back to the bowling center any time before then for judging. To enter the contest, customers can purchase a used bowling pin at Neffer's, take it home, decorate it in some appropriate bowling-ori- ented holiday theme (drawing, painting, etc.) and return it to the bowling center as an entry into this contest. Once a local winner is chosen, that local winner will be submitted for the national prize of $5,000. If the national winner is older than 18 years of age and out of high school, they could win $5,000. If the national winner is younger than 18 years of age and still in school (high school or lower), a $5,000 scholarship will be awarded and managed by SMART (Schol- arship Management & Accounting Report for Tenpins), a scholarship program administrated by the U.S. Bowling Congress in Greendale, Wis. Local winner will receive a new bowling ball, donated by Nef- fer's Bowling Center, and will be entered into the National Contest. Proceeds from the (bowling) pin sales during this contest will bene- fit The Bowling Foundation. The Bowling Foundation is a nonprofit, tax-exempt organization headquar- tered in Arlington, Texas, whose mission is to promote a lifelong enjoyment of bowling by fostering youth and community health and fitness programs, maintaining the value of sportsmanship, character development and leadership skills, while providing research, educa- tion and training for the bowling community and its athletes. Call Neffer's Bowling Center at 628-3552. Kensington lighting contest is on All residents of Kensington Es- tates of Citrus Hills are invited and encouraged to participate in the annual Christmas Lighting Contest. Judging will be done Wednesday, starting at 6:30 p.m. Kensington Estates Property. Owner's Association will award prizes to the top three selected homes. CnwrUS CouNTY (FL) CHRONICLE LOA MONDAY, DEHCEMBER 18, 2006 rvL fetters to Santa ~k - '~1 ht. ?---- A I toy@, yowmd I hopp that yont will rnrnnrrbrr where I livo kIVJ~IIY -'.4. .1 tg- 1.3* POPlI Jur r Lkl- Fo W" 11'1< f-LkrK A tThorS; 1 T OVe hr~ I w C(.c' 1c j; 0q ."I -0 1L o-I )ik A b Pear Santa Claus, 4ctxN~e-_ico ~co ox'&we---Aare a, e3 ,\.r_ I I I e ,,& Ar & I Pear Uanta Claus., i r. - ~lbw* -I1. AMP 16 V&> - - - - :~ L_)"_k b.I. EL 2.L.Li;CK Er / hC.-2U4 .1! 1 t I '.L.~.-.u * I, - .1 - -. -. --v-i..-'. ..* II 1 I r- F ..' ~"1 .t~.. C~)*(2, ~ -~-~4. * ..-- ''1' A- ..-~t.r - *1 ~ r~f2.1'I~ '-. Tj . 'L~'2." .4JaCL~ LIIL. .t'-9e ai.' AY AL .t,.', r'./ '"Cet A 4[Dear, Santa Claus, T- W-C'. vo mic Thc1 "r- a V~C- CA 9-,. 2~'a Thank You. ./V s-*<'^<- i K -' I - L ~ Lf ~ ~ -1 .. ~ ~ -ff--. .. ....Aa...... ... ...~ . ...... w- L .9 11 . 4 r*1 .. a 'II' ~Arm1 ..S~- ~ -'I -/ ~: . I .*i'* ( t2*417 .Cjp ~J (T\ '~~U r-N VSN~ a. j~t ~I1F~(.AI cn~i.~1 LJII I t Th fo ,r- t -'F' -'at oat:~.~, ) .0 'I i-i -'Li K-i- U \- \ , 1 . -, :--A , K. C .!c2 J i.i, * -4 * -u I-',. *&~ ~.- LI. .- /_ I.. f*. I, \ ^ -i *:'- I I /71.. I .-~ -t ,~ / 1. rI 'r:'a-v. '' Z I- . i . / . e # '*Atom .11 I ,. ,, I .-!/ LAO CITRIs COUI (FL) C(IRONICT.L: CHURCH Continued from Page 1A prayers were answered as 50 acres on Pleasant Grove were purchased for approximately $375,000. Tlvo years ago, con- struction lIbr the new church began, and the result of that labor is a brand-new, $5.5 mil- lion complex that spans some 50,000 square feet.. "The whole church pulled together and we made it hap- pen," said Dan Tvenstrup, of' the church's steering commit- :tee. Additionally, the church has been outfitted with new tech- nology, such as digital projec- ',tion screens and a souped-up ;sound system, which makes ,,sermons more interactive and ',easier to follow. When it comes to size, First SBplit'- new home is impres- 'ive- lie church's sanctuary ,'now comfortably seats 800 peo- Spe a- compared to the approx- u'ii.-iel 450 the old one in downtown did. And it is a good ti1 lir-" thl. i- new church can -,icc-nii'ii,.i i- more parish- ion,-r- bi- .iie they came out 'in droves on Sunday morning. *T ... I MATTHEW BECK/Chronicle Worshipers gathered at the new First Baptist Church bow their heads Sunday during a morning prayer. It. appears that parking may again be an issue for First Baptist, as people were so eager to see the new digs that they not only filled every spot in the lot, but they took to park- ing on the grass. The pews were filled to near capacity and that left the usually bois- HOT FLASHES MAKING YOU MISERABLE? You're Not Alone. We are conducting a clinical research trial comparing a lower dose of an FDA approved ;'ie.:i aL.i and placebo for the relief of moderate to severe hot flashes. We are seeking FEMALE volunteers: 30 80 years of age and in good health "J :i ir.Ii, or surgically postmenopausal Experiencing daily moderate to severe hot flashes Qualified study participants will receive compensation for time and travel, study-related medical care, and study medication at no cost. I' ii For more information about this research study, please call 352-597-8839 (352-59-STUDY) Participation is completely voluntary " l 693461 terous Seagle somewhat taken aback. "For me to stand up there this morning and to look out on 600 or 700 people packed into an auditorium, everyone with tears in their eyes, was just overwhelming," he said. And how did the parish- ioners feel about worshipping in their new place? "It's beautiful," Eleanor Milazzom a 20-year member of the church, said with a beam- ing smile. "The Lord blessed us." While the move may have been welcome and brought many smiles to people's faces, not lost during Sunday's serv- ice was the feeling that leaving downtown in some ways was bittersweet. "There are a lot of people who have incredible memories in the old church," Ryan Shipp, minister of music/youth said. "People were married there, they had their children bap- tized there and they even had funerals there. This is a time of excitement and of joy, but it's a little sad too." Shipp got a personal taste of joy and excitement Sunday, as his 4-month-old daughter Emma became the first baby to be dedicated in the new church. With everyone so pleased and excited, it was hard to believe that Sunday's service nearly didn't happen. According to Shields, earlier last week there was some con- cern that the church would not be open in time due to some holdups with building inspec- tions. The situation looked so dire that church officials went as far as to consider contin- gency plans involving Seagle giving his sermon in a tent on the church grounds. By the end of the week, everything fell into place and moving in finally began. "A lot of people had dreams of this and they came true," Shields said. At the end of the service Sunday, Seagle sat outside the sanctuary and took a moment to reflect on his first day in his new office and he couldn't wipe the smile from his face. "It's phenomenal that our folks would do this," he said. "They have sacrificed and they have maintained the vision of 'we're going to do this' and 'this is what God has led us to do.' In spite of the challenges and the difficulties, we have been plug- ging away and God has provid- ed for us incredibly This is just amazing. "This is a tool for us to use to share the Gospel with our com- munity," he added, "and we want this place to be open to the community." GET THE WORD OUT 0 1 Jurprulit an 17-itriiZ -ii i r d i'-' Iit-t ,i j,.f it nt '" rbI : -s a bout Lup-J.-C-MIri .r-I-r-ILJ'I Iti, :' CI I N Write the nFam~e Li t ~-.~r '. -i-it .i'i:ic * ri"ILI' a contact ii.5rn' nioU I -I~rt 't-1rrt In the piper l~* "s release's ire sutilett toditrwin:2 N Call 563.5660 k--.r FREE PADDLE $95.00 value with purchase of a new 12 ft. (or larger) Kayak *Offer good on in stock kayaks only. Special in store offers / excluded. Expires Dec. 31st, 2006. Over 150 Kayaks in stock! The new "Native" Kayak has arrived I New & Used Kayaks, Paddles & Accessories. Closed Wednesday I Thule Dealer . LLocated at Homosassa Riverside Resort Call 621-4972j DANO'S NANO'S The world's first Nano-digital Hearing Aid intercepts noise and eliminates squealing (feedback). * ; : 1; l:!i .'J l I *l Gardner Audiology % 700 SE 5th Terr. Crystal River S795-5377 ' -, - TIME IS RUNNING OUT! Never the ordi ..Always the extraordinary 2637 Forest Ridge Blvd Hernando, FL 746-476%; (in the Publix Plaza) w",uwa~w&sw~erw.axa, .3'. .mx3', eflS.,~ '1 C. ."... Z'C .r,"'. . ,, I' TANKLESS V Save Ui On your & have an EN hot HOT Water.... On Demand.... Save Space Save electricity 10 models to choos a Best warranty in thE Never run out of ho VATER HEATER p To 20% electric bill IDLESS supply of water. se from e industry I 'IIN )t water again * No lank to leak or rust * Quality you can trust * Uses up to 60% less electric than a conventional tank - ~ ~I HunterDouglas Sil.HOUT T T l The New Quartette Four-Inch Vane Size. Fr .1 % idc-,P L' ', ,_- i n i;pll ; I N inmtl , With the addition of our Quartette four-inch vane size, views have never been more expansive! Available in both translucent and light-dimming opacities. Call or visit to see the newest way to design with light. Only from Hunter Douglas. Exclusive Alustra dealer for Citrus and Marion Counties Citrus Paint & Decor - DECORATING CENTER 724 NW Hwy. 19, Crystal River (352) 795-3613 7470 SW 60th Ave.. Ocala (352) 873-1300 Mon.-Fri. 7:30 AM 5:00 i Sat. 8:00 AM 2:00 Pu 603580 1 W^o t"10" l . Mildred V. Farmer, MD, 12144 Cortez Blvd., Brooksville, FL 34613 WANTEDi SENIOR CITIZENS Fulfill A Lifelong Dream... Learn To Play An Organ Or Piano For Fun Relaxation Medical Purposes $19 95 FOR 10 ONLY o WEEKS No Musical Background Needed. No Instrument Required CRYSTAL RIVER MUSIC 2520 N. Turkey Oak & Hwy. 44 CRYSTAL RIVER 352-563-2234 3 CENTRAL FL TANKLESS HOT WATER IKINLW-("ENTRAl-F,'Lj.'A NK Ll, MW Ocala. Flori(ha 3.52-732-2500 800-070-2187 MONI)AN', DFCF 'MISER 18. 2006 .0.2 $4 "A school should not be a preparation for life. A school should be life. " CITRUS COUNTY CHRONICLE SNI TO 0 RA L BOARD Gerry M ulligan ..............................publisher ,..... ... Charlie Brennan ........ ............. editor .v.-' "".- Neale Brennan ...... promotions/community affairs Kathie Stewart ..................circulation director Mike Arnold ..........................managing editor John Murphy .................classifieds/online leader Jim Hunter ...........................senior reporter Foundde in t89t Curt Ebitz ............... ............. citizen member by Albert l. Mac Harris ...........................guest member 'iliam.son Ron M miller ............... ..............guest member 'You may difer with my choice, but not my right to choose." David S. Arthurs publisher emeritus Pins for Obama's baloon 1 wft.9 qnow. I) S. - - a - - e - a-"o - 4 a - * 0 WTI adds to education bridge a - - 10 49P - S. "o- * - oo often, surveys are merely studied and dis- cussed. Possibly a commit- tee is formed and maybe even a statement is prepared citing a new goal. Not so at the Withlacoochee Technical Institute, where the administration is boldly responding to surveys from THE I community mem- WTI res bers and has .mmni announced it is tak- ing action. Requests nun R for a wider and OUR O1 more varied course Bold in selection have resulted in the YOUR OPI addition of 40 new ",.:.. classes to its spring i-,', ,- schedule. With its ongoing philosophy that learning is a lifelong, process, WTI's wellbe- ing is often reflective of the region that it serves. Whether the courses are credited with a career in sight or non-credit courses aimed at expanding per- sonal interests and needs, the agenda set at this facility can Hot Corner:' Write to senator This is regarding the people call- ing in who have applied for VA bene- fits but are turned down because they make too much money. May I suggest that they write to their sen- ators, their congressmen and to the president of the United States? They would be surprised at what would happen after they send those letters. Quit whining All Veterans are not equal. These veterans who call in about not get- ting this and not getting that should step back and ask yourself this: Were you ever in harm's way? Are you retired? Were you wounded? Do you have any physical disability? Were you a prisoner of war? If the answer to any or all of those is no, then your veterans' benefits are very strictly limited or nonexistent. Give everybody a break. If you are a vet- eran and deserving of these bene- fits, contact the Veterans Service Office and quit writing letters and Pagan greetings I'm so glad the religious .* - train has passed me by. I g would not want to associ- ate with any religion known to mankind on this planet. So have yourself a very merry, pagan Christmas. Gas price rising -" Well, it didn't take long 563" for the world oil market to notice that Democrats took control of the House and the Senate. So gas prices are going up. Why? Because the world oil market knows the Democrats will not allow any new cdi iihing and will not allow us to build any new refineries, thus making us more dependent on world oil. Gee, when we're paying $5-up a gallon very soon, I hope you remember that and vote Democrat. Maybe we can get it up to $7 like some countries. Young Marines I'm calling to complain about your coverage on parades and stuff. often be the threshold for a responsive, productive society. The need for more classes for enrichment and more education- al avenues for those desiring to enter the local workforce was sig- nificant, as indicated by the recent survey. And WTI's immedi- ate course of action is commendable. SSUE: Not all of the new ponds to courses are focused t survey on job training, but ty survey, all are geared to- ward the needs of PINION: the community. They, itiatives. range from jewelry construction and NION: G... t kayak fishing to irne., ', canine obedience Sto. ': and self defense. Some will address collective goals by offering instruction in digital pho- tography, investment planning and even Southern cooking. WTI has long served as a bridge in our county's education system. By listening to concerns and offering immediate courses of positive action, that bridge will only become stronger. making phone calls and whining. Try again, There's been a couple of, ques- tions and articles in the Sound Off column about veterans not being able to get VA benefits because they made too much rrmoney or owned too much or had too much wealth or whatever. I'd like to suggest this: When I became eligible for VA bene- fits, there were two parts to the application. One is where; would get free benefits if I had less 'than "X" number of dollars. The other one was where I would have a co-pay if I did not want to put down what my assets were. I suggest these people try again and put down that you'll make a co-payment. I pay $8 a month for my prescriptions and I pay $8 for a doctor's visit and I pay $50 for a specialist, but I don't have to tell them if I do have any assets or anything like that. You might also ask J.J. Kenny at Veterans Assistance in Lecanto if he can help you with that. He's been outstanding help for me. I would like to know why, when you write an article " (*f)t i~bOtuL community func- JJ ons, nothing is ever men- 'tioned about the Young Marines. These kids work their butt off to participate ., in community events and they get no recognition for .. . .it .. O579 "'To me, this is rliJIClJIOUS,.; 0579 and ,'omethimg needs to ' be done aboLut your reporters who can't keep coverage on Young Marines who participate in community events. Abused vets When I was drafted and chose to serve my country, many people had nothing to do with me. When I returned from Vietnam, I was greet- ed by "baby killer" and spit on. When I mustered out, I couldn't wait for my hair to grow because my GI-style haircut gave me away. Every vet I've talked to suffered sim- ilar abuse. If that is considered sup- port, I would have just as soon done without it. - a. -w qft qv S -~ - -~ - - a .,-qa . .Syndicated Content Available from Commercial News Providers" .0 Q 4 NAM , S .. to the Editor Airport Master Plan The Crystal River Airport Master Plan prepared by Hoyle, Tanner & Associates Inc. was recently discussed and approved unanimously by the board of county commissioners on Oct. 4. The main theme of the plan is to preserve the airspace for future grant-funding opportunities. No immediate lengthening of the existing paved east-west runway is approved or funded for construction at this time. It also should be noted that no larger aircraft would be using the airport with an enhanced runway than are doing so currently However, a 5,000-foot runway for both of our county's airports is part of our adopted Comprehensive Land Use Plan. The longer runway would provide for instrument landings and a safer airport per aviation and insur- ance guidelines for both users and the community. In Crystal River, it is my thought that the county road around the end of the existing runway could be removed and dead-ended. This would create more pervious area for drainage. All other county-owned property at the end of the runway should be put into conservation, pre- serving natural drainage flows in an undisturbed condition. Of course, all enhancements would be permitted by the Southwest Florida Water Management District and would improve drainage problems in this area. If upgrades per the Crystal River p honeonllne.com. Airport Master Plan are approved in the future, then 95 percent will be funded by the Federal Aviation and 2.5 percent by the Florida Department of Transportation. With local taxpayers only responsi- ble for the remaining 2.5 percent of funding for upgrades, this is a good deal for Citrus County. Because 15 percent of the County's share will be paid by our largest taxpayer, Progress Energy, the remaining balance will be a minimal investment for all of our taxpayers. By approving the Crystal River Airport Master Plan, the Board of County Commissioners has moved forward to enhance safety, comply with the Comprehensive Plan, and will have the opportunity to receive grant funding for airport improve- ments in the future. Dennis Damato county commissioner, District 1, Please save spring As a frequent visitor to the Rainbow River (Ive kayaked it and snorkeled most of it), I think trying to save the land around the Rainbow is just the right thing to do. Hopefully, the owner and the state can work together to forge a deal - the sooner the better. I hear about other springs (Silver, Juniper) suffer- ing from water quality/clarity prob- lems; that should be the handwriting . on the wall saying to us we are impacting our springs almost to the breaking point Any and all lands along the Rainbow that can be bought should be, because that's what adds to the river's special nature. Who wants to float down it, while seeing condos, rooftops and golf courses right on the banks? Please, Gov. Bush, Florida Cabinet and the Department of Environmental Protection, make this deal work and let's save one of Florida's rarest jewels the irre- placeable Rainbow River Ron Thuemler Tampa. Dci-mti i, s. ooo /, 'i I - / *' _ - ~I - - "Copyrighted Material no- g - * - q, Q O *k f --- ..-. - -a I J l i I | MONDAY, DECIiMisIiR 18, 2006 13A C ITRUSCo \' ( ,II) (;\ 'I.IU w, - ap - 3.- 4o - 4 b - 4w iso-m- aw .409 A - - de 44-W_ 00. a. .:2 a - a a o -pyrighted Material- - d S icatedContent1. -- -Available.from Commercial News Providers" -. low ~ 0 q l. m - Qw 4m W0 -- 4 o o fl 0 "W S- a "Mm 4w- 0 * 40d0 4 000 -40 m4 *0 e 0 ammm am 4w - -4id mm - 10-- e l- -0 a a m 4b 4w *0. ~ aw 41 0 b a0 a - - w - - - ~-~0 ~ a - a ~0 -~ - - .a - a- -~. - 0 0-0 40-- 40 0M -molo - a. a. - - a - - a - - a a - - - a - - - a - 0 "0 -m 0 . AIRPORT TAXIS 746-2929 COAST RV MOBILE HOME SUPPLIES RV Detailing. Call Kahy for info. Airport Plaza Crystal River 563-2099, Closed Mondays 'til further notice. - a - a a nwrl thi' He'Wirt f Fira i in 199 Solar Lights & More 690-9664 1-800-347-9664 O Solar Pool Heating 0 Solar Attic Fans O Tubular Skylights 0 Solar Water Heating BRUSHLESS CAR WASH Full Service Car Wash & Self Service Bays Available Detailing Available! TUESDAY ONLY LADIES' DAYi 15 OFF | [lu, 'h Il ..', Clolr, ,'r.,:,,, ,-w , i Expires 0 1102/06 , GE LEMEN'S DAY i 150OFF Expires 01/03106 L ~ ~ 750 SE US Hwy. 19 Crystal River 795-WASH i im.jff** SSrftf *a--i- -*mn^ih^^'Y^t~ r~~ff^^^'lMri^fB^^fl^ Mtftt - ~0 - - All About Baths [Plaza Health FoodSJ CUSTOMER APPRECIATION 25% OFF ALL Vitamins Minerals Herbs 8022 West Gulf-to-Lake Highway Crystal River, Florida 34429 352-795-0911 J Years In Citrus County - Many Services Carpet & Furniture Specialists O n e Residential/Commercial SOriental Rugs Complete Fire & Water Damage Specialists SInsurance Claims Welcome Wood and Hard Surface Floor Cleaning Maintenance Programs Available S24 Hour Emergency Service Guarantee ServiceMASTE \Clean> Thesdeanyou expect ' The service you deserve. SSERVICEMASTER OF CITRUS COUNTY 794-0270 S0275N.E.Hwy19 CrystalRiver ' wwwsyervicemasterclean .com Your Trusted Advisor 20+ Years Experience VER Accounting Bookkeeping Income Tax RIS EDWARD J.SERRA,CPAPLLC(NY&n) Air Boat Rides " SBoat Rentals Certified Public Accountant Pontoon Boat Tours 3384E.Gulf to Lake Highway,Inverness, FL 34453 *Glass Bottom Boat Tours (352) 560-6130 Manatee Encountersi t (325-6 .' Df, ms. HOmoSsaa i- ed@edserra.com n-f.l Member AICPA NYSSCPA FICPA 6W14 This is the one gift that won't be returned. \'~. \x - - - - - - - I UE OL,&FIT I9RTAT &,ALAN -~ tL~ '~** V. forum "4 Feeling the stress of holiday shopping? r Let the Citrus County Chronicle ease your tension with a one size-iimts-tl Gift Subscription! Cingular -i Premier 352-597-0513 u [1-1 M inri i jlJ3 ,: *:,rl':, "]. i.':-ril i 352-563-2345 1619S.E. Hwy. 19 Crystal River Shopping Center 352-489-6111 11150 N. Williams Trail Dunnellon in Front of Walmart US 41 Disclaimer: With new 2 year activation and contract. New customers only. * Activation fee reimbursed by check 180 days after activation. cingular r. II-.h i,.j I i",,:. [ l I Authorized Retailer IN STORE SERVICES: * lcliation Relocations * Family Plans* Accessories * Pay Your Bill By Check or Credit Card * Camera Phones Flip Phones * Rollover Minutes * See store for phone prices 691455 6OW09D Gift Recipient Name I Address City Phone I Credit Card I I Length of Subscription I Gift Givers Name As it should appear on Gift Card State __ Zip Exp.Date Start Date - - - - - - - - .& - -_ .; - - - - - - - - - - - - - - - - Wr--xRiD WxRr,- - -lmpw 400 o o 0 Q . 4mlow ,*M=lanmlo I"" a A II\ 4-W Nation World %mown edema& 31 fte a - a - am&qd -.4I mmb tm; ftm; em Ammeqm a& ow41 Upon. am_ -4 41 "Ma sa - R a a - a - - a. - a .- a o *m. 0 - - - ~- -a a - -a- - a - - a --a ddb a- - a~ - a - 0 - a a -- prq m ,k fo rin * - - m ~ ~ ~ m low- - wo a --a- - * a - M.- =ow- * -. a - a - - *~- a a C - - a a- a - a- - - - a- a a-- a - -~-- - a-a I Availabi 4 -~ q- w- d - 41. 41.- 4wa-- .90- *. -.0 - 41 - 41b qw --a-or a- a a4b a- a-- - - M.-amp- op igghted Material .OI '..=taO-a-- Syndicated Content-- from Commercial News Providers"' L - -a, -i - 4M 410 MM -00000,% 4 Om d ."41=04 me .pm -q 4 C0 qmm N QM%4 wo 4000 4 qm 4S* 40= 4g- -ff41 g l~ 4 N D o - S - -a- a- m - - m a - a - = -a a a -a - a -a S - - a a - a S -- a- - - C- - -a - 1Two V& pumb qi"t m Ep, Cbua-bI - a. - a a * a. 0 - a a - - - a a a -~ a a - RT: Citestxki C" - a a -a.. -a a -a a-- ~ - o a - - a. - a a- -a - - a- -a. ~ a - * a ___ a a - a a _______ -- -a __ -a.- a-. - aw -a -a - -~ -a. a-- a - -a- a a - a - a-. - - - a a a- a- a a -~ a- a. - a a --a a a a- - 5 - - a - a - a -- - 0~ - ap - 4b 0a - C S ~O me qft0 VO 40ooomb4 - a 40001M 00 m 0e C dip o 4b4bnmn - -b p I ~ -a a a. a a a- -~ a -a a- - a- -a a- -a a - -~ m a- a a-- - a- a - -a -a - -a a ~ - a a a ~ a-a- a - ~,- ~-a -~- ~ ~- a - a a a - a o s = S - S --a- - - -- a-a a- a a - a a 0 - - a -e a-- - -a Ca - - 0 - - - * o o b -e MONDAY DECEMBER 18, 2006 * NBA, NHL Results/2B M College Basketball/2B 0 NFL/3B,5B H College Football Bowl Schedule/4B Gatorub %m~p~hw. 10 ___ a a - - a. a- a - ba a - - a - --a a ~ a.-a a. o - - a - a. ~ - a. a a - - a - a - aa a - a - a - - a - a a a a - a - a - a -~ a -~ a - a a.~*- 4am- aq -a 9-- - a a. a - a- - IbRater,7257 40 a aa -b aD-a- S= - -- a .m ,, 4a -loo- - 0 0 _.No. - - - a 4. d=Mft *a. - - - d -u - a aD a- aq-a 0. - a a a a a -M. - a a a a - me - am m a a- - a -a a a. a - a - -a -~ a-a a - a a - 0.. 0 a - a. a aamp 0 ft flmw W- a. 400 m.-" a. 4 qDdww ----- u -q a a - 0 - -lo a.t . - d-a~ 4wop 4m Q a o omo 40O 4 lo 0- 0 4 qw 400Q ANE04ND- -.0 a aW 4 'NN 41 40 0 w -o al lial kwrWon ft--a -wm- qmm 4mb -.w- -.Nmmb 0 41 fa 400- -ft.-m Prov id ers" ap am.-* -Mm- a. .0. -.qu a-amp- m -0 sw 41P. a. .00 Nw.I= mp a- No. m --4t *GWAMa - 4b. -a.w .No O a.. 1 0- - W- - 41mb. a a a swmm-mos04m a ft a a. an ft. * ft-of "Da-- n MOM- mommolm doge _ 400 lw --Mod% MOM -a -d 480 a -n 460 4 a a moom a- .o- I 40 am a aIm gapa - a 0 0 a - - lolie. a - - aM ww - S l m"a _ a P a- .Ma - qm a NID a. aah.-ql a o ow da 4a 400a.oea -sft4-mo-um u oaom -Mbft -meo -dMft -~ -dww -ft am- 0 ad 4a. 0 4a. a 0 a ONa. a a a 0. w-. f a ml 0-N.am-a. a.1o a ..-40a0 qa-a a. a-aa40 * @- a a a. 004M o 40 -! -411- owf 0 am a- w a-am Wam amp- 40aba.--ma4 aq a. a Gb* Ow 0 a __a ~ 0 - a 0 d ~ -0 -40a1 -4 a-aw a f -4Da a- 0 - -Wmt 4D-om 4a a ao -.Wfp 4 am 400 lo 400. 9o a 41o m -now 441 a. 0 0 -a a- a a-m am a 1. ma a. a m -___o owww"I-m opa 491. 4a m 41 0 a W t 0 4boql -a a. a- * a a. -a a a a a- - a a- -a- * a -a 0 a a a.- -a a. ~ a a a a * a. a * a a a - a- a. a. opu* 4ba a- a. a a. a a a* .aw4w- 4 b 40 w- - 4w m a 0 ao *a -wobao amm-o ow* .-- ao t -.Op dm a- ib- a& 41*M a- a. - 0 a. 4b 40b odow- f 411ba- anw- 4- m mm asompa 4w 0Z,3431 how. eoopyng e Mater S- -. Sndicated'Content Ava b fromommercialNe .-Available Iro ommrci ews 0- a- -w a a a a I to %&a v agoaato aloa.Poo" %no- .7-No gob.- q-a .-M doa 4- 40- -"w M- -- q -.Ioawaa mm- do - - .af-.- a -a--N. dip 4a- a ado 00 -w u 4b -a -a-o~o -. mh--w 4al- a-- *4b a-..- a- ft. ft om -41 4b.a4w a4b 6.a -.ow a-a"a- -a a-4 ap- qdP d a- do .m - dw- a 411 a m - --IPw 40- -.Mw da 41 GO 4-. ba da-m 4111- 4w- doll- aw apAN- 41. -- a- -ado- Go- dem- -Nm -m --dolp swa s IAN_ 41 dwp- -moim a-U mm- 0-ow 41-0 -.Mw a'"mQ40 de.- qwq- -a 401. --G mi pw do, - --.GP- C0 Pyri gh tdd M -te-r a- * m adim. -.Sypdica ed -on- ta-w*`om 0 MGM- 7-,Available from Commercial News'Providers" 40 a -- - .-- Z a- - a a- a-M, .n.1- a -a ____- a a- '"M.*q --a -a a -a w- a -a- Im 0 D. .Nowa-00 a -a- a- a -mlw qw 40a4 490-aa -a a=- a- Gomm a.40w%-Ow-"m a -m ouAV - Chimao bmbs Ahabone Cvonmlc&c m.mA to " 4w f -W --om- - .0 4%w a-go.- .W 0 a wb- ADaa 4b- gob.- qwft a.- a- 0 do 0.- a *- a a- a--1b a-- a- a--d.b a- a -. 40. - a * a a a- - a -a- * a-- a a- * a - I a ~ q a a- - ~ a a- a O- -. 0 a-a- 4. a a a- a -- -a -- * -. - 4m.- a 4w- a 4D -0 S a- !m t qaf 0 t -a a-a W- 4w- - OWN. a qp- *.- a-d 6 aom- aobt -M m. ~. 4D A-D l ,-- a a4b 0a- 4a - quoa 4-11 41- S -allo a11W Gloom d 4- 41 4w ~ - Gib-- - a - -a - a a -p- a m..4b 401M. - a-.0w - - a- - a- a- - a a-- a - a- - a - a- a-= - a a a - S ~ ~ -M 4N 0q- a-a- a- a- a a a--a - a a- a- -- a a- a a a ,a- a- a a- - a -a- a a a a 0 a- a- a- - a- 0 a -a- a- -one ab 4- 4m-a o- 04b 414 o a 0 a-soa-W 4m -.am - ft- a- -ft 4 41 400-a a a-f t a a a * o 40lqma-'- 0Mp- - u *0 -lmo * S a. a - a- - - a-a- a- O D Q - 0-u-rn * -0 5- -5- to i~ :. - 0 q pb. ".4b -.a - -- - e - -a __ IL --O"Com iah:e ". ,,P i I ,-,il "- ._ ic- ,- Available from.Commercial News Pro .4 mol- i fwo- qwam 0-4p-qm - w 40M-=0- o 40 - ___ ilom- do 00- - ab- -id -mama mw ~ 40 o Mo 40o bmmm ft - IN C M a- C4omo GREW a *~ .44M0 a& 4w " C movm -MM ~~4N. C- - C-- I. --0- I, - 55~ - * C- It- - 5. - C- ~a me 0-- - C- -00 qm-4b don.- --4WD.-do -40. a no-w- -0 0 0 '0 - do e = -mwq -4 qft -.do 111 %- ~040 40. 4- a q -0 p~m- a -no --.40.40-0 - C 0 .0 0sm m q 40 o- 40 up 4 -. 4m. obqu- 0w 'S Cm40al 4 - lw - now 4~0 C ftC C1s -mo 4w C- qf am 400 0- 0 dw-mow am- 010 4 o --10 a. -mon - C. __M C1ft 40m 41b o-0 s w b 1401-M n 0 4 0 4*0M "D - 40mm-qll 0llo 4D p -- * Gomm - - 4b 4 w-doa 0- oomw diu a. 401M00 as mmgon Eagles top Gmants, 3622 4bS. -..w . oC .-dm dm.-IV -- * ---.4o 00 S.. C C-- a C~ C- OS S * -- - - * C - -~ a- C- CS -- C - C - C 'C - -0 C 0 C 5 0~ C- - -~-S C- C- C - C- -a -0 -0 C "0 - - a s - * C-o. . S -S S. -No dw a& .-a 400M C40- 0V ~ -. 0a. = -00 COO - C - S a C C-- q -0 0 damb 4m & 0o - - 40 C 4D 4 4000P fC' 0 ft -0 C40 .~ C- m s C- -0 C C 0 ~ m - C- -C - C a - ml -W ~- C- C -0 C C -~ '-0 - 0 S C C- - -0 5 -' - - -0 S _____ - - C S S. C .C C - -~ C C~-~ - 0 ~ - -0 ~. ~0 -0~~- C-~ - C * ---0 -0--- -0 0.~ C- - 5. 4C@ ~-C 0 C-*- 'a --C 0- Cs * S - a * C C-- ~ - a C-Wp a dm 4w -M -- a- - Ca m -0 4=010.- C4 w- a-' C-000 - -- 4m. 5. -.40M.-- a- C --Amp d 0 -b C 0 0 - - S 0 - 0 C CS C- C- ~e ~. 9 C 0 m Tw 10 ~0 - riders" db 0 op C * 5. * 0 0 S * U * q --0 C .5 00 -0 C - C- C - C - C ~ 0 C -0 C- 0 S - - -C 9. --0 C * ~. .5 . C-- S a C- - p C -C C -0 5 C ~0 - -om. lowC C C 6-* -4w COW CAMPftwo ~2 -~ 4 ~6 0 '-0 0 C-.m - 0 o o * ** * e _ o C 0e qme 41M ft qu * * * 0 - 0 0 -0- a - - o ,num. o m ml 4 o I Q 4B MONI)A, 1 IICInMIu~ 18, 2006 2006-07 Bowl Glance Tuesday, Dec. 19 Poinsettia Bowl Payout: $750,000 TCU (10-2) vs. Northern Illinois (7-5), 8 p.m. (ESPN2) Thursday, Dec. 21 Las Vegas Bowl Payout: $1 million BYU (10-2) vs. Oregon (7-5), 8 p.m. (ESPN) Friday, Dec. 22 New Orleans Bowl Payout: $325,000 Troy (7-5) vs. Rice (7-5), 8 p.m. (ESPN2) Saturday, Dec. 23 PapaJohn's Bowl Payout: $300,000 South Florida (8-4) vs. East Carolina (7- 5), 1 p.m. (ESPN2) New Mexico Bowl Payout: $750,000 New Mexico (6-6) vs. San Jose State (8- 4), 4:30 p.m. (ESPN) Armed Forces Bowl Payout: $750,000 Tulsa (8-4) vs. Utah (7-5), 8 p.m. (ESPN) Sunday, Dec. 24 Hawaii Bowl Payout: $750,000 Arizona State (7-5) vs. Hawaii (10-3), 8 p.m. (ESPN) Tuesday, Dec. 26 Motor City Bowl Payout: $750,000 Central Michigan (9-4) vs. Middle Tennessee (7-5), 7:30 p.m. (ESPN) Wednesday, Dec. 27 Emerald Bowl Payout: $750,000 Florida State (6-6) vs. UCLA (7-5), 8 p.m. (ESPN) Thursday, Dec. 28 Independence Bowl Payout: $1.1 million Oklahoma State (6-6) vs. Alabama (6-6), ,4:30 p.m. (ESPN) Holiday Bowl Payout: $2.2 million California (9-3) vs. Texas A&M (9-3), 8 p.m. (ESPN) Texas Bowl Payout: $750,000 Rutgers (10-2) vs. Kansas State (7-5), 8 p.m. (NFL) Friday, Dec. 29 Music City Bowl Payout: $1.6 million Clemson (8-4) vs. Kentucky (7-5), 1 p.m. (ESPN) Sun Bowl Payout: $1.9 million Missouri (8-4) vs. Oregon State (9-4), 2 ,p.m. (CBS) Liberty Bowl Payout: $1.7 million South Carolina (7-5) vs. Houston (10-3), '4:30 p.m. (ESPN) Insight Bowl Payout- $1.2 million Minnesota (6-6) vs. Texas Tech (7-5), 7:30 p.m. (NFL) Champs Sports Bowl Payout: $2.25 million Maryland (8-4) vs. Purdue (8-5), 8 p.m. (ESPN) Saturday, Dec. 30 Meineke Bowl Payout: $750,000 Navy (9-3) vs. Boston College (9-3), 1 p.m. (ESPN) Alamo Bowl Payout: $2.225 million Iowa (6-6) vs. Texas (9-3), 4:30 p.m. (ESPN) S Chick-fil-A Bowl Payout: $2.825 million Virginia Tech (10-2) vs. Georgia (8-4), 8 p.m. (ESPN) Sunday, Dec. 31 MPC Computers Bowl Payout: $750,000 Nevada (8-4) vs. Miami (6-6), 7:30 p.m. (ESPN) Monday, Jan. 1 Outback Bowl Payout: $3 million Penn State (8-4) vs. Tennessee (9-3), 11 a.m. (ESPN) Cotton Bowl Payout: $3 million Auburn (10-2) vs. Nebraska (9-4), 11:30 .m (FOX) Capital One Bowl Payout: $4.25 million Wisconsin (11-1) vs. Arkansas (10-3), 1 p.m. (ABC) Gator Bowl Payout: $2.5 million 1. Georgia Tech (9-4) vs. West Virginia (10- 2), 1 p.m. (CBS) :-j' Rose Bowl S Payout: $17 million ..thern Cal (10-2) vs. Michigan (11-1), 6 P n, (ABC) --J Fiesta Bowl S Payout: $17 million SBoise State (12-0) vs. Oklahoma (11-2), p r0 p m (FOX) FJ Tuesday, Jan. 2 | ~ Orange Bowl I Payout: $17 million i Wake Forest (11-2) vs. Louisville (11-1), ". p m (FOX) m Wednesday, Jan. 3 .. Sugar Bowl S Payout: $17 million L3U (10-2) vs. Notre Dame (10-2), 8 ".. (FOX) I Saturday, Jan. 6 "i International Bowl 7- Payout: $750,000 \ Cincinnati (7-5) vs. Western Michigan (8- 41, Noon (ESPN2) Sunday, Jan. 7 ", GMAC Bowl S Payout: $750,000 Southern Miss (8-5) vs. Ohio (9-4), 8 pmn (ESPN) 'i Monday, Jan. 8 A BCS National Championship Payout: $17 million Ohio State (12-0) vs. Florida (12-1), 8 p.m. (FOX) Sunday, Jan. 14 Hula Bowl l; East vs. West, 8:30 p.m. (ESPN) S Monday, Jan. 15 Las Vegas All-American Classic 1 East vs. West, 4 p.m., (NFL) S Saturday, Jan. 20 East-West Shrine Classic 14 East vs. West, 7 p.m. (ESPN2) Saturday, Jan. 27 Senior Bowl Norlth vs. South, 4 p.m. (NFL) I ri- J(_ j~~(~ , On the AIRWAVES: TODAY'S SPORTS BASKETBALL 7 p.m. (ESPN2) College Basketball Oklahoma State at Tennessee. (Live) (CC) FOOTBALL 8:30 p.m. (ESPN) NFL Football Cincinnati Bengals at Indianapolis Colts. From the RCA Dome in Indianapolis. (Live) (CC) HOCKEY 7 p.m. (VERSUS) NHL Hockey Detroit Red Wings at Columbus Blue Jackets. From Nationwide Arena in Columbus, Ohio. (Live) Prep : '. TODAY'S PREP SPORTS BOYS BASKETBALL 7 p.m. South Sumter at Citrus 7:30 p.m. Hemando at Crystal River GIRLS BASKETBALL 6 p.m. Dunnellon at Seven Rivers 7:30 p.m. Crystal River at Hernando BOYS SOCCER 7:30 p.m. Forest at Lecanto GIRLS SOCCER 5:30 p.m. Crystal River at Citrus 8 p.m. Lecanto at Central GIRLS WEIGHTLIFTING 5 p.m. Central at Citrus BAS KETBALL NBA Leaders Through Dec. 16 Scoring G FG FT PTS AVG Anthony, Den. 22 265 153 696 31.6 Iverson, Phil. 15 151 154 468 31.2 Wade, Mia. 21 200 191 601 28.6 Johnson, Atl. 19 203 83 539 28.4 Redd, Mil. 24 221 186 675 28.1 Arenas, Wash. 22 197 155 616 28.0 Bryant, LAL 20 186 153 558 27.9 Pierce, Bos. 23 189 176 611 26.6 Carter, N.J. 23 215 129 610 26.5 Yao, Hou. 23 220 169 609 26.5 James, Clev. 23 213 149 606 26.3 Randolph, Port. 24 211 183 609 25.4 Allen, Sea. 18 156 100 455 25.3 Nowitzki, Dall. 24 189 175 573 23.9 Boozer, Utah 23 211 90 512 22.3 Lewis, Sea. 24 187 100 529 22.0 Garnett, Minn. 21 168 116 456 21.7 Hamilton, Det. 20 150 115 430 21.5 Martin, Sac. 22 148 134 468 21.3 Duncan, S.A. 25 206 113 525 21.0 FG Percentage FG FGA PCT Dampier, Dall. 93 135 .689 Biedrins, GS. 115 177 .650 Lee, N.Y. 117 1.81 .646 Stoudemire, Phoe. 140 226 .619 Dalembert, Phil. 84 139 .604 Mourning, Mia. 86 148 .581 Howard, Orl. 156 269 .580 Patterson, Mil. 136 238 .571 Boozer, Utah 211 374- .564 Duncan, S.A. 206 366 .563 Rebounds GOFFDEF TOT AVG Howard, Orl. 26 95235 330 12.7 Boozer, Utah 23 75207 282 12.3 Bosh, Tor. 19 69163 232 12.2 Garnett, Minn. 21 46 203 249 11.9 Chandler, NOk. 20 72 161 233 11.7 Camby, Den. 22 44 193 237 10.8 Okafor, Char. 23 81 166 247 10.7 Wallace, Chi. 24 99 155 254 10.6 Duncan, S.A. 25 71 182 253 10.1 Randolph, Port. 24 73 169 242 10.1 Assists G AST AVG Nash, Phoe. 21 240 11.4 Kidd, N.J. 23 216 9.4 Miller, Den. 22 204 9.3 Williams, Utah 23 211 9.2 Paul, NOk. 22 200 9.1 Davis, GS. 20 167 8.4 Billups, Det. 22 183 8.3 Wade, Mia. 21 168 8.0 Ford, Tor. 23 180 7.8 Knight, Char. 18 129 7.2 MOVES BASEBALL American League CHICAGO WHITE SOX-Traded 1 B-OF Ross Gload to Kansas City for LHP Andrew Sisco. Agreed to terms with C Toby Hall on a two-year contract. BASKETBALL National Basketball Association SAN ANTONIO SPURS-Assigned G-F James White to Austin of the NBA Development League. FOOTBALL National Football League GREEN BAY PACKERS-Placed DE Michael Montgomery on injured reserve. Signed WR Chris Francies from the prac- tice squad and OT Travis Leffew to the practice squad. NEW YORK JETS-Released LB Ryan Riddle. Signed FB Stacy Tutt from the practice squad. HOCKEY National Hockey League COLUMBUS BLUE JACKETS- Activated D Duvie Westcott from injured reserve. Assigned D Filip Novak to Syracuse of the AHL. NEW YORK ISLANDERS-Traded D Alexei Zhitnik to Philadelphia for D Freddy Meyer and a conditional third-round draft pick. Recalled D Chris Campoli from Bridgeport of the AHL. Assigned RW Blake Comeau to Bridgeport. Activated C Alexi Yashin from injured reserve. VANCOUVER CANUCKS-Assigned RW Tyler Bouck to Manitoba of the AHL. American Hockey League BRIDGEPORT SOUND TIGERS- Recalled D Jason Goulet from Pensacola of the ECHL. MANCHESTER MONARCHS-Recalled G Ryan Munce from Reading of the ECHL. WORCESTER SHARKS-Loaned D Tom Walsh to Fresno of the ECHL. ECHL LAS VEGAS WRANGLERS-Loaned D Ryan Bonni to Omaha of the AHL. COLLEGE HEIDELBERG-Named Mike Hallett football coach. GOLF Target World Challenge Scores At Sherwood Country Club Thousand Oaks, Calif. Purse: $5.75 million Yardage: 7,064 yards Par: 72 Final Round Woods, $1.35 million68-68-70-66- 272 Ogilvy, $840,000 68-70-67-71 276 DiMarco, $570,00070-68-68-71 277 Stenson, $420,00066-71-73-69 279 Montgomerie, $285,00069-73-72-66-280 Casey, $285,00 69-70-70-71 280 Campbell, $240,00074-69-68-71 282 Harrington, $230,00075-67-70-71 283 Toms, $220,000 73-69-68-75 285 Love Ill, $205,00077-70-70-69 286 Couples, $205,00069-74-72-71 286 Donald, $190,000 76-74-72-71 293 Howell, $185,000 71-75-72-77 295 Scott, $177,500 75-80-69-72 296 Olazabal, $177,50070-70-78-78 296 Daly, $170,000 69-71-77-80 297 LPGA Singapore Purse: $960,000 Yardage: 6,220 Par: 72 ASIA 12%, INTERNATIONAL 11% Singles International 6%, Asia 5% Annika Sorenstam, International, def. Grace Park, Asia, 4 and 3. Paula Creamer, International, def. Candle Kung., Asia, 1-up Meena Lee, Asia, halved with Angela Stanford, International. Jee Young Lee, Asia, def. Morgan Pressel, International, 5 and 4. Stacy Prammanasudh, International, def. Shi Hyun Ahn, Asia, 4 and 3. Young Kim, Asia, def. Carin Koch, International, 3 and 2. Hee-Won Han, Asia, def. Nikki Campbell, International, 3 and 2. Sherri Steinhauer, International, def. Jennifer Rosales, Asia, 4 and 3. Sakura Yokomine, Asia, def. Laura Davies, International, 4 and 3. Natalie Gulbis, International, def. Joo Mi Kim, Asia, 5 and 4. Seon Hwa Lee, Asia, def. Julieta Granada, International, 2 and 1. Brittany Lincicome, International, def. Se Ri Pak, Asia, 4 and 2. Saturday Best Ball Asia 4, International 2 Gulbis and Sorenstam, International, def. Meena Lee and Jee Young Lee, Asia, 2-up. Park and Han, Asia, def. Granada and. Pressel, International, 1-up. Creamer and Prammanasudh, International, def. Ahn and Joo Mi Kim, Asia, 3 and 2. Kung and Rosales, Asia, def. Campbell and Lincicome, International, 3 and 1. Young Kim and Yokomine, Asia, def. Koch and Davies, International, 2-up. Pak and Seon Hwa Lee, Asia, def. Steinhauer and Stanford, International, 4 and 2. Friday Alternate Shot Asia 3, International 3 Young Kim and Seon Hwa Lee, Asia, def. Davies and Lincicome, International, 6 and 5. Meena Lee and Jee Young Lee, Asia, def. Creamer and Gulbis, International, 2- up. Park and Ahn, Asia, halved with Prammanasudh and Stanford, International. Granada and Pressel, International, def. Han and Pak, Asia, 4 and 3. Sorenstam and Koch, International, def. Joo M Kim and Yokomine, Asia, 3 and 2. Kung and Rosales, Asia, halved with Steinhauer and Campbell, International. HOCKEY NHL Scoring Leaders Through Dec. 16 Crosby, Pit Jagr, NYR Ovechkin, Was St. Louis, TB Spezza, Ott Selanne, Ana Hossa, Atl Iginla, Cal Lecavalier, TB Nylander, NYR Heatley, Ott Straka, NYR Thornton, SJ Briere, Buf Shanahan, NYR Sakic, Col Kozlov, AtI Savard, Bos Kovalchuk, Atl Afinogenov, Buf Brind'Amour, Car a - - - 5 - * a - a- - a - * - f. Give Gato *'- ',Ate ,.V cc b1 GP G A PTS 29 16 36 52 33 14 32 46 32 22 21 43 33 20 23 43 34 19 24 43 35 19 24 43 34 22 20 42 30 20 21 41 33 18 23 41 33 12 28 40 34 19 20 39 33 17 22 39 34 9 30 39 32 14 24 38 33 22 15 37 32 14 23 37 34 11 26 37 30 9 28 37 34 18 18 36 27 14 22 36 30 10 26 36 - *0 - a -~ a . -a- a- a - a a- - -- 0 *. - 0 -a -- - - aw a o . a- --. 4b. - - - = -o a0 ~ a - - a - do .- a Am. --Mom- - -mum - -~ - a- a a * a - a-a- a-- -a a a- - - - - a, a--dam. a -4-1b 41-1a wm - ab a- S - M 0"Copyrighted Material 05 .a - 0 a- - Available from Commercial News Providers" * a - a - ~ a- S - ~.a.. a - - ~. a a- -a a-___ a - a a-- . ~ ..~ a a, a,. .- a a- - a a = a a - a- - Ce a a-- a- - ~ 5- a a--~ - a-a ~ a-a- a- a -- -~ --- - S - a a-~- - -a - a - a - - a a a-.. S - -- - a a a a- - - a- a a ~-a - a - ~- a- - a a a a-. - a - a - a... - a- ~ - -6 -4b -- 4w w - SO - S ...a - - a- -. a a ~ -. -~ - - ~ m i - a e = .~ .0 a- -a- a a- - ~- * - a a-a - a .a. -a - -. a - -- a -~ a. - a 5 a--. - S a a - a .qa- a- a ab 44P .0a Looking for the perfect gift for your favorite Gator fan? them a gift subscription to ' r Bait this holiday season! ~. AT ar~ Whether it's a family l .- P member friend nr o-worker, a subscription to .7$ Gator Bait Magazine will )ring a smile to any Gator fan's face this year . Subscribe by December 25, 2006 and receive 10% off a gift subscription to GATOR BAIT MAGAZINE Just mention this ad when you call to subscribe today | Call 1-800-782-3216. to give the perfect gift now! | Visit for a l your holiday gift giving eeds! . ,: : .'. '. ,:' , : .. ,. .' -' : . .. .. . ... . ', ,..:. .. .,: .: ' .- _.-- Syndicated Content:- a- a-~waa* - - a- . a a a-. - - -~ w a a -- a- - a -~ For more than 25 years, Gator Bait Magazine has provided the most in-depth coverage of University of Florida Athletics Ciywus Coumy (FL) CHRoNica I. imms, SPORTS ft o 91. Q ,i= ** 4 - qwo* J MONDAY, DECEMBER 18, 2006 SB Trying to dp%,, k~rb i 450 ta quo*A 4 4 4 m m- Q 4 4 0 qp 0NO -m mflmm wm 00 mb4 "cc .00 m 4df - mowl dm am ms 4Me 40Q n com 4 0 - too sd s- q ad bm w P . 0 - I I f ~1 1 1' Available from Commercial News Providers" ' 0 so - ___ rt a * * t * t New England N.Y Jets Buffalo Miami x-Indianapolis Jacksonville Tennessee Houston y W L T Pct PF PA HomeAway 10 4 0 .714 321 193 5-3-05-1-0 8 6 0 .571 280 282 3-4-0 5-2-0 7 7 0 .500 264 262 4-3-0 3-4-0 6 8 0 .429 228 243 4-3-0 2-5-0 South W L T Pct PF PA HomeAway 10 3 0 .769 342 295 6-0-04-3-0 8 6 0 .571 320 215 6-1-02-5-0 7 7 0 .500 271 331 4-3-0 3-4-0 4 10 0 .286 226 336 2-4-02-6-0 North W L T Pct PF PA HomeAway 11 3 0 .786 303 187 6-1-05-2-0 8 5 0 .615 317 250 4-3-04-2-0 7 7 0 .500 323 267 5-2-0 2-5-0 4 10 0 .286 225 320 2-5-02-5-0 West . W L T Pct PF PA HomeAway 11 2 0 .846 425 257 6-0-0 5-2-0 8 6 0 .571 272 256 3-3-0 5-3-0 7 6 0 .538 267 256 5-2-0 2-4-0 2 12 0 .143 156 289 2-5-00-7-0 NATIONAL CONFERENCE East W L T Pct PF PA HomeAway 9 5 0 .643 387 288 4-2-0 5-3-0 8 6 0 .571 351 304 4-3-04-3-0 7 7 0 .500 314 304 3-4-04-3-0 5 9 0 .357 248 305 3-4-02-5-0 South W L T Pct PF PA HomeAway 9 5 0 .643 362 284 4-3-0 5-2-0 7 7 0 .500 272 294 3-4-04-3-0 6 8 0 .429 229 281 4-4-0 2-4-0 3 11 0 .214 182323 3-4-00-7-0 North W L T Pct PF PA HomeAway 12 2 0 .857 394208 6-1-06-1-0 6 8 0 .429 266 352 2-5-04-3-0 6 8 0 .429 254 277 3-4-0 3-4-0 2 12 0 .143 245 341 2-5-00-7-0 West W L T Pct PF PA HomeAway 8 6 0 .571 295314 5-2-03-4-0 6 8 0 .429 252 363 4-3-0 2-5-0 6 8 0 .429 289 329 3-4-0 3-4-0 4 10 0 .286 268 342 3-5-0 1-5-0 x-clinched division, y-clinched playoff spot Broncos 37 Cardinals 20 Denver 10 6 714-37 Arizona 010 3 7-20 First Quarter Den-Walker 54 pass from Cutler (Elam kick), 12:00. Den-FG Elam 30, 8:51. Second Quarter Den-FG Elam 22, 12:59. Ari-FG Rackers 49, 8:12. Ari-A.Smith 4 fumble return (Rackers kick), 7:53. Den-FG Elam 30, :57. Third Quarter Den-R.Smith 10 pass from Cutler (Elam kick), 8:54. Ari-FG Rackers 38, 2:19. Fourth Quarter Den-M.Bell 1 run (Elam kick), 13:51. Ari-James 4 run (Rackers kick), 7:46. Den-M.Bell 1 run (Elam kick), 2:44. First downs Total Net Yards Rushes-yards Passing Punt Returns Kickoff Returns Interceptions Ret. Comp-Att-Int Sacked-Yards Lost Punts Fumbles-Lost Penalties-Yards Time of Possession Den 26 362 38-106 256 3-25 5-154 2-37 21-31-1 1-5 1-34.0 3-1 1-5 33:52 Ari 17 295 20-100 195 0-0 6-149 1-23 20-35-2 3-19 3-52.3 2-0 6-52 26:08 INDIVIDUAL STATISTICS RUSHING-Denver, M.Bell 16-61, T.Bell 18-29, Cutler 3-10, Marshall 1-6. Arizona, James 14-63, Leinart 3-23, Ayanbadejo 1- 11, Boldin 1-5, Arrington 1-(minus 2). PASSING-Denver, Cutler 21-31-1-261. Arizona, Leinart 20-35-2-214. RECEIVING-Denver, Walker 5-84, Marshall 5-58, Smith 4-40, Scheffler 3-58, T.Bell 2-12, Jackson 1-7, K.Johnson 1-2. Arizona, Fitzgerald 5-77, Boldin 5-60, Bry.Johnson 2-33, Walters 2-14, Pope 2- 11, Ayanbadejo 2-10, James 2-9. Eagles 36, Giants 22 Philadelphia 7 7 022-36 N.Y. Giants 7 3 3 9-22 First Quarter NYG-Barber 11 run (Feely kick), 12:34. Phi-Buckhalter 2 run (Akers kick), 6:18. Second Quarter Phi-Westbrook 1 run (Akers kick), 1:02. NYG-FG Feely 47, :03. Third Quarter NYG-FG Feely 23, 1:10. Fourth Quarter NYG-FG Feely 24, 14:08. Phi-Westbrook 28 run (Akers kick), 12:36. NYG-Jacobs 1 run (run failed), 6:59. Phi-R.Brown 19 pass from Garcia (Garcia pass to Smith), 2:57. AFC NFC Div 6-4-0 4-0-0 4-2-0 5-5-0 3-1-0 3-2-0 5-5-0 2-2-0 3-3-0 3-7-0 3-1-0 1-4-0 AFC NFC Div 7-3-0 2-2-0 4-1-0 4-6-0 3-1-0 2-2-0 3-8-0 1-2-0 0-6-0 AFC NFC Div 9-2-0 2-0-0 4-1-0 7-4-0 1-2-0 3-3-0 3-6-0 4-0-0 3 Phi-Cole 19 interception return (Akers kick), 2:47. .Phi NY First downs 21 20 Total Net Yards 382 358 Rushes-yards 30-161 22-88 Passing 221 270 Punt Returns 0-0 3-60 Kickoff Returns 3-98 4-68 Interceptions Ret. 2-19 1-53 Comp-Att-Int 19-28-1 28-40-2 Sacked-Yards Lost 2-16 1-12 Punts 3-45.3 2-36.5 Fumbles-Lost 1-1 2-2 Penalties-Yards 12-103 5-55 Time of Possession 31:49 28:11 INDIVIDUAL STATISTICS RUSHING-Philadelphia, Westbrook 19-97, Buckhalter 8-48, Garcia 3-16. N.Y. Giants, Barber 19-75, Jacobs 3-13. PASSING-Philadelphia, Garcia 19-28- 1-237. N.Y. Giants, Manning 28-40-2-282. RECEIVING-Philadelphia, Westbrook 5-40, R.Brown 4-77, Smith 4-54, Baskett 2-26, Lewis 1-18, Buckhalter 1-9, Tapeh 1- 8, Stallworth 1-5: N.Y. Giants, Shockey 8- 70, Burress 6-120, Barber 5-29, Carter 4- 30, Shiancoe 2-8, Finn 1-9, Jacobs 1-9, Tyree 1-7. Rams 20, Raiders 0 St. Louis 0 6 7 7-20 Oakland 0 0 0 0- 0 Second Quarter StL-FG Wilkins 24, 13:07 ' StL-FG Wilkins 34, 1:56. Third Quarter StL-S.Jackson 4 run (Wilkins kick), 10:14. Fourth Quarter StL-S.Jackson 1 10:11. First downs Total Net Yards Rushes-yards Passing Punt Returns Kickoff Returns Interceptions Ret. Comp-Att-Int Sacked-Yards Lost Punts Fumbles-Lost Penalties-Yards Time of Possession 9 run (Wilkins kick), StL 16 251 35-148 103 1-17 1-21 3-13 11-22-0 4-34 6-46.2 2-0 10-56 31:08 Oak 20 260 18-57 203 2-5 5-115 0-0 25-39-3 4-26 4-42.8 2-2 9-75 28:52 INDIVIDUAL STATISTICS RUSHING-St. Louis, S.Jackson 31- 127, Turk 2-19, Davis 1-2, Bulger 1-0. Oakland, Fargas 12-43, Brooks 2-10, Lee 2-3, Crockett 2-1. PASSING-St. Louis, Bulger 11-22-0- 137. Oakland, Walter 14-20-2-131, Brooks 11-19-1-98. RECEIVING-St. Louis, Holt 459; Bruce 3-58, Walker 1-9, Hedgecock 1-6, Klopfenstein 1-4, Davis 1-1. Oakland, Curry 9-87, Lee 5-21, Anderson 4-52, Gabriel 2-31, Morant 2-13, Fargas 1-10, R.Williams 1-8, Madsen 1-7. Schedule 31, Kansas City at San Diego, late Today's Game Cincinnati at Indianapolis, 8:30 p.m. Thursday, Dec. 21 Minnesota at Green Bay, 8 p.m. Saturday, Dec. 23 r.. .4. Bears 34, Buccaneers 31 Tampa Bay 0 3 7 21 0- 31 Chicago 7 14 3 7 3-34 First Quarter Chi-Clark 24 pass from Grossman (Gould kick), 7:42. Second Quarter t TB-FG Bryant 45, 8:19. Chi-Jones 5 run (Gould kick), 3:58. Chi-Clark 12 pass from Grossman (Gould kick), :23. Third Quarter Chi-FG Gould 38, 5:22. TB-Alstott 14 run (Bryant kick), :25. Fourth Quarter TB-Smith 9 pass from Rattay (Bryant kick), 14:13. Chi-Benson 4 run (Gould kick), 9:23. TB-Galloway 64 pass from Rattay (Bryant kick), 6:13. TB-Hilliard 44 pass from Rattay (Bryant kick), 3:44. Overtime Chi-FG Gould 25, 3:37. TB Obi First downs 11 27 Total Net Yards 357 446 Rushes-yards 19-57 34-134 Passing 300 312 Punt Returns 7-46- 7-63 Kickoff Returns . 6-117 6-85 Interceptions Ret. 0-0 1-3 Comp-Att-Int 25-46-1 29-44-0 Sacked-Yards Lost 2-5 0"'4-t7 Punts 114.5 10-44.6 Fumbles-Lost 2-1 3-1 Penalties-Yards 9-73 8-79 Time of Possession 29:27 41:56 INDIVIDUAL STATISTICS q RUSHING-Tampa Bay, Alstott 6-26, C.Williams 11-26, Pittman 2-5. Chicago, Jones 17-68, Benson 15-53, Peterson 2-13. PASSING-Tampa Bay, Rattay 20-35-- 268, Gradkowski 5-11-0-37. Chicago, Grossman 29-44-0-339. RECEIVING-Tampa Bay, Smith 5-24, Pittman 4-30, Galloway 3-107, Hilliard 3-5P, Stovall 3-42, Warren 2-19, Becht 2-12, C.Williams 2-12, Alstott 1-4. Chicago, Clark 7-125, Muhammad 6-85, Berrian 6-33, McKie 5-34, Jones 3-16, Davis 1-28, Gilmore 1-18. SKIDMORE'So Sports Supply OPEN 7 DAYS A WEEK, 5 Blocks East of Hwy. 19 Crystal River 795-4033 s SPA Beauty & Day Spa 4 HAiR ~ ~~'NALS *MASSAGE S KINI CAREF 341-1077, Gift Certificates available "Copyrighted Material Syndicated Content S Knightly Auto Complete Auto Service Foreign & Domestic Stop in to see us, tiid let nily dad fix your ca r! Christian kni htly - SIIllJ] I i d lal; I 4i.Ui il '* / *I IstliI'*]U' l d l *l 'ii sia ;l:[:(.' FREE 27 POINT LUBE OIL FILTER TRANSMISSION INSPECTION $l A95 FLUSH, SERVICE WITH LUBE, I & INSPECTION OIL & FILTER I Up 5 ouas Oil $S" 95 i nr,. be ,,,.br.',,i bn l ,,,..l ,r ,h ,- Iw 1 7. ALML REPAIRS: 12 MONTH OR 12 000 MILE NATIONWIDE WARRANTY! l l =, .,I. Hwy. 19, Crystal River .. * (Next to E[nerprise Cai Rentall BEST .^ 563-2811 i I The Gift She Truly Deserves | Let her feel relaxed, pampered and beautiful j with a gift from Ultimo Beauty & Day Spa Ultimo Luxury Days S Body Massage Facial Make-up Manicure S Pedicure Body Wrap and Delicious Lunch The Inverness Experience $145.00 now $119.00 I The European Experience $230.00 now $185.00 The Royal Experience $340.00 now $290.00 " Come in and register to win: The Royal Experience & Skin Care Products I 2713 Hwy. 44 West Inverness, FL 34453 'a i 2LLWLL|^|;^ULLL-LvN ^icUHLU i|i|lai;l|ill|liiaiiUl!|illilliil> r ULLILLLLINNMLLIGLL!LL:LLLLULGGMULLLIEELL-EELLLLULLLI-L'LL'LL"LLIE MEN. . IN Crivis Convii, (FL) CHRONICLF SPOlRTS * - 8 0 m Ww - S V. a- a a @00 L 000 S S S @6 q 4 - a a. 0 0 *1. ** ** * o. o. vS .4 ~qb '-41r-.'46 dew. --& .0. a 000 ~ .0. 0 000 00 @06 S. 0* 0 * * @06 * a * @00 '0 'ma. US. Q I a0~ a ~ L~ 0.~ Cm *t - * ~0.- -- ?. ~ 0~ ~ lit ~? * 0 * P 4 DO - - b~. m C-4m C u w ,7 ii I I t * a * - a I- a. V * * ~'4s S 2 ~ %4~flqIm ~ S. 0 ~ I~*-. .*~ a r = 0 ~- 'p.-.. * a ~.*a @0 * ~ 0. - OW*-f...0..* m mem 5. a a.. L 0.- WARP a-- X Cojb4 (I.Ole 0 a' 5.wrT sh. -b 6 0 0 0 %. fo .* a.V.; a.too. _4% VP -10" opyrighteigp Svbdcae a.;-. a04.II'%S * ~ El ~0 a a 'II- 0 *Eh..Y39 d Material J7UtMU 40 -4.-m & 4 & 46 b 1 I a 4%A~al .vvY AAA -d - IA- 0% 0* -lob0 d -MINE. 0 v - 0- a - a --- do-- Content * ** * *** * 0 * * *e * * ** * . - * - Available from Commercial News Providers" . am am *a Om am ammam tomIBM SMA - ~m - m ~ - ... ~ -~ w- - tab - -a Inv 4 0 ~* II - -a -a 0 's ob-T4w - 'elm a-. -a a. - A ~'a a. asV0 0 'a 0 0 a a -a 0 *w P* - -NEW a a. up~w y*0. - Wa .a'L b~'~ - -d am. r% z wm' q a. a. - a... - 'a a a. * a. - ~.0 - .-~ a. 0*0 -4b a . - ~ -aim w6 SR * 000 0 ** 0 0 . . qw qo.q 0 0*00 0 * * * ** * * 0*.0 * ** * O~o *Oe * a. 0 9 0 0. -4m w w - A -- 0I SQm 4D 0 mkq& %.vo o. a..GO .,-d -md -'e -dm I - -a. -0 - a --.0 ~ S a - * a S -41b- 0 low - -a - 'a a - - S 0 - a- a. - ftl0 u dm~e di- - S *a - ,mo AM a - a - 'a ~ 'a - a 0 a a.-~ - - - ~0 S ~ .0 a. - a S - - a - - = a 0 .~ 0 O 0000 00 44M -0 1f I- 121 I - ~ * 5 6 a. - -a ~*-~ a - -a 0 0 a. - - a. -~ a - a -'a a. ~ -. - a - -~ - '0 'a '~ - a.. a. - 'a 0-- .0 a 5.-- '0 0 - S I rv a a -a ^ .7 e 4W .4m .-la gap qh. - . 40 0 o a. . 0 w mm @0 0 ** 0@ w a 0 0 00, 00, 40v* ", - * 0.- 0 'a * ~ - a ~- PS L.01)11 ~ m S - ' mm-oe ow a. - - ---- a. I adhi MIMPRIEmp- I w ILw ob 0* 1 i qllb- low - 40. qrm I ID -qp dp- SNIP 10 47 . IL IW 4110 - ft 6 Tf O Asimpa Aw a a 0 0 0 * * ~ a a a a *~ I ,'~ A 0 ob 0 0 .*a" 0b lAp - em';. ~ .- A !0% -4-40. .Al S *. -a. - a ~ ~ - ~ a I- I1I - 480- . S. S a a -~ ~ a a S aa~ 0 S dib-4 ow -ft 0 ~ 1~~' a - o 0* - It A* g h t- -"" 7 :"Copyrighted;Material v J A ta Syndicated Contentf ' . Available from Commercial News Providers" * - -m.w wPI1 dop mq " OD dam- O me -a S . owl F .,6.; g OW se. 4111M qw 410 dob 9 LW ~4. T- p 4nft -p B m.,pw A r do som"S .M rfir .41' do - -pe4W 0 qma FI Are I -b q is P It-I%&U - - ,JI M m p * - q O wow .4 0 v . . l .- 4 4 wM m am - a * . quo- a. a ~ a a a - a - - S c g' 9 r . 04 - m ~% S I b V a', .4~I 'ii 4 ow a b % r-- 40 o .XLIII IZ L- - CLASSIFIED To place an ad, call 563-5966 Classifieds .. and .. .Online 7 All The Time Fa: 35) 6-565 1 ol0 re:* 88) 5-240 1 mal c.si es rn enin cm e e:ww onceo0ieSo *" Fre4= 6 esoa U.Rstuan TaesPrttm * S S. * 0 S. * S. I See S '~3. we . -I DISCREET INTIMATE PHYSICAL - RELATIONSHIP SWM 40's ISO F20's-40's. Send photo reply to: Blind Box 1256 M 1624 N. Meadowcrest Blvd. Crystal River, FL 34429 Single man 58, 6'2", 195 Ibs. retired, active & happy. Seeking to meet woman 50-63. (352) 423-0835 tmpottsie@aal.com SINGLE MAN would like to meet a lady for the holidays and more. Call for information (352) 302-5543 Tall Handsome WM 52. 6'3' 2201b, Brn. Hair, blue eyes.fit, a o. r .i r,1r 3.1.-.ili.,g, ,r,. r,a ,-- :, 0 fit WF. 45-55 for -'" friendship & nice quiet times -'"John (352) 637-3940 T I ,-w W OW How -To Make Your Dining Room Set isappear.. Sinp) advertise in lhe Classifieds 1and get results quickly! S, 352, 563-5966 CI 1) ()\li(.! ^ Dwwchronieonline.com Santa Claus $CASH$ WE BUY TODAY Cars, Trucks, Vans rt FREE Removal Metal, Junk Vehicles, No title OK 352-476-4392 Andy Tax Deductible Receiot + COMMUNITY SERVICE The Path Sheltel is available for people who need to serve their community service, (352) 527-6500 or (352) 746-9084 Leave Message FREE GROUP COUNSELING Depression/ Anxiety (352) 637-3196 or 628-3831 FREE LAB/CHOW MIX, female, to good home (352) 464-3777 *FREE REMOVAL OF- Motorcycles, mowers, cars, 4&3 wheelers, RV's, storage units,mtrs, trailers, boats? 628-2084 FREE REMOVAL of unwanted househid & garage sale items. Call (352) 726-9500 Free Scrap Metal (352) 628-1408 Terrier Puppy, Female 1 yr. old spayed, need fenced yard Free to good home (352) 527-8454 Your world first Need a job or a qualified employee? This area's #1 employ mnent source! J o ..,~e i jil.] i ;.e i]iI ~]Ii V S 4% . a "4 Misc. garage sale items. Free-must take all. No calls before 9am (352) 628-2535 -e FRESH KEYWEST JUMBO SHRIMP 13-15ct, $5/lb Boats unloading daily v 352-795-4770 a RIO CRYSTAL SEAFOOD HOLIDAY SPE9IALI JUMBO SHRIMP $6.20/LB OR 5LBS/$27.50 Best Cuban Sandwich in Town! Open Sundays (352) 795-3311 TOMATOES $.50LB PEPPERS $.39 each. Downtown Hernando. Mon-Sat.(352) 476-8909 Divforces I Bankruptcy Name Change Child Support I Wlls We Come ToYou S6374022~955999 T CAT ADOPTIONS CAT ADOPTIONS Humanitarians of Foridas Manchester House has kittens and adult cats on site and available for adoption for the small fee of $50.00. All are spayed/neutered and are up [o date on shots. All have listed negative for feline leukemia/aids. We are located on the Corner of Hwy. 44 andpm-3pm HOMEWORX Legal form services, wills, divorces, bankruptcy, notary serve credit card assis- tance, (352)637-9635 HAIR STYLIST Exp. nec. Willing to do manicures & pedicures. Call (352) 628-3775 HAIR STYLIST F/T. HR or up to 60% Comm. Pd. vac. Call Sue 352-628-0630 2 F/T MEDICAL 1. Medical Assistant exp. w/ vitals and. injections. 2. Front Office Asst. exp. w/ scheduling phones, insurance verify. Check in & out procedures, Send Resume to: Blind Box 1237-P c/o Citrus County Chronicle, 106 W. Main St. Inverness FL 34450 Need help rehoming a pet call us Adoptive homes available for small dogs Requested donations are tax deductible PET ADOPTION Monday December 18 - 12pm 2pm Mercantile Bank, SE US19 Crystal River MR CITRUS COUNTY REALTY ALAN NUSSO 3.9% Listings INVESTORS BUYERS AGENT BUSINESS BROKER (352) 422-6956 ANUSSOCOM ANYONE WHO SPEAKS JAPANESE PLEASE CALL (352) 726-4498 ATTRACTIVE SWF seeking male companion. Candl, 352-628-1036 GATOR NEEDS TICKETS for BCS Call Ron 621-6747 FRESH KEYWEST JUMBO SHRIMP 13-15ct. $5/lb Boats unloading daily u 352-795-4770 -S DEATH FORCES SALE to settle estate. 2 vaults & Mrkr Bs in Fero's Honor Sec. Mr. Rich 746-4646 NOW TAKING APPLICATIONS For exp 3yr.old Teacher (352) 527-8440 PROGRAM MGR. LifeStream is looking for a Candidate to direct and manage the child care program. BA In Early Childhood Education, or Human Svcs, req. MA preferred, Apply at 515 W. Main St. Leesburg, DFWP/EOE JOBS GALORE!!! EMPLOYMENT.NET Legal Secretary Energetic legal secretary with at least three years of experience needed for busy downtown Inv erness Law Office, starting no later than January 8th. Real Estate Litigation knowledge and excellent phone skills hired, Fax resume to 352-726-1108. DATA ENTRY - CLERICAL Part-time data entry - clerical. Approximately 16 hrs. a week 2:30 - 6:30p.m. Monday- Thursday during the school year. Good phone skills, detail oriented. Must pass drug screening and background check. This is a grant-funded position with no benefits, $10 hr. Call Linda at Withlacoochee Technical Institute, 726-2430, ext. 223 after s 1:30pm to set up an 5 appointment. EARN AS YOU LEARN CNA Test Prep/CPR Continuing Education 341-2311/ Cell 422-3656 IMMEDIATE OPENING ULTRASOUND TECH OB/GYN Exp. Req'd Part Time Fax Resume and salary requirements to:(352) 794-0877 Nurse F/T 3-11 Shift differential. Bonuses abundant. Join our team, I I Cypress Cove I Care Center I 700 SE 8th Ave. L Crystal River - NOW HIRING Experienced, Caring & Dependable CNA's/HHA's Hourly & Live-in, Flexible schedules offered. $9.00-$9.50/hr. CALL LOVING CARE (352) 860-0885 --- --- E C P/T1I-7 NURSE NURSES PRN all Shifts FT CNA 7-3 &3-11 Come join our great team and see what we can do for youl We offer excellent pay and benefits. Call or come by and speak with Hannah Mand at 3325 W. Jerwayne Lane, Lecanto FL 34461. (352) 746-4434 EOE DFWP OFFICER (Full Time) GREAT BENEFITS Paid Vacations, Holidays, Health Insurance & 401K Qual: H.S./GED, A valid Florida Drivers license Is required. Must be at least 19yrs. of age, Applications are available at 2604 W. Woodland Ridge Drive Lecanto, Fl 34461 www corrections M/F/VET/HP .EO.E. Drug Free Workplace ANOW HIRING* Join Coldwell Banker Next Generation al & $$$ Earn while you learn $$$ Hiring newly Licensed Real Estate Associates Call today to jump start your career In Real Estatell Call Summer today (352) 382-2700 (352) 424-1706 1 DIXIE OFFSHORE TRANSPORTATION CO. Has openings for: EXP'D LICENSED MATE Minimum 200 Gross Ton w/Towing Endorsement..opera- tions@kirbycorp.comrnlting / dally content of the site -Identify and prioritize untapped online content opportunities that exist in the local and area markets. Please mall your resume to: J. Burchell 1146 Dartmouth Terr Inverness, Fl 34452 EXP. DELI PERSON Experienced onlvl (352) 527-9013 Exp. Line Cook Apply at: CRACKERS BAR & GRILL Crystal River EXP'D CHEF Needed Immediately. Salary position based on exp. Please call (352) 422-3404 For Interview LINE COOK Needed for prestigous Black Diamond Ranch. Must have fine dining experience P/T eve- nings & weekends. Apply at HR 3073 W. Shadow Creek Loop, Lecanto DFWP, EEO MC DONALD'S IN CRYSTAL RIVER ALL SHIFTS Apply in Store $$$$$$$$$$$$$$$$ NEED HOLIDAY CASH? Exp. phone Sales Reps Needed. Call 352-628-0187 ATTENTION! The best opportunity A in Citrus County. Average income for 2005 was $56 000 Our 12 representatives enjoy company trips, bonuses, and many other incentives. Qualifications: *Self-motivated *Team Player *Outgoing Personality and the *Willingness to Learn POSITIONS AVAILABLE IMMEDIATELY Mon. through Fri. No late evenings, weekends or holidays. No experience necessary, training available. Take control of your future- call today!! A .S ' Micah Buck (352) 726-7722 SALES PEOPLE NEEDED FOR Lawn & Pest Control TOP $$$ PAID Benefits, company vehicle. Apply in Person A-I PEST CONTROL (352) 726-5363 SALES/CASHIER F/T or P/T. Day & Ee Shifts. Flexible schedule. Great jobi Great pay. Call for interview. Wildwood Location. (352) 572-2452 EXP. FRAME CARPENTERS Needed. (352) 634-0432 EXP'D PAINTER Must have own tools & transportationlll (352) 302-6397 CAREGIVERS & CNAs S & S Resource & Services is seeking persons to work with developmentally disabled. Call (352) 637-3635. Apply in person 4434 E. Arlington St. Unit 7, Inverness, FL HORSE FARM HELP Exp, stalls, turn out, groom. Inglis area. F/T/ EOE 352-447-1008 HOUSEKEEPERS Good Benefits Apply in person at: Best Western Crystal River JOBS GALORE!!! EMPLOYMENT.NET OFFICE Exp. only In bookkeep- ing, Quik books, AP & AR. Apply Joe's Carpets 352-302-1370 P/T DRIVERS Pizza Delivery, evenings, & benefits. Must be over 18. FREE GOLF! Apply in person @ Sugarmill Woods C.C. I Douglas St., Homosassa (Mon.-FrI.) only!i 352-527-9013 HEAVY EQUIPMENT: OPERATOR TRAINING Bulldozers, Backhoes, loaders, dump trucks, graders, scrapers, excavators; National Certification, Job Placement Assistance; Associated Training Services (800).775-88 .... I'. .QuCm., .... 'ai ,r :.Sk ni- Sub Take-out business Lg. cust. base. Major growth opp. for _ industrious hands on owner. PROFITABLEi owner will train$ 154,910. Call Doris Miner at C-21 JW Morton RE for mote inFo. 344-1515/726-6668 $CASH$$ Immediate Cash for Structured Settlements, Annuities, Law Suits, Inheritances, Mortgage Notes & Cash Flows (800)794-7310 Foi25x25x7 (2:12 Pitch) 1 9x7 garage door, 2 vents, 4" concrete slab - INSTALLED-Sf Florida Wind Code& METAL STRUCTURES LLC.COM 1-866-624-9100 metalstructuresllc.com ***ATTENTION*** FORMER NEWSPAPER CARRIERS Would you be interested in contracting tq deliver a newspaper route as a substitute? Consistent carriers are sometimes in need of a substitute for a day or a week to cover for a vacation or illness. You choose the days you wish to work! Early morning hours. Dependable S transportation required. A win/win for everyone! Call Susan 563-3282 090100 SB MONDAY, Di:ciMiuR-:n 18, 2006 '2,.. S"Copyrighted Material I Syndicated Content Available from Commercial News Providers" .J4 a U a I I " CITRUS Coumy (FL) CHRONICLE a Skilled Facility has openings for: MDS Coordinator Rn/Lpn Salary compensatory with experience. *Compeitive wages "Pay for experience *Shift differential 'Bonuses *Tuition Reimbursement *401 K/Health/ Dental/Vision 'FREE CEU's Ask about our 4 hour shift Apply in person Arbor Trial Rehab 611 Turner Camp Rd Inverness, FL EOE CNA'S $1,000 Sign-on Bonus Due to newly developed positions we have openings on Day Shift. Must be dependable & devoted to quality Pt care. "We are a drug free facility" Call Geri Murphy for details (352) 746-6600 #8587 DIAMOND RIDGE HEALTH & REHABILITATION CENTER of Lecanto is Looking for CNA'S All shifts PRN Weekends NURSES PRN All Shifts Please apply in person at DIAMOND RIDGE 2730 W Marc Knighton Ct Lecanto, FL CnRis Coumn (A) CmxoNmcur i'. 20 X 25 X 9 Vertical Roof (2:12) 1-Roll-up Door, 2 Vents $9,984 "vsfems plus.com + Sales Tax & Co. Fees Your World oj 9gage mee ww..;hronr ileorlne com BUYER BEWARE *Liability and Workers' Comp on installers *Florida "Stamped" Engineered drawings *Permit Service We pull your permit *Meets or exceeds Florida Wind code. ** We can say yes to the above. Can our competitors?" 30x30x9 (3) 8x7 Rollup door 1' Eave, Soffit & fascia Concrete slab w/ footers. $23,950.00 V 25x50 encl. steel bldg(2) 8x7 Rollup doors SHED/WORKSHOP Wooden, '12X24 Only $450, you move! (352) 746-4565 WE MOVE SHEDS 352-637-6607 "LIVE AUCTIONS" For Upcoming Auctions 1-800-542-3877 3 Person Hot Tub pristine condition $700. (352) 527-6801 2 Glass tops Stoves self cleaning ovens, white & black, slide In $325. ea. 352-563-0648/212-0102 A/C & HEAT PUMP SYSTEMS. 13th SEER & UP. New Units at Wholesale Prices 2 Ton $780.00 > 2-/2 ton $814.00 3 Ton $882.00 *Installation kits; *Prof. Installation; -Pool leat Pumps Also Available Free Deliveryl Call 746-4394 ABC Briscoe Appliance Refrigerators, washers, stoves. Service & Parts (352) 344-2928 ALL APPLIANCES All in Stock, Full Warr. Stainless Wk Specials. Buy/Sell 352-464-4321 AMANA RANGE Glass top, self-cleaning. 3 yrs. old, New $600/ Sell $165; GE DSHWSHR Late Model $65 (352) 382-7877 APPLIANCE CENTER Used Refrigerators, Stoves, Washers, Dryers. NEW AND USED PARTS Dryer Vent Cleaning Visa, M/C., A/E, Checks 352-795-8882 FREEZER 14 cu ft. Gibson, commercial chest type freezer, real clean, works great. $225. obo (352) 563-5058 FULL LINE USED APPLIANCES Reasonable Prices (352) 563-1222 New '76 BLK & DECKER Pwr tools Collect. $165; 3 Pc. RyobI 12 V Cordless Drill & Case Exc. Cond. $20 (352) 382-7877' SONY DVD RECORDER CINDER BLOCKS (44) $35; EXTERIOR LIGHT FEATURE $5 (352) 382-7877 INTERIOR/EXTERIOR DOORS. HUGE INVENTORY OF OAK CABINETS. VANITIES: Oak & Birch ALL IN STOCK.Floral City (352) 637-6500 MEDICINE CABINET $12 SINK & FAUCET $12 (352) 382-7877 CLASS KODAK EASYSHARE Zoom Digital Camera/ Printer dock set, 4 mp. still In box, never used. $300. (352) 212-7018 LAPTOP Acer 15.4" Screen w/alum, carry case, $450 27" Zenith TV $75 (352) 793-7422 PENTIUM 3- 1.1 GIG, 192 MEG, 8 MEG video, 6.8 GIG HD, 40X CD, 561( modem, 4 USB, 100 FSB $150, (352) 726-3856 PENTIUM II Computer CD, Mouse, Keyboard &17" monitor, speakers, $125 (352) 746-9394 PLAY STATION 3 New in box, First $900 takes it or OBO. (352) 344-1283 BRIDGEPORT MILL w/digital read-out & power feed. $3,500 352-344-3744/344-1245 PATIO SET 4 Chairs w/cushions, 2 round tables. $70 (352) 489-7885 5 PC. Oak Entertainment center w/lights, $450/obo; Exc. cond. (352) 344-4836 MONDAY, DECEMBER 18, 2006 9B 90" Country Checked Pat- ter Good Cond. $120.; (2) SWIVEL ROCKERS Teal Gd Cond. $65ea. 352-726-4601/586-1920 COUCH, blue recliner, very good cond. $175. RECLINER CHAIR, Burgundy, heater & vi- brator, $55. (352) 726-6259 Dining Room Set, Table w/ leaf & 5 chairs, light color wood, butcher block, Ex. cond. $150. (352) 341-1714 DRESSER w/MIRROR 1 $75 TV/ENTERTAINMENT CENTER (Oak Finish) $75 (352) 257-9146 DREXEL SOFA TABLE & 2 END TABLES W/Drawers Dk. Oak Take All for $70 (352) 341-2091 FU. SZ.BED $65; TWN SZ. BED w/bookcase headboard. $75 (352) 637-5103 A Mattress Liquldators Twin $99; Full $139; QU. $169; KG$199 (352) 564-2337 Homosassa 628-2306 Preowned Mattress Sets from Twin $30; Full $40 Qn $50; Kg $75. 628-0808 SOFA & LOVE SEAT, Dark Sage Green, like new, $350. (352) 465-2257 Sofa Bed Exec. Cond. Green/Tan $250. (352) 527-8561 Thomasville Plaid LOVESEAT & CLUB CHAIR $300 (352) 489-7885 WING BACK CHAIRS Burgundy (2) $100/set (352) 257-9146 I Twin size Mattress & box spring. Hardly used. $75.00 (352) 465-1743 MR CITRUS COUNTY REALTY ALAN NUSSO 3.9% Listings INVESTORS BUYERS AGENT BUSINESS BROKER (352) 422-6956 ANUSSO.COM 0olr 'v. roird firsi. /ot' t,, rid rtre, *FREE REMOVAL OFP Motorcycles, mowers, Scars, 4&3 wheelers, RV's, storage units,mitrs, trailers, boats? 628-2084 Inverness Church Moving Sale! Tues. 19th Sat. 23rd 8am-3pm Final Sale of varietyof items such as pews, tables, chairs, book cases, office equip., podiums, etc.- 1st Bapt. Church Inverness On Seminole Ave. A/C Tune up w/ Free permanent filter + termite/Pest Control Insp. w/ Free Termite monitors. Only $44.95 for both.(352) 628-5700 caco36870 , A TREE SURGEON i Uc.&lns. Exp'd friendly Sserv. Lowest rates Free i estimates,352-860-1452 ACTION TREE SERVICE Prompt, Professional, bucket truck & opera- tor service. By the hour or the job. Call and Save (352) 726-9724 r AFFORDABLE I HAULING CLEANUP, I i PROMPT SERVICE I Trash, Trees, Brush, Appl. Furn, Const, I 1 Debris & Garages 352-697-1126 'All Tractor & Dirt Service SFirewood, Land Clear, Tree Serv., Bushhogg, Driveways 302-6955 'CHEAP CHEAP CHEAP 'Land Clearing, Tree Ser. Hauling, Bushhogging Sean (352) 220-8723 COLEMAN TREE SERVICE Removal & trim. Lic. Ins. FREE EST. Lowest rates ,-,, guaranteed! 344-1102 x DAVID CROSBY TREE & DEBRIS REMOVAL SUc. & S#0256879 352-341-6827 STUMPS FOR LE$$ "Quote so cheap you won't believe itl" (352) 476-9730 Tree Trimming, land clearing, clean-ups. Tractor Service Con- crete slabs & masonry. #CBC059346 302-8999 COMPUTER TECH MEDICS Hardware & Software r Internet Specialists (352) 628-6688 Your world first. Evet'e D[av CHo icLE (- h.,' , CARPET FACTORY Direct Restretch,clean, repair Vinyl, Tile, Wood, (352) 341-0909 Shop at home REPAIR SPECIALIST Restretch Installation Call for Fast Service C & R SERVICES Sr. Discount 586-1728 #1 A+ Mr. Fix It! Affordcte BoatMaint. & Repair, Mechanicd, Electrical, Custom Rig. John (352) 746-4521 DOCKS, SEAWALLS, Boat Lifts, Boat Houses, New, Re decks, Repair & Styrofoam Replace. Lic W LOVING CARE W That makes a difference. Will care for elderly person In my home or yours 2,4 hr. care. Louisa, 201-1663 Assistance for Seniors Driver, shopping, appts. meals, laundry, respite relief. 352-746-5666 VChris Satchell Painting & Wallcovering.AII work 2 full coats.25 yrs. Exp. Exc. Ref. Lic#00172I/ Ins. (352) 795-6533 A PLUS CLEANING Residential/Comm. Lic, Judy 352-637-0168 Or Vickie 726-6954 CLEAN BREEZE FREE EST. 10 yrs. exp. Lic./ins, Bronz, SIvr, & Gold Pkgs. Sarah@(352)726-7604 Have a clean house or office for the Holidaysl Also pet sitting, gift cert. avail. Bonded, 11c. & Ins. Sandy (352) 220-4259 Professional Cleaning VFamily Ownedl VGreat rates start @$40 VFree Estimates Brenda (352) 586-1776 No Time or Energy to Clean House or Office? Call Elaine at 503-3298 20 yrs. exp. Lic. PROFESSIONAL CLEANING SERVICE Owner/Operated Bonded. Lic. & Insur. Will clean your home or office. 527-6674 Home 563-3554 Bus. The Window Man Free Est., Com./residential, new construction Lic. & Ins. (352) 228-7295 -U9- HANDYMAN REPAIRS Homes & Mobiles, Metal buildings, also Fencing & Gates Lic. 99990000005 Bo's (352) 628-4391 . Additions/REMODELING New construction Bathrooms/Kitchens Lic. & Ins. CBC 058484 (352) 344-1620 ROGERS Construction Additions, remodels, new homes. Most home repairs. 637-4373 CRC1326872 #1 A+ Mr. Fix III Prof. painting, Pressure washing, Home repairs, Gutter cleaning & Screen repair. 220-9326/382-3647 Llc#99990255609 FL RESCREEN End of Year Special Sign-up, Lic#2708 (352) 628-0562 #1 A+ Mr. Fix Itl Prof. painting, Pressure washing, Home repairs, Gutter cleaning & Screen repair. 220-9326/382-3647 Llc. ULc# f/ CALL ME FOR Small home repairs the big contractors don't want. I'll return your call. Lic# 25995 (352) 613-5427 AFFORDABLE, I HAULING CLEANUP, I | PROMPT SERVICE I STrash Trees Brush App, Furn, Const, I I Debris & Garages | 352-697-1126 Andrew Joehl Handyman. General Maintenance/Repalrs PrFtessure & cleaning. Lawns, gutters. No job too small Reliable, Ins 0256271352-465-9201 DANIEL HARSH HANDYMAN. Reliable & Affordable.Lc 80061, Ins. (352) 746-2472 NATURE COAST HOME REPAIR & MAINT. INC. Offering a.full range of servlces.LIc.0257615/ins, (352) 628-4282 Visa/MC crranas, rei IOax, Lawn Care & Light Hauling Lic. 99990257545 (352) 601-4735 Wall & Ceiling Repairs Drywall, Texturing, Painting, Tile Work, Framing. 30 yrs. exp. 344-1952 CBC058263 ** B-COOL + + All A/C & heat work Sales & Serv. Lic.& Ins.CAC 815103 (352) 302-3963 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 r----- m AFFORDABLE, HAULING CLEANUP, I I PROMPT SERVICE I - Trash, Trees. Brush, I Appl. Furn, Const, I I Debris & Garages S352Qa. Rates Free est, Proud to CONCRETE WORK. SIDEWALKS, patios, driveways, slabs. Free estimates, LUc. #2000, Ins. 795-4798. ROB'S MASONRY & CONCRETE Slabs, driveways & tear outs Lic.1476 726-6554 Tree Trimming,land clearing, clean- ups. Tractor Service Con- crete slabs &masonry. ##CBC059346 302-8999 AOlaamonS/KtMUUOtLIN New construction Bathrooms/Kitchens Uc. & Ins. CBC 058484 (352) 344-1620 AFFORDABLE, I HAULING CLEANUP, I | PROMPT SERVICE | Trash, Trees, Brush, I Appl. Furn, Const. I Debris & Garages | 352-697-1126 * L-- --- J Home or Comm. Renovations 30 yrs. exp. Llc. LiUc & Celling Repairs Drywall, Texturing, Painting; Tile Work, Framing. 30 yrs. exp. 344-1952 CBC058263 -I. Lic. Ins.(352)302-7096 FUPSn/., '"A9 A9- m11uling,Cleanup, Mulch, Dirt. 302-8852 KnJ Of Citrus, Inc. Family owned & operated. Lawn ser- vices, landscaping, bushhogging, mulch, fall clean-up, Comm,/ Resid. Lic & Ins. Free est. (352) 726-6434 Greg's Marcite: New Pools/ Remodels. FREE ESTIMATE. CCFF 2636 Lic. & Inc. 746-5200 POOL BOY SERVICES Total Pool Care Acrylic Decking u 352-464-3967 POOL LEAKING?? Pool Leak Detection Since 1964 352-302-9963/357-5058 POOL LINERS!- 15 Yrs. Exp. - Call forfree estimate (352) 591-3641' POOL REMODELING Caribbean Concepts Free est.,!ic In' rk-ref (352) 341 .-515 Seasoned Oak Fjre Wood, Split,, 4x7: $80 Stacked/Delivered N. M- WATER PUMP SERVICE & Repairs on all makes & models. Anytime, 344-2556, Richard' REPAIRS: Alum. & St"I Small Jobs OeK, Crystal River-' (352) 302-6726 v KI'F^PiAcK v 6" Seamless Gultei 7" Commercial Copper & Aluminum Best Job Lic. & Ins. 352-860-0714 S LL EXTERIOR ALUMINUM Quality Pricel 6" Seamless Gutters Lic & Ins 621-0881 16 m mm ONm I INFOR ATO I 4dmiwaeed ,4ewm^ Installations by Brian CBC1253853 352-628-7519 V Siding, Soffit & Fascia, Skirting, Roofovers, Carports, Screen Rooms, Decks, Windows, Doors, Additions $ WHAT'S MISSING? Your ad! Don't miss out! Call for more information. 563-3209 i They're Looking For Your Business!! 563-3209 For Information About Advertising J.L.A. Superior Maintenance Residential & Commercial Interior/Exterior Cleaning A& Painting Power Was ing Lawn Care Windows Gutters Home Repairs Reasonable & Reliable S270-3551 SLic, & Insured Ba Copyrighted Material f Syndicated Content J Available from Commercial News Providers" OnTus CouN-y (FL) CfmoNICaS 113B NOh)r.,)A Dri1(;mlll-l :18, 2006 ASFlES FRESH KEYWEST JUMBO ELECTRIC WHEELCHAIR SHRIMP 13-15ct. $5/lb Sonic, Mobility Products Boats, unloading dally YIw & Bik. $650 OBO; o 352-795-4770 HAND WALKER $35; Used & Cleani HERNANDO (352) 563-6428 FVING SALE CHAIR n. Tues. 8-3 LIFT CHAIR m., H.H.. all good! 1 yr. Id, E. Wacker St. neutral color, paid $800. Asking $150. (352) 628-7467 RASCAL SCOOTER $275.00 Manrs Suit Size 36-38, PRIDE LEGEND slacks, faux double $450,00 breasted jacket, vest (352) 628-9625 w/ dbcents & dress shirt XL -solid black belt Incl. $76., 352 464-2226 4 Church Organ W $25.00 OBO cm enea l, Pick up only 2'Sharper Image (352) 746-7027 ICONIC BREEZE GP Dbi Tier Kimball SOriginal $325 ORGAN Both for $300 w/bench & sheet music S(52) 527-1861 $100. (352) 563-1297 2 IMX, Elmos NIB, ELECTRONIC ORGAN never opened, LOWREY Model G200, $ 125 ea. obo. until Sun- walnut w/bench, music do,' 1"'17 Cash only. cartridges & sheet !:- up in Dunnellpn music. $160 OBO 1 (352) 816-0359 (352) 341-2091 ,9 Ft. Artificial Pre lit GUITAR Christmas Tree BC RICH WARLOCK W/900 white lights w/coffin case, $ 50. Mint Cond. $450 (352) 382-4559 (352) 220-4476 S2006 f .LOWRY ORGAN 2UUO Genie 88 & Bench. Dbl S ECIALS keyboard w/foot pedals. $150OBO lies 10 days (352) 726-3016 lines 10 days Organ, Yamaha Items totallin FS-500 3 manuel Spinet $1-I$150........... 7.95 w/memory chip, 1151-$400....$12.95 loaded w/extras, works 401-$800.......17.95 great $350/obo, will $801-$1,500....$22.95 dellv. local. 637-5469, CALL CHRONICLE ask for Bob CUSTOMER SERVICE 726-1441 OR 563-5966 -Two general SERGER merchandise items per ad, Sewing Machine kriyate party only. Baby Lock BL 4-736-D (Non-Refundable) Exc. Cond. $300 iSome Restrictions (352) 344-8270 May Apply 50" TOSHIBA BIG SCREEN TV, $450; BLACK VINYL RBCLINING CHAIR, $50 Cross Bow, like new (352) 489-4946 less than 2 yrs. old Authentic Louis Vuitton Call (352) 746-7912 Bus.Card/C.C. holder Leave Message LktNew $95 Lg. Canvas GAZELLE EXERCISER handles & strap $45 as seen in Tony Little handles & strap $45 commercials, very gd. LU New (352)726-0040 commercials, nd ery $50 Bass Mail Box (352) 621-7989 great Christmas gift NORDIC TRAC $80. TREADMILL C-2300 (37) 564-0696 Space Saver BE PREPAREDII $1,200 Value Asking '--GENERATOR $700 (352)228-9278 'eVilbiss, 5250 watt Weslo Cadence $495 (352) 344-4883 Treadmill Model 895, Excel cond. CAMERA $125. 120 format-Fuji Zoom (352) 746-0970 GA 645ZI. Titanium bddy, Paid $1800. $950 (.N+ (352) 382-4142 DRESSY ITEMS All size 8, 9Al MFililiI toellent condition, ady to wear, very 3 Woods, 9 Irons, 1 reasonable For appt. Putter, Ram Leather cqal (352) 560-6183 golf bag, $110. DUNCAN PRO PLUS (352746-665 AUTO CERAMIC KILN 14' TRAMPOLINE extra shelving, 100's of Good condition, $95. molds. $100/obo (352) 489-5011 _352) 795-1946 27" BICYCLE (813) 917-1201 Alum, frame, 18 fwd. ELMO TMX gears, narrow tires. Very 10th Anniversary good cond. $75. 2 Available (352) 382-4559 S 95/each441 AIR HOCKEY TABLE S(352) 344-1441 3X6, $90. SELMO TMX (352) 628-4047 'English NIB Bear Compound Bow $95. good condition (3,52) 382-4911 $1good00. Fresh Cut Cedar Log. (352) 628-3845 15" base, 24' length. Bicycle, women 26" 5 $50.00 080 speed, new tires, tubes, S(352) 795-1875 shift cable & brake FRESH KEYWEST JUMBO pads. $50.00 SHRIMP 13-15ct. $5/lb (352) 794-0414 BaTs unloading daily Bicycles, TREK 7500, ,0 352-795-4770 a mint cond. $150.00 and GARMIN STREET PILOT 3 CANNONDALE : GPS, New $500; WARRIOR. Brand new DANBY Chill & Tap Keg cond. only 327 miles. Cpoler, new, $450; $300. (352) 465-1743 S.352) 302-6200 HARVARD AIR HOCKEY ." -I.lE 3'x6', $40; 2WHEEL ELEC (352) 746-9457 HOOVER AGILITY CARPET SHAMPOOER. r ..':.: 1' Posi (352) 746-4565 INDUSTRIAL FABRICS Assistant Serve F om $.50 to $3.00yd Also: Commercial Reepti Seeing Machines. I1., Call Between 9am-4pm, Mon-Fri S(352) 628-5980 T Complete Trai !e w systems &" Program, Pai Repairs. Ins. LIc.3000 *S_ ALL VARIETIES Financial Stal ,%t outs & New Hmes. Installed & If you are trUly int '52) 637-5825 security, high inco Laovi Mower, 22", walk betw behind, w/ Briggs Sfrafon,.ood cond. I Trailer Hitch, Reese, w/ 100ooibcompensating L O V tbars~head, ball & chains, like new, $125, (352)341-1714 3E MOVING 22) Hwy.- Yamaha EZ-30 e- -, Hwy. Keyboard $160; TREADMILL Healthrlder rogramable $210 (352) 746-6810 PLAY STATION 3 $1,200. obo (352) 795-4324 POOL/HOCKEY combo table, 628-0677 SAFE 1974 BASEBALL CARDS 2-- .:. .'.:r JE, Joe (352) 344-9502 SIRIOUS Satellite Radio S "BOOM BOX Never used, $75 abo SPRINT CELL PHONE $50 obo (352) 476-2102 TANNING BED, 10 bulb, like new, $400; JEEP CONVERTIBLE TOP Late model, black, $10; (352) 302-8832 or S 726-2591. Thomas Kincalde Litho, 34 x 46, Incl. mat/ : frame, signed/ numbered $595. Sony memory stick two 16 mg, One-256 mg. $60. (352) 726-5890 TMX ELMO 2 available $75 each. (352) 637-4263 I'q-ullln 6=7777.71"', CLUB CAR with 3 new batteries. Very good condition. Asking $1900. Call (352) 637-0274 FRESH KEYWEST JUMBO SHRIMP 13-15ct. $5/lb Boats unloading daily i 352-795-4770 v LADIES GIANT SEDONA DX Extra light, 17" frame, paid $350, sac. $150; CANOE, beautiful red, new, $100. (352) 341-1183 Like New Craftsman 42" Riding Lawn Mower V-twin motor, extras, glass catcher & wheel barrel, 2 yrs, old $700, (352) 400-1176 POOL TABLE Full size, some acc. Good Cond. $400 (352) 220-2019 POOL TABLE w/ excessories, $500. Patio Table & 6 chairs, $100. (352) 746-5709 Cell 352-212-2611 RUGER SUPER REDHAWK DA 454 Casull w/holster Like New $600 obo 726-5225 Smith & Wesson 9mm with extra clip. $400,00 (352) 726-5890 Tow Bar adaptor, for Chevy Malibu's, com- plete, like new, $350. Golf Clubs, Accu Steely Dynacraft, 1 & 3 woods, 7 irons, & pitch, no bag, like new $65. (352) 341-1714 WE BUY GUNS On site Gun Smithing (352) 726-5238 16' Flatbed Trailer H/D w/ ramp & 2 axles, $1,200. (352) 527-8344 or 422-6664 5' x 10' closed trailer. Ramp, 3,000 lb capacity, $1500. (352) 447-1865 BUY, SELL, TRADE, PARTS, REPAIRS, CUST. BUILD www ezpulltrallers.com Moved to 6532 W Gulf to Lake Hwy. Crys. Rvr DIAMOND SOLITARE ENGAGEMENT RING 14 KT, W/G .80 CARAT Appr $5;400/$1,000 obo (352) 628-2535 PS3 4 SALE PS3 20g console 2 controllers 2 games. $900.00 firm call 352-346-7058. OLD WOOD BASEBALL BATS Any condition. Ball gloves, team balls, & rings. (727) 236-6545 1-Un V ..a 3terfronw Boston, Doxie, Pomera- nian, Pug, Mixed Poos, Chihuahua, Puggle, Yorkle,(352) 369-5517 CHIHUAHUA PUPPIES All male, short hair, ACA reg. $200 (352) 422-3164 CINNAMON WHITE SOCIETY FINCHES FOR SALE (352) 341-2872 Doberman puppies, sire is Warlock BIk & tan, Dame is Kimbertal blue. Both champion lines. AKC & show quality, Litter has 5 blue, 5 blk. & tan. Tails cropped. All shots, Claws In tact for show specs. Bred for temperament. Both parents on site. Family pets & Indoors. Will sell for $1000.00 w/papers, $450,00 without. (352) 270-9019 / 257-1840 Female Dwarf & Pigmy Goats, excellent personalities, very entertaining needs good home $60 ea. (352) 563-2657 Soaved $25 Dog Neutered & Saed start at $35 Low cost shot clinic Tues, Weds & Thurs 12pm-4pm (352) 563-2370 New Bird Cage In box 36" x 65", quality Powder coated, 186 (352) 586-2590 Quality Home Raised Pups, Chihuahua, Papillion, Yorkie, Shih Tzu, Sheltle, 352-347-5086 1/4 Horse, 5 yrs. broke & very friendly. $400. Thrbrd. 1/4 horse, stal- lion, beau. 2 yrs. old. $500/obo 352- 560-0370 Beautiful Tenn. Walker, gelding, broke/gentle, $ 1,500. 352-795-5070, 795-1555 GOATS $50 LG. HOGS $150 (352) 503-3050 ROLLS OF HAY $25 (352) 726-3524 IBR unfurn. $400 mo 1BR RV Park Model, furn., $325 1BR, scr. rm, carport, $550. No pets/ Smoking 352-628-4441 CR/Hom 2/1 CH/A $460; 3/2, /2-acre, CH/A $515 352-212-8273 CRYSTAL RIVER 2/2, good credit required, $500 mo, 1st, last, sec. (513) 509-8276 FLORAL CITY 2BR, 1BA, CH/A, $475, 1st, last, sec. No pets (352) 564-0578 HERNANDO Lg. DW 3/2/carport on 4 ac, scrn room. New AC, Water soft, remodeled. No smoking; $800/mo. 1st, last, $600 sec. 352-344-4250/ 214-4202 HOMOSASSA 1/1, convenient to US19 $375/mo. + Ist/lost/sec (352) 634-2368 Homosassa 3/2 DWMH Lease/purchase. No pets. 1st, last sec. $725./mo. 422-1031 INVERNESS 2/2 Gospel Is. w/shed. (352) 201-1222 4 SALE BY OWNER Homosassa, Florida Many Features, $65,000. A Must Seel (352) 795-4999 1986 DW Mobile Home Over 55 park, very clean, part. furnished, new Cen. H/A, Ig. scrn. room, carport & shed, $25,000. (352) 447-0896 2/1 SW, 12 X 50 Good Cond. Ready to move I $1,200 abo (352) 476-7283 AMERICAN HOMES Southern Energy Homes of Merrit 352-628-0041 HOMOSASSA 2001, 3/2, Fleetwood SW, 16 x 76, 1 acre w/ pond, by owner $85,000 (352) 220-4543 MOVE RIGHT IN!! DW 2/2 on l ac. lot. Oval pool w/deck. Appl. I incl., walk-in I closets, ceiling fans. Nice neighborhood TURN KEY CONDITION $87,500 Owner 795-3397 Satel Save Thousandsl Call for Free Brochure (800)511-0604 CHASSAHOWITZKA 3/2 DW on 2 lots on land locked canal. Terms w/$10 OK dwn. $54,900 asking (352) 628-7944 INVERNESS 3/2 ON DBL lot. Snrm, srcnd prch, turn. CHA, boat dock. $79,900 (859)533-4678 Q l T= R U S= g 0 U. Nou T -y Cimi ONIC:LE ... ,j ' Over 3,000 Homes and Properties listed at homefront.com 4 Br / 2 Bath; New Carpet, H/W Floor, Paint and Decks. $745/month plus tax & insurance. (352) 613-7670 2 or 3/2/2 crpts INVERN. /2-acre, new A/C, drain field, pump & flooring, shed, Scrn Rm. $61,000 (352) 344-1444 =0.K 2/2 SW ON FNCD 2.41 ac. w/FL Rm. & scrnd patio Cry. River (954) 415-5548 CHASSAHOWITZKA 3/2 DW on 2 lots on land locked canal. Terms w/$10 K dwn. $54,900 asking (352) 628-7944 FURNISHED 2/21 Walk-in cond., near Homosassa River. Buy & be rent free for 3 mos.l $87,900 Sharon Levlne I Watervlew, shaded, decks, scrn porch, ceramic tile, new crpt, Must see. $74,500 Owner Fin. w/V/ Lecanto LEISURE ACRES Beautiful '05 DW 3/2 on fncd. 1/2 Ac, 20 X 20 garage, scrnd prch., carport. Much morel $139,900 (352) 628-4216 Beautiful 3/2, 2100+ sq. ft. home on 1 acre. Large family room, F/P, wet bar, eat In kitchen w/ Island, deck, driveway, 5yr. warranty. 5% Int., $838.00/mo. W.A.C. Call for directions 352-621-9183 .MUST SELLI; $97,000 OBO (352) 232-7021 Triple-Wide on 1-1/2 Ac., Carport, Ingr, Pool, Scrn Encld.,.K 352-344-8579 Over 3,000 Homes and Properties listed at homefront.com CRYSTAL RIVER 1 BR Travel Trir., free electric, Satellite, fncd, no pets, no smoking. Wkly. rent. $250. dep 352-563-1465 a "W qrj --. . NEWSPAPER CARRIERS NEEDED! Two reliable vehicles required * Must be able to work mornings 3-5 hours a day Must be insured, qualified driver Call Susan at 563-3282 Chassahowitzka 3/2 Wtrft MH $850 2/2 Wtrtft MH, $600 2/1 Scrn rm, $600 3/2 MH '2 Ac, $700 Chassahowitzka Realty (352) 382-1000 Property Management & Investment Group, Inc. Licensed R.E. Broker Property & Comm. Assoc. Mgmt. is our only Business )- Res.& Vac. Rental Specialists >) Condo & Home owner Assoc. Mgmt. Robbie Anderson LCAM, Realtor 352-628-5600 Info@orooervty managmentgrouo com . you 'in r SL. ,,, j13-... CRYSTAL RIVER 2/1 $600mo, 1/1 $450mo (352) 228-7328 - CRYSTAL RIVER Newly Renovated , 1 bedrm efficiencies w/ fully equip kitchens. - S No contracts ' necessary. Next to park/ Kings Bay Starting @ $35 a day S(includes all utilities , & Full Service Housekeeping) (352)586-1813 - FLORAL CITY Lakefront 1 BR, Wkly/Mo ". No Pets. (352) 344-1025 - INVERNESS 1/1/crpt., comp. renovated. Near dwntn I'I.' I n\," ic ., A J, (352) 726-6515 3'2'2 Rent to Own . Brand New Homel - Low down. $995./mo No Qualify! (407) 227-2821 , Gulf Coast Ford is Hiring Join the fastest growing Ford Store in Citrus County. Great Benefits Bonuses & Commission 401 K Medical Benefits We're looking for a long term relationship-and ,etail . Maybe you have considered newspaper distribution but it just didn't fit your sched-ule. If you can answer These questions with a -"YESI", this may be the job for youl WOULD YOU LIKE TO: P Iar nIIer Deliver a route a few days a week? Be your own boss? in Your Own Business * Work in the early morning? * Do you live near the Citrus Springs area? We rar.a 3 pjail l.:Iul .'3i jblr lo:,r *urrc'in tv5 u lu I ijr. IrI i t :, W. r ,, ; 3 ~ C all c.ui Ho.irTe Df-l'er, %ir. i'.1 ,:r u Lr.i ar d ,c 1- 3i OuLa D3D ir ry Parlnership ,.i irt' Irij C ur, ric, r.lv Clhrior. -l,? ''56 'I tions Available! 'ice Manager Service Technician onist Detailer Lot Porter WE OFFER: ning, Proper Supervision, Medical id Vacation, High Income, 401 K, ability & Unlimited Opportunity. terested in an honest career that offers me and growth potential, then come in een 9:00 a m.and 3:00 .m. E CHEVROLET 52-341-0018 44 W, Inverness, FL 34453 - C I T R U S C O U N T Y Stop in to fill out un appliculion ut: S- -- Cirus County Chronicle S T I 1624 N.M1eadowerest Bhlvd. i i.. ,, I' Crysal River, FL 34429 ' '' J I J or mail to:hr@chrouniclLonlineacom ,CHJ L. or ras: 352-564-2935 S -1- ",Copyrighted Material:: -- Syndicated Content f Available from Commercial News Providers" am do 4101ma CLASSIFIED - -. 4n.. w b- IL M-0 k^l I (;1TI)SC~m/ 1(1/) Cl~o~duiC1.Asl~z~sMONDAY, DECEMBEXR 18, 2006 IIBA'. rIdq u rq rwa.AzUau -I Crystal Palms Apts. 1 & 2 Bdrm Easy Terms. Crystal River. 564-0882 CRYSTAL RIVER 1i & 2 Bdrm & Studio " Mayo Dr. Apt. Lost Lake Apt. !(352)795-2626 FOREST VIEW APTS. 2 Pedroom. - rbl. & paint. Immac. $66/mo (352) 422-3217 i INVERNESS 1/1 Clean, quiet area S400+ 1st, last, sec. 352-422-2393 * CRYSTAL RIVER 2/1 Rennov. No pets, 1st & sec. $450.mo to $500. (352) 795-2204 -I BEVERLY HILLS Freel I Month Rent on 491, 1,860 sf 352-795-7203 PERFECT LOCATION Retail, high Visibility Beautiful Historic Inv. Downtown Court- house Square. 700 qft. 352-628-1067 SINVERNESS /2 Villa w/garage, n. Yearly $750+ until. Monthly $1,300 I (781) 438-9355 INVERNESS Next to downtown 2/2, waterfront with dock & pbol. Very nice, $800 io. (352) 637-1534 I TERRA VISTA 3/2 Brand New Villa; outside maintained. So ial membership incl. UnJirn. $1,200+ 1st/sec. I (352) 464- 0647 )CRYSTAL RIVER 1 & 2 Bdrm & Studio . SMayo Dr. Apt. Lost Lake Apt. !(352)795-2626 CRYSTAL RIVER 2/1~ Very Nice, with W/D h.up,CHA, wtr/garbage incl. $550 mo. HURRYII 352-228-7033/465-2797 INIVERN. City Limits 2/1, CHA, D/W, W/D tkups, new carpet, lirol. & paint. Immac. $6 6/mo (352) 422-3217 -U CRYSTALRIVER LANDINGS.COM S8- 1BR Suites (352) 795-1795 4/2/2 Rent to Own, rand New Home! Lsw down. $995./mo No Qualify! (407) 227-2821 IBEVERLY HILLS 2/2/1 remodeled. Newer sid of town. Fresh paint i/S & out. $725/mo. 352-746-4026 Must see. CITRUS SPRGS 4/2/2 yr. old $1,095/mo. 352-746-1636 (rystal River 2/1 Part. Furn., Fl, Rm., Lawn icc., $550/mo. + utl. lease (352) 795-6282 | DUNNELLON 3/ .5/crpt, quiet neigh., His oric area, Imm. Occ $750/mom. 1st/last/sec. 352-527-3953/208-0220 I HOMOSASSA 3B, 2Bth, house, 1 car ga age. Central A/C/H $7 0/mo with 1 yr lease. Fst, last and $250.00 seurity, 352-795-2069 you can rent You an Own Let us h ow you how, Self- enployed, all credit Iss jes, bankruptcy OK A socialed Mortgage 352-344-0571 w w.amnamortgage. coam INVERNESS HOMES *S132L2 like new IERRAV.ISTA 32/,1 new w/ pool *o2/2_ Part, Furn. CRYSTAL RIVER 3/2/3 New Executive 1 DUNNELLON *1. Low Rent RENTS NEGOTIABLE HUGE INCENTIVES i Great American Realty (352) 637-3800 7 ****7******* (ITRUS COUNTY REALTY SERVICES " Residential " Commercial * Vacant Land Sales Property Management * Weekly/Monthly * Banquet Facilities * Seasonal Rentals * Efficiencies * Remodeling * Handyman Services (352) 726-5050 ccrservices.home stead.com -Uea cL~liuseH INVERNESS 2/1, $600 mo (352) 302-1891 HelpI Creative Financing. 0 Down Plans/ Bad Credit Programs Avail. (352) 613-3391 Beautiful 2005 home, 3BR, I 2BA,2 Car.gar. Rent $850 Available Homospssa 4/2/2 New SMW, $995; 3/2/2 New Carpet,$895; 3/2/2 "Meadows" $725; 2/2/1 "Lucky Hills" $700. River Links Realty 628-1616/800-488-5184 BELOW COSTII Uke New 4/2/2 Home SMW/Oak Village South Private, Wooded Lot Poss, Lease/Purchase $199,900 (813)781-1341 BEVERLY HILLS 1/1/1 $550/mo. 213 S. Wash- ington (352)697-1907 BEVERLY HILLS 1/1/crpt, FL Rm, new appl, office, scrnd prch, CHA $650 352-422-7794 BEVERLY HILLS 18 S Osceola 3/2/1 36 S Washinaton 2/2/1 30 S Lincoln 3/2 10S. Tyler 3/1, 5 N DeSoto 3/1 very large. 352-476-5235 BEVERLY HILLS 2/1.5/1 Car Garage 78 S. Washington St. $675./mo 1st, last, Sec. (352) 637-2973 BEVERLY HILLS 2/2/1 A/B/or C Credit types, creative financing, Call for de- tails, 202 S Harrison St. 865-933-7582 or cell 865-323-7220 BEVERLY HILLS 3/2/2 Cgd. pool. 421 Blue Flax No Dogs $1,.100/mo (352) 697-1907 CITRUS HILLS Unfurnished Homes & Furnished Condos ..-www grenbrqr entagltm Greenbriar Rentals, Inc. (352) 746-5921 CITRUS HILLS 2/2 Condo, Pool priv. $775/mo. 810 E. GlIcrlst (352) 697-1907 CITRUS HILLS/POOL 671 Olympia, 3/2/2, 1 Acre, $1,175. 563-4169 (989) 666-1800 CITRUS SPRINGS 3/2/2 brand new homes starting @ $825/month w/ move-In discounts avail. Many homes pet friendly. aActllon Prop Mgt-LIcRE Broker 866-220-1146 or 386-931-6607 . www CitrusSprings Renialdnit Citrus Springs 4/2/2 $950.00 mo Please Call: (352) 341-3330 For more Info. or visit the web at: citrusvillaaes Citrus Springs Brand New Home, Rent to Own. Low Down $995/mo with rent credit. (407) 227-2821 CITRUS SPRINGS FIRST MONTH RENT FREE Spacious New, never Lived in, 3/2/2'/2, On oversized corner lot, near elementary sch. & shopping. Rent or lease opt. purchase avail. $950. mo (772)408-7287 CRYS. RIVER 3/11/V2 Newly refurbished $800 +1st 1st sec 352-634-036 EL DIABLO ON #9 Citrus Springs 3/2/2, Wood & Tile Floors $1200. No Pets or Smok- Ing (352) 634-0052 CaRus Coumn, (1,L) CI-IRONICIX water springs in site. Manatee literally in your backyard daily. Avail. 1/1/07 $1100.00/mo, Ask for Steven 352-266-9335 HOMOSASSA 2bdrm house $950; SMW 2/2 Vllla,$ 100: River Links Realty 628-1616/800-488-5184 INVERNESS 3/2/2 Bring your personal Items, $1,150 All Inc. + sec. Avail 1-3 mos. (352)637-5654, 637-1563 I. 3/2/2 NEW CONSTRUCT. Savannah Model, Des. Bev, Hills area $173,900 Call Greg Younger, Coldwell Banker, 1st Ch. (352) 220-9188 I I S C=Ciru Sp HERNANDO 1/1 BIk. Hm, near water, $550/mo. 1st. coam INVERNESS 3 Gospel Is. homes. (2) 4/2, (1) 3/2. All wtrfrnt acc. to chain of lakes. $1,000-$7,200 Section 8 Welcome. Victor (954) 663-0405 INVERNESS 3/2 CH/A, ceramic tile floors, $800 mo. 1st, last, sec. No pets. 422-1916 INVERNESS 3/2/1 Highlands, new paint, apple, $800 lst/last/sec. (352)726-4285 INVERNESS 3/2/1 Rent to Own, Rent $900/mo 1st. last sec. dep. (352) 527-4943 INVERNESS 3/2/2 fncd yrd, 1650 sf, Renovated! $950/mo (407) 375-6187 INVERNESS Nice 3/1 on '2ac. New appliances, $875 + 1st, last & sec.352-476,-5235 INVR. HIGHLANDS Immaculate 3/2/1, 1st last, sec. (954) 854-7660 N. CIT. HILLS PRESS Brand New 3/2/2, $875 mo. (352) 212-5812 Sugarmill Woods 15 Boxleaf Court Clean 3/4/3 FR $1250 mo. incl. pool & yard serv. -$1,820 per mo incl lawn svc. Call 954-629-6991 NOWI Brokers Welcome O/A L-U Hwy 200 Co. Line 3/2 DW $800/mo. (352) 344-5234 INVERNESS 3/2 house on The Withlacoochee River min. Chassahowitzka 3/2 Wtrft MH $850 2/2 Wtrfft MH, $600 Beyedi Hills 2/1 Scrn rm, $600 3/2 MH / Ac, $700 Chassahowltzka Realty (352) 382-1000 CITRUS SPRINGS 3/1.5, remod., new carpet, tile, & apple. Incredible value $695/mo; $99,500 firm 352-527-3953/208,0220 DUNNELLON Rent to Own or Buyl Rainbow Springs Country Club. Large open, split, 2/2/2, stone fireplace, .43 ac. treed lot across from golf course. Spotless! Superb Valuel $169,500 (352) 527-3953 Wtrfrnt. Rebuilt Cracker 2/2, new apple CHA, dock & more. Ls./option $1,000 (352) 795-0284 WOULD YOU LIKE TO GET CASH FOR YOUR NOTE? (352) 228-7823 HOMOSASSA Clean, turn. rm mobile; W/D, cable, full use of kit; prvt bath. $75 Wk 352-628-9412 INVERNESS Furn. room, Internet, phone, cable, incl. Pool & kit. priv. $450/mo. 1st/last (352) 560-3237 LECANTO Wooded Area $375. mo. (352) 464-2795 PRIVATE ROOM & BATH House priv. W/D, $100 wk, 2 wks. deposit, (352) 637-0117 1/1 Furn. condo at Hunter Spring Condominiums. 2 fresh $$$$$$$$$$$ Need Help buying a Home? I Can Helpl Creative Financing. O Down Plans/ Bad Credit Programs Avail. . cam Hartman CROSSLAND Realty (352)726-6644 HOM/CRYSTAL RIV. HIGH VISIBILITY Comm. Big. on 3/4 ac. for Lease. US 19 across from ProLlne Boats. EZ access N. & S. traffic. Avail. 02/07. Ron Price (352) 382-2700 HOMOSASSA 3bdrm house on 2 acres, Commercial lot enc. 3941 S. Sunny Terr. $199,000. 603-529-1995, 32//2, fenced back yard Cath ceiling, Central Vac, like new, $149,900, 352-634-2103 1258 W. BRIDGE DRIVE 2/2/1, Office, Fam. Rm. Large Corner Lot $119,000.(352) 422-4824 3/2/1, 1346 sf. GEMI Great Condltioni Movtivatedl $159,900 Fresh Paint, Fr. drs, patio SBonnie Dennlson, EXIT Realty (352)527-1112 Crystal River Kings Bay Furn. 1/1 Apt. Sleeps 4. Dock Incl. beautiful location. $1000./mo. (386) 462-3486 690780 remax lucy. corn SALE BY OWNER 3/2/2 Custom Block House, heated caged pool, Fireplace, alarm, tile & laminated floors, large alum., workshop, & more one acre, Call (352) 746-7011 For $175,000, 1 2/2/2 Imperial Exec. 1- Bluebird Wanderlodge Both on Large Level Lot (352) 249-9160 $10k Dn. take over pmt $992./mo No Qualifying 3/2/2 Carport, CHA, scrn room, shed, pick carpet color. $139k 352-563-9433 2/2V1//IV2, Pool, nice area, new spa room, new AC, new roof, new appliances, carpet, tile, fairly new $163,000.(352) 527-8606 BEVERLY HILLS 2/2/1 A/B/or C Credit types, creative financing, Call for de- tails, 202 S Harrison St. 865-933-7582 or cell 865-323-7220 Caged Pool Home 2-3/11'/I $125K 352-484-0866 visit jademission.com. --m I I .-L'. 1 1! 11 I, & appl. Incredible value $695/mo; $99,500 firm 352-527-3953/208-0220 Extremely Well Built, 1995, 1350 sq. ft., split plan, 2 Lg. BR ,10 x15 glass porch. poss 3rd BR, 2 BA, 1 /2 Car. scrn. Gar., cath ceiling lots of closets, all appi's, Shed, New AC Reduced $137,500. Home (352) 465-1904 .. ,.... 9 ' Every day hundreds of people like you turn to the Classifieds to find the items they need at prices they can afford. If you've got something to sell, go to and place your classified ad with us! AC.ONICIE C LAS S IFIEDS What is ez? It's the 24-hour, do-it-yourself website for creating ads that will appear in the Chronicle's classified section I ws&.i - - i Cl-ASSIFEE:DS D558 N Morris Ave (3/2/2 Split Plan, prlv, fence, sprnkir sys. Ca- thedral Cell. 1380 sq. ft. Built 2005, $159,900. H352-344-0551/650-1232 caine 2/2/2 POOL HOME H ome Sunrise Lake Est, ofc or 3rd BR. gas FP, fncd yd, 3/1/1 BLOCK HOME Irr sys, scr lanal, 3110 S. // Recently remodeled. Eagle Ter., $170,000 Recently remodeled. Must ell 352- 344-3110 $104,900 (352)624-1987 Must Sel lit3ln4431Co SN w 3/2/2 split plan, Close 3/2/1 2 Years New to downtown, boat Under Warranty, close ramp & Trail, scr. lanal, to 486 & 491, fenced privacy fence, sprinkler bkyrd, scrn. prch, syst., like new, built '04 $147,000. 352-746-5729' $165,000 (352) 726-5275 S 3/2/2 on 2.13 acres fi 1 CUSTOM BUILT HOME S 2309 sf., cath. ceilings, & open floor plan. Adj. 1.01Ac. Available Reduced to $287,000 (352) 860-1877 Bonnie Peterson ** + + Realtor 3/2/2 on ACREAGE Many upgrades Your Satisfaction Is Perfect to grow in to! my Future $314,900 Jenny Morelli RE/MAX Realty One, (352) 794-0888 Inv. (352)637-6200 (352) 586-6921 3/2/2, st Imresson Exit Realty Leaders of 3/2/2, Ist ImpressLoni Crystal River '00 Built, fncd yrd, XLg'. patio, lam, fir, eat-In CRYSTAL OAKS kitch., vitd ceiling. W/D, 4/3/2, fam. rm., liv. rm. Culligan system. must see, many $164,900 352-341-5937 upgrades/Incl, brand 3/2/2, Neat As A PInI new kit., SS apple's, solid 1720 S.F. + Additional surface Countertops RV parking, Bonus rm. $219,000. (352)527-4836 $227,000 John Holloway RE/MAX Realty One, Inv. (352) 637-6200 Best 3/2/1 in Highlands Inverness, Its pretty, Its clean, Its ready. 4 44 4 Fenced yard, closed in family. Nice neighborhood 3.9%/2.9% on quite street. Full Service Listing 1st $129,900. (352) 476-7519 Dave Why Pay More??? - No Hidden Fees 25+Yrs. Experience Call & compare $150+Million SOLDIII Please Call HIGHLANDS SO. 2/2/2 for Details, Roof new '06, AC '03, Listings & Home 1800 sq. ft.Laundry in- Market Analysis side. Avail, Imed. Quiet area. $128,900 RON & KARNA NEITZ 352-726-6544/422-2011 BROKERS/REALTORS HOME FOR SALE CITRUS REALTY GROUP On Your Lot, $ 10,900. (352)795-0060. 3/2/1 w/ Laundry Atkinson Construction 352-637-4138 Uc.# CBC059685 IN TOWN. IMMACULATE 2/2/ Vaultedceiling 3/2/2 MUST SEEIII 2/2/1 Vaulted ceiling, 418 Hiawatha Ave tiled baths, 2 scrn. $179,900 (352) 527-9268 rooms, concrete home, new roof, thermal ** REDUCED "* windows, 3/4 acre. GOLDCREST, 6/3'h/21/2, $134,900.(352)464-1028 7 Lakes Subdivision Caged Pool, Gas FP, CALL BARBIII Den, 3,624 sf. $329,000. (352) 586-9844 below appraisal, need to relocate, (352) 201-1265 Newly Renovated 2/2, 2 garages & more, AF *1900 sq. ft. plus borders on State Park, (352) 860-0408 SELL YOUR HOME Place a Chronicle Classifiedaod Barbara Hopkins 6 lines, 30 days Realtor $51.95* www citruscountv KELLER WILLIAMS 726-1441 REALTY OF CITRUS 563-5966 COUNTY Non-Refundable Private Party Only FSBO Memb Available *'5 per addltionl line e Friendly Camb (CSome restrlchr-as Greens Citrus Hills $305k May aoply) Lrg 3/3/2 pool home Rare private 1/2 Acre, SELL YOUR HOME! Owner. Agent Place a Chronicle 352-586-7944 Classified ad Meadows GC Pool 6 lines. 30 days Home, 3/2/21h, 1900 sf. $51.95" Screened Lanai, 12X24 C pool, appliances, nicely Call landscaped $269,900. 726-1441 (352) 270-3536 563-5966 NEW 3200 sq.ft. 3/2/2 Non-Refundable home on 1 wooded Private Party Only 'Sb per cadiric nra lne acre, den, DR, Great "er aa lt rt ine rm, eat-In Kitchen. mea esIclo $310,000 Principals only May applI) 352-726-7543 201-0991 Nicole Gasiorek 352-422-2920 -JiSJ I 'N 2,833 Sq Ft. (Living) Custom 2 Story Cape ". '; ~ Cod MUST SELL NOWII " Priced to sell nowill ,: ...:i' $125,000. (RFirm)Camp. Finished on your prop- iB^ " erty. Many upgrades. g A Beautiful 5 acres. Must See. Homes only More than just neighborhood. Fully Real Estate! impt. well, septic, elec,. Office 352-726-5050 & Impacts paid. Ready ccrservices.home to build!I $175,000. OBO stead.com 727-967-4230 2/1 SW ON CORNER LOT, washer/ dryer, quiet area, $60,000 ri- TN (516) 603-2123 3/2'/2/2 ON 7.5 ACRES TERRA VISTA 3/2/2 8 stall barn, fenced Lantana on Gibson Pt. remodeled, new roof, Htd, spa/pool, 2800SFLA, many extras, Better than new with $449,900. 25K under many upgradesll apprsl. (352) 302-2394 $339,900(352)586-0833 Charming 3/2/1 Terra Vista BEST BUYII 1372 sf. Zan Mar Village, 1700+ sq. ft. remod. kit., hardwood Villa, 3/2/2. Private flooring, FP. scrnd rm. Premium lot. $134,900 John Malsel III Must seel SaveS70,000. (352) 794-0888 $269,000.(352) 527-3965 1203W Diamond Shr Lp Includes premium lot, 4/2/2 Many Upgradesl upgrades, new turn. & Hg. Designer Kit, Great appll's, $297,500, neighborhood $249,900 Call (203) 988-1980 forsalebyowner.com/ TERRA VISTA VILLA 2,4.5_., Lantana Model, 2/2 (352) 382-7877 w/den, pool, built In 2004, upgrades, ,,, i" Membership req'd. . $3501< (352) 746-7007 . 3.9/2.9% S ' Full Service Listing. 3/2/2 NEW Block Home Deed Rest., $119,900 For Sale By Owner (727) 595-1949 3/2/2, 1,652 sf. 1 1/2 yrs. old, Landscaped lot, scrnd front porch. Fncd yrd, Ig. crnr. lot. Quick sale pricel $129,900 352-503-3054 A STEAL OF A DEAL 3/2 Built '99, 2.6 ac.99K. 2/11/2 on '/2ac. W.Nice Home REDUCED 517-676-5453 HOMOSASSA 3bdrm house on 2 acres, Commercial lot enc- 39OA1 Sl innw Terr figa Why Pay More??? ' No Hidden Fees Bonnie Peterson 25+Yrs. Experience Realtor Call & Compare $150+Mllllon SOLDIII Your Satisfaction is my Futurel Please Call for Details, (352) 794-0888 Listings & Home (352) 586-69214 Market Analysis Exit Realty Leaders of RON & KARNA NEITZ Crystal River BROKERS/REALTORS Connell Heights, CITRUS REALTY GROUP Spacious 3/2/1, (352)795-0060. newly remodeled, hot tub, new vinyl/windows $149, 900. 352-302-2654 MANUFACTURED HOME ~L-rij iin for sale in Crystal River Village, Crystal River. FL For Sale By Owner For Appt, 352-527-4407 2/2, All new furniture & apple's, excel, condition Need a mortgage Must See to appreciate & banks won't help? 1510 Arkansas Terr. Off Self-employed, Rt 41(419) 308-9406 all credit Issues MOTIVATED SELLER Bankruptcy OK. Beau, wtrfrnt home Associate Mortgage 3/2/1, $189,900. wwwa2-344-0571 727-385-5714 or wwwamnamortgage. ....-...corn 2.5+ or ACRES Citrus Springs :-. City wtr/swr. On 480, Brand New Home. Rertf ;' $139,900. to Own. Low Downr ',+ (352) 592-9811 $995/mo with rent - 2/2/2 $153,900 or credit. (407) 227-2841 $795/mo. Tile thru-out, vaulted ceilings, pond D M in atrium 352-382-5740 BEAUTIFUL HILLTOP 3/2/3 Security system, well, lovely greenbelt, 3493 HOME FOR SALE - sq.ft. under roof, 9 On Your Lot, $110,900.',. Longleaf Ct., $224,900 3/2/1, w/ Laundry, (352) 382-5179 Atkinson Constructioni:" BELOW COSTII 352-637-4138 "" Like New 4/2/2 Home Lic.# CBC059685 " SMW/Oak Village South stachatta Custom 3 , Private, Wooded Lot Istacatta Custom 3/2 Pass. Lease/Purchase Home on 1 acre. F/BP- $199,900 (813)781-1341 Gar- open floor plarn,. The Good Earon Realty-. Co. (352) 796.3647, Gorgeous, Spacious 2/2 Golf course condo end unit, private entrance Enc. lanaI, great views Many newer additions Improvements, Move-in Cond. Neut decor must see. $167,500. 382-7210 ., 5a I-Michele Rose REALTORR -Simply Put- NEW 4/2/2 2,600SF Il Work Harder" No Bank+No income 352-212-5097 Verification Low Down thorn@atlantic.net- - at $250k Owner Fi- Craven Realty, Inc. nance or Rent To Own 352- 726-1515 $1,350-$1,820 permo 352-7261515 Incl lawn svc Call 1-i 954-629-6991 NOW I Need a mortgage Brokers Welcome O/A & banks won't help? Self-employed, - all credit Issues . Bankruptcy OK. '" Associate Mortgage,. 3.9%/2.9% 352-344-0571 Full Service Listing:. com Why Pay More??? No Hidden Fees 25+Yrs. Experience Call & Compare CITRUS COUNTY REALTY SERVICES $150+Mlllion SOLD!!! Residential Commercial Please Call for Details, Vacant Land Sales- Listings & Home Property Market Analysis Management ' Weekly/Monthly RON & KARNA NEITZ Banquet Facil ies BROKERS/REALTORS Seasonal Rentals. CITRUS REALTY GROUP Efficiencies (352)795-0060. Remodeling Handyman Services S (352) 726-5050-- ccrservices home ., stead.com ' "NO BULL!"' Just Straight Talk Over 3,000 -' Homes and - Properties listed at homefront.corm REDUCED FOR QUICK SALE! ' The "Right" Agent FINANCE AVAILABLE + Good Marketing New 2300sq ft. -SOLD Custome home SSOLD, 3bd, 3b, Deb Infantine 2-car garage, (352) 302-8046 UPGRADES EXIT REALTY LEADERS Kitchen, ceramic,- "Top Producer" closets, carpet, lanid, landscaping, J.tub,"- sprinkler, large -., " "Bet hnRewooded lot. EXTRAS! "Renltor O aSACRIFICEtl $189,900 viitj LstiBPG Homes 1-877-274-5599 3.9%/2.9% Full Service Listing Why PayMore???' No Hidden Fees 25+Yrs. Experience Call & Compare Bonnie Peterson $150+Million SOLDIII- Realtor Please Call for Detail.' Ustings & Home Your Satisfaction is Market Analysis my Future RON & KARNA NEITIZ4 (352) 794-0888 BROKERS/REALTORS"1 -. (352) 586-6921 CITRUS REALTY GROUP . Exit Realty Leaders of (352)795-0060. Crystal River BUYING OR Vic McDonald< SELLING? CALL ME (352) 637-62001d'. FOR RESULTS! Realtor My Goal is Satisfied- - S"Customers . Call Me NE "' PHYLLIS STRICKLAND REALTY ONE'l (352) 613-3503 ,,, , Keller Williams o. 1. .,,i R'suii, Realty (352)637-6200 --- Ujll 16 8-781-8728 MR CITRUS PRICED TO SELL 18' MAVERICK 1994 Riverhaven 80 ft. water Flats Boat, Trolling Mtr. COUNTY REALTY frontage, dock w/lift. Electronics, 150HP 2500 ft ranch with 3 Mercury. Warr. Trailer, .<,, :.' ". bed,3bth. Screened In Only $11,500 NATURE S 4 '$ lanal with Inground COAST MARINE SALES pool. A steal at (352) 794-0094 $649,0001 773-968-9189 19' KENNER 2002 Withlacoochee near 90HP Mercury, Full elec- gulf. 100' sailboat tronics, Bimini, Ready water, no bridges. New' to fish, Only $10.25 kitchen, a/c, genera- NATURE COAST MARINE "' ALAN NUSSO tor. Must sell $479,000/ SALES (352) 794-0094 AA o stiS obo (352) 563-6618 19' SAILBOAT INVESTORS Stuart Mariner BUYERS AGENT W/Trlr. Exc. Cond. BUSINESS BROKER $5,000 OBO (352) 422-6956 (352) 795-9621 ANUSSO.COM WE BUY HOUSES 21ABI' SEA SWIRL CUDDYJohnson, Ca$h........Fast I Magic Tilt Trailer, Super- 352-637-2973 Clean. Only $13.900 Ihomesold.com NATURE COAST MARINE WOULD YOU LIKE SALES (352) 794-0094 ONEOF A KNDITO GET CASH 23' COMMERCIAL ONE OF A KINDI FOR YOUR NOTE? Bring your horse! 3/2/2 (352) 228-7823 MULLET BOAT on 2 ac. 2 paddocks, FP Fiber over Wood. 100 Ig, agd pool, fiberoptic Merc. Gd trir. Best Offer lights, spa, many extras! (352) 795-9621 $255K (352) 726-8348 23' Trophy Cuddy Walk 1.67 Acre ust off Hwy. OffShore HP Meroat, 41 In Forest Lake No. Off Shore Dream Boat, Incl.trailer. Buildable Tandem axle. aluly $19,500. ATRE lot. Well. 2.5 Acres Only $19,500. NATURE 2/2/1 2002 BIk. Home across road also avail. (352) 794-0094 Lg lot/1300 Lvg. Can be used for horses, (352) 794-0094 Deed Rest. Comm. Less than $100,000. 27' CARVER Minutes to The Villages/ (352) 726-0095 Twin V-6's, sips 6. ir to Tampa or Orl. 2.5+ or ACRES Moving must sell. Exc. Summerfield. FL City wtr/swr. On 480 cond. $29K make offer. S$180,000 352-634-1581 w SMW $139,900. 352-563-5547/516-7275 Over 3,000 (352) 592-9811 ACTION CRAFT S Homes and 2,833 Sq. Ft. (Living) BAY RUNNER Custom 2 Story Cape 18', Flats boat, 1990, Properties Cod MUST SELL NOWII Very good Condition ,. listed at Priced to sell nowlll 140 hp, Johnson OB. $125,000. (Firm) Comp. Trailer, $2,995 abo. homfrnt~om Finished on your prop- 634-4793 homefront.com erty. Many upgrades ALUMINUM 14 Beautiful 5 acres. Must Semi V-hull, older 25HP See. Homes only Evinrude, w/trailer, neighborhood. Fully so$500o. impr. well, septic, elec,. (352) 697-1015 & Impacts paid. Ready 1 2 sfe 32 90 to build0l $175,000. OBO ANGLER 96, 22' Over 3,000 727-967-4230 Walk-around cuddy, Homes and NO MOTOR, selling as is. Properties LOOKING TO BUILD $4,250. (352) 621-0848 listed at YOUR HOME IN AQUASPORT 225 @06i9 a"oet CITRUS COUNTY? OSPREY 24' 0" C/C CONTACT US. '97 Re-powered w/2005 'bomefront.com Suzuki 225 HP 4-Stroke (180 hrs) w/4 yr transf. eng. warr. New canvas /uphl. in fall '065w/ custom pilothouse. Ready to fish w/ CENTER HILL New 4/2 outriggers, 35 gal. bait 1 Ac. 2292 sf. $254,900 well. 75 gal. fish box, & 100% Financing Avail. more. Great shape S P.M. Properties must seel $23k. Contact (407) 469-4700 We Specialize in Chris (352) 219-8084 ww.NatWcoNst Helping FAMILIES SNEW CONSTRUCT Acquire All rand new 3/2/2 Quality-Low-Priced Jumper Creek, Ready Building Lot. AREAS LARGEST ,for immed. occu- 1-800-476-5373 SELECTION pancy. Purchase ask for C.R. Bankson @$206,900 or rent at ERA American OF PONTOONS & @$1300.00 P/M- Call Realty & Investments DECK BOATS Harry at 954-817-4334 cr.bankson@era.com Crystal River Marine or 954-586-4723 FOR FREE PACKAGE (352) 795-2597 of Lots & Maps Over 3,000 Call 800 # Above BONITA 15.5' ,Homes Iand Lv. Name & Address 35 force, low hrs. w/trlr, Exc. Cond. Properties $2,300 Listed at prop. s(352) 270-3162 4i5 BRUNSWICK FISHER homefront.com I1992, 16', Welded 1 AC. WOODED LOT Alum., V-Hull, 55 hp SGROVEWOOD, lot22, Johnson; galv. trir. Bass 10 Kenvera Loop. or Bay Boat. $1,495 $34,000, (352) 860-0411 (352) 634-4793 BUY I GET I FREE FRESH KEYWEST JUMBO CHARMING UPDATED Buy With 0%/$1,000 dn SHRIMP 13-15ct. $5/lb 1/1,2nd Floor, Condo Boats unloading daily PrtW. & safe! Wonderful finance.com L 352-795-4770 cbmm. of Royal Oaks, (732) 996-3785 GRUMAN * $92,900 * CITRUS SPRINGS Bass Boat, 17ft. Alum., (352).344-5966 .10aLotsAvailable .-" 50 EvInru.de0.0'oll -inveness 2 2 1 By Owner $26,900. 352 feed,,W/-traller, new FSBO Moorings, golf & 291-9223/561-358-0562 wheels, tires, 2 new pool. Villa end unit. Inverness Lg. Corner batteries $5,000. STream. Cul-de-sac, prop. surveyed. 1/2 (352)341-3161 Lanai. reduced to ac. + homes only .No HURRICANE '96 $145,000 (352)344-8815 fill needed $34,900. 19FD with 112 Johnson ", .-203) 554-7725 1-352- 603-0345 full covers. New Bimini, TERRA VISTA Owner/ Agent A. Rose fishfinder, twin batteries BRAND NEW VILLA Boat good cond, eng. BRAND NEW VILLA INVERNESS needs TLC, but runs well 1203W Diamond Shr Lp TWO 2 ACRE LOTS $6750080 352-586-7321 Includes premium lot, Baymeadows uprades, new turn. & Beautiful, live oaks, KENNER '02 ,appli's. $297,500. underground utilities, 18'6", 125HP Merc. Call (203) 988-1980 deed res., Agents T-top, Trailer, $12,400. welcome, $65,000. ea (352) 465-2725 Call (352) 637-5234 NEW BOAT TRAILERS PINE RIDGE From 12FT-34FTat Rosewood $75. k 1 A Below Wholesale CITRUS HILLS 3/2/2 Cimarron $75. k IA Prices, Incl. pontoon Over 2,000 sq. ft. villa, Corral $95. k crnr. 1.25 A trailers. 352-527-3555 View of Terra Vista G.C. Corral $85 .k crnr. 1.25 A MONROE SALES $379,900 Jim Zilligen Call (352) 422-2293 9-5 Mon thru Fri Franklin Realty Consult. (' (352) 746-7512 TURNER CAMP ROAD NITRO 1994 2I+ acre. Lake access, Bass Boat, 18', Twin con- .,Over 3,000 $24,900 Must sell- make sole, 150HP Merc. Elec. Homes and offer (352) 637-9630 Troll mtr..Tracker trir, $6,750 cash. Call after Properties *. 10 am (352) 344-9449 listed at Odyssey Pontoon wyw.naturecoast Millennium 112004, 19' homefront.com 1 ACRE, Open & Excel. cond., low hrs., Cleared, Lake front Lot, live well & bait tank. Floral City, Crystal 50hp Johnson, 2005 Tr., Realty (352) 726-3873 $16,500; 302-4314 BUY 1 GET I FREEI POLAR SKIFF 17' C LG AI Buy With 10%/$ 1,000 dn 1998, 8' beam, 90 hp .C.LOGCABIN wwwfloridalandowner Yamaha, very low hrs., New Cabin Shell on financecom blmlnl, gal. trlr., elec, secluded mountain site. (732) 996-3785 mtr. Many many extras. $89,900. 828-652-8700 Exc. Cond. $11,000 CRYSTAL RIVER (352) 527-2792 Deep5water canal 19 89, 20 ' w/seawal survey & u e '89 28hp sos done348900 ea J son.ervlced 6/06 ^,FLORAL CITY (561)358-0562 depth finder, live well, WVrftnt. Rebuilt Cracker F7 344-4447/212-5179 2/2, new apple CHA, PROLINE FSBO, 3/2/2+pool, den, Outboard Motor, Evlnrude, depth finder F/Pspdated w/2100sf Evinrude, brand new. tandem axle tri. $5,000. owsi/2+ acre. custom 25hp never been used. (352) 212-3526 Woodwork, $274900 1980. $850.00 Rendevous '98 74n5 Applewood Dr., (352) 628-3908 21ff., 1999 Mercury 150, 7w/ trailer, low hrs, excel. .IT OUR OFFICE bn( 1356 30003 S, Jet-RailLift RENDEZVOUS Jet Lift 150 Mrc. New bimini '" $ I00 $10,000. (352) 621-0848 ,- (352) 795-9847 Sea Doo 713 YE*REND ; ; 97, Excel. condo, TAX DEDUCTION Low hrs With Trailer. BOAT DONATIONS S$2200.00 Tax Deductible @ Pdlantation Really. Inc (352) 342-4353 full appraised value ,' 352) 795-0784 using 8283 Form Cell 422-7925e Maritime Ministries Broker (R)/Owner non-reporting See all of the listings in 5 Cou--J naty. --Citrus County at 1986 Bass Tracker (352) 795-9621 w/traller and 25 hp realtvinc.com motor. $1000 abo SCOUT tqIincc 352-212-9193 2005, 175 Sport Fish, '02 KEYWEST 17' CC 17.5' w/ 2005 115hp, 4 Only 15hrsll New cond. stroke Yamaha, low hrs, w/'90 H.P. Yamaha, Exc. cond, Exc. trailer, custom cvr. aluminum Trl. $14,600. I'I'IA 11Crl $9900. 352-257-9468 (352) 503-3844 14' ALUMINUM V-HULL SEA NYMPH 12' 9.9 hp motor, trailer, W/gal, trlr. $700 352-795-3812 Best alum. boat built 352-422-4873 $650 (352) 628-3908 15' 40HP YAMAHA CC. SEAHUNT '04 w/trailer, runs/looks 22' Yamaha 150 4 stk. great, $1900 w/95hrs. Fact. War. (352) 795-4770 Tandm. alum trir, GPS, 16' ALUM. BOAT Depth Finder, live wells, needs work, $150. SS prop, new trolling mtr. 16' FIBERGLASS CANOE B Imini top, like new, Over 3,000 $200. (352) 628-0308 $22,900. 352-212-3479 -.Homes and 17' CAPE CRAFT 2005 SUPERGUIDE V-15 Bimini, Depth Sounder, '99 Alum Bass Tracker, Properties Uke New, Very Low new tires on trir, 40HP listed at Hours, Won't Believe Force by Merc. 401b Oniv $13,200 NATURE new Minnkota troll mtr. homefront.com COAST MARINE SALES Many extras. $4000/ (352) 794-0094 obo. (352) 860-0982 THREE RIVERS MARINE -- ---- Let Us Sell your Clean used boat. No Fees. (352) 563-5510 A WHEEL OF A DEAL 5 lines for only $37.951* *2 weeks In the Chronicle *2 weeks Onlnel !l! $125,000. Only 21k ml. Call for details (352) 503-3103 (352) 442-5033 oab. Inverness area (352) 637-5247 JAMBOREE 29' 2005 Class C, 14K, Mint Cond. Incl, Tow Car & Canopy. $51,900 (352) 465-2138 Search 100's of Local Autos Online at wheels.com WINNEBAGO 24' '89, Chleft 2005 STARCRAFT Popup w/slide & scrn mrm. AC, Used very little $5500. (352) 382-2350 '06 32ft Travel TrIr Widowl loaded, extra clean. No reasonable offer refused. Take older camper in trade, $18,900. (352) 399-1400 '88 WINNEBAGO Mtr Hm; 12' JONw/trir. & 2 mtrs. 5X12 PACE, end.i. aba (352) 564-1334 VAGABOND PRESIDENTIAL '92, 40' 5th Wheel, 1 Lg. Slide, W/D, Fu. BA & BR, Exc. Cond.$11,995 aba Rose (352)746-4648 WILDERNESS 28' '93, 5th whl, new awn- ing, pwr conv., carpet, recon, fridge, $5,700 OBO.(352) 382-2272 Wilderness 33' '94 5th Wheel or gooseneck pull. 2 slldeouts, $9,500/obo. (352) 637-4864 or 422-3047 3 Michelin P225/60-RI7" Energy LX4 60,000 ml. tires, only 25,000 ml. on them. $25@. (352) 621-7713 CLASS 1998 2001 Plymouth Grand Voyager or Dodge Gran Caravan or Chevy V entura. White under 75K ml, Leave msg. 464-4638 CASH BUYER for Trucks, Vans & Cars Larry's Auto Sales Hwy 19 S. Crystal River Since 1973 564-8333 *FREE REMOVAL OF- Motorcycles, mowers, cars, 4&3 wheelers, RV's, storage units,mtrs,. trailers, boats? 628-2084 '03, Nissan 350Z Touring model all the extras, low mileage Call (352) 746-7011 A WHEEL OF A DEAL 5 lines for only $37.95!* *2 weeks in the *2 weeks Qnlinel *Featured in Tues. "Wheels" SectlonI Call Today (352) 726-1441 or (352) 563-5966 For details. *$5 per additional line Some Restrictions May Apply BUICK PARK AVENUE 2006 61k, $4300. SuperCharged 352-465-6236 after 5pm CADILLAC 1985, Eldorado. 1 owner, garage kept. Clean, great shape. $3,500 (352) 382-3408 CHEVROLET 2005 COBALT LS 25K miles, 5 spd. Stock # El 1848A $12,995 Citrus Kia (352) 564-8668 CHEVROLET 1991 Camaro Camaro RS 1989 305 V-6 eng, special paint job. $3,750 OBO (352) 726-1373y. white/red/blk, new fires runs perfect. $6500 OBO Days 628-7888 E/W 382-7888 CORVETTE '85, Hard top convertible, runs excel. $5,700. (352) 465-7961 DAEWOO LEGANZA 1999, 76k orig, mi. Exc. cond, fully loaded, cold AC, new tires. $2,950 (352) 453-7326 SUPER CASH DEALS 92 MAZDA 323 -6795 4 CYL, 2 DR, AUTO, AC, GREAT CAR SAVE OVER $1500 93 FORD TAURUS *$1395 6 CYL, 4DR, AUTO. NC SAVE OVER $1200 92 uNLcouN oWNC.'1700 V8, 4 DR, AUTO, LEATHER, A/C SAVE OVER $1400 92 DODGE CARAVAN. 850 V6, AUTO, 3RD ROW SEATS, CLEAN SAVE OVER $1200 92 OLDS 88-.2195 V6,. AUTO, 4 DR, A/C, CLEAN SAVE OVER $1200 s95 IANWME DOV. '2500 4X4, AUTO, 4 DR,. NAC. RUNS GREAT SAVE OVER $2000 94 MAZDA 929-'2795 V6, AUTgon, 4 DR, LEATHERes, aUNROF DODGE STEALTH 1994, black, cold A/C, high mileage & minor problems, looks good, runs great, $1,700 (352) 382-4183 FORDETAILS '86, Mustang LX, & looks great, 5spd $2,800. obo 302-7420 FORD '95, Contour 6cyl,, excel shape, new tires, auto., new brakes, ready to get $1,800. firm (352) 465-7961 FORD '96, Taurus Wagon, $1,200 obo$1,700 (352) 697-0345 FORD CONTOUR &95 4cyl, garage kept, 2nd owner, $1500/obo (352) 527-7934 FORD FUSION 2006, SELa Stock #5606245A $18'995 Citrus Kiag (352) 564-8668 FORD TAURUS '02 Station Wagon, sliver, V-6, Auto, 3rd seat, fully loaded, $7495 (352) 746-1172 GMC JIMMY 1993, Runs Greati MUST SELL $2,000 OBO (352) 795-9621 [AFFORDABLE CARS S100 + CLEAN DEPENDABLE CARS SFROM-*325-DOWN I 30 MIN. E-Z CREDIT 1675.US19-HOMOSASSA Hyundai '04, Elantra, 5 spd., CD, loaded, 40MPG Hwy, 35 City, 38k mi., new tires, $9,500. (352) 628-0304 HYUNDAI ELANTRA 2005 Stock #5344494A $11,995 Citrus Kia (352) 564-8668 HYUNDAI ELANTRA 2006 Stock # P243145 $13,995 Citrus Kla la (352) 564-8668 KIA OPTIMA 2006, EX V-6 Stock #P457107 $15,995 Citrus Kla ia (352) 564-8668 KIA SPECTRA 2005, Stock #P 129383 $13,995 Citrus Kia (352) 564-8668 KIA SPECTRA 2005, Stock #P130677 $11,995 Citrus Kla (352) 564-8668 KIA SPECTRA 2006, Stock #P239123 $13,995 Citrus Kla (352) 564-8668 NOW OFFERS INCOME TAX LAYxAWAYS A SMALL DEPOSIT WILL HOLD YOUR RIDE UNTIL YOUR CHECK ARRIVES. CALL FOR DETAILS t-71fI15 KIA RIO '05, Stk # P357077 $8,995 Citrus Kla (352) 564-8668 KIA SPECTRA 2006, Stock #P248750 $13,995 Citrus Kla 626LX '99,4dr, loaded, new tires, belts, exc. cond. 96K mi. $3800/obo 352-860-0982/476-6781 MAZDA RX-8 '04, Touring Pkg,, black w/lthr, 37K, Manf. warr., Exc. cond. $21,000 (352) 220-2019 MERCEDES 1984,5 cyl. diesel. Runs Great! BIk. $3,500 (352) 795-9621 MERCURY '95 TRACER LS 4dr, loaded, 73K, Auto, AC, Cass, New tires. Exc $2850 352-382-7764 orlg. ml. Exc. cond, like new, fully loaded, cold AC, $2,950 (352) 453-7326 PONTIAC 2000, Grand Am, $5,000. (352) 201-0772 SATURN 1991 4 cyl, good MPG, Needs minor repair, $1200. (352) 628-0308 Search 100's of Local Autos Online at wheels.comrn TOYOTA 2001, Solaro, 4 new tires, Ice cold A/C, absolutely Exc. 68K, $9995. (352) 637-2151 TOYOTA COROLLA 2004 LE auto, 35K mi, $12,000. (352) 563-2563 TOYOTA COROLLA 2004, LE, Automatic Stock # 7260515A $12,995 Citrus Kia 2000 Semi Int. 9200 series, w/sleeper cab 60 series Detriot eng., tandem w/ wet Line kit. Like new int. $27,500. (352) 726-1373 A WHEEL OF A DEAL 5 lines for only $37.95!* *2 weeks in the bChronclel *2 weeks Onlinel *Featured in Tues. "Wheels" Sectioni Call Today (352) 726-1441 or (352) 563-5966 For details. *$5 per additional line Some Restrictions May Apply CHEVY FLATBED '89, W/new dumped, very gd. cond. $4500 (352) 465-4543 DODGE 3/4 T CUMMINS DSL '91 Pwr Steer, windows, Locks, Cruise, AM/FM, Cass., Air Bags 125k mi, $3895 352-465-5280. DODGE DAKOTA 2004 Stock #5634163A $13,995 Citrus Ki/ (352) 564-8668 Dodge Ram 2500 '01, 5.9L, V8-Mag Laramie SLT, quad, wht/ slvr, 73k, ALL PWR, keyless entry, exc. cond. $10,900. (352) 400-0489 OUN'TY (FL) CHRONIC - DODGE RAM 100- '87,6 cyl, 4 spd., clear.. Tool box, dependable;. Exc. cond. $2,500 obo (352) 208-4935 I1 ownr, well mntnd by senior. $11,500 (352)628-4415 - Call Mornings GMC SLT '89, Runs Great! Duatl Exhst; rebuilt trans. &" eng. Body clean. $3,000 B0O(352) 527-3562, Search 100's of , Local Autos Online at wheels.com BUICK 2003, Rendezvous CX, 47K, alarm, $11,000 OB0. (352) 746-0632 (352) 346-1958 FORD - 1996 Explorer XLT, 6-cyt., all power, cold air, new tires, only 62K mi. $4,995 (352) 382-5858 FORD ESCAPE = 2006 Stock #594231A $7,995 Citrus Kia (352) 564-8668 FORD EXPEDITION 1998,134K, $8,000. AM/FM Stereo, Multi Compact Disc, Leather Eddie Bauer Edition,_. great 352-303-0563 FORD EXPLORER - 1999 ' Stock #7261495A $7,995 Citrus Kia (352) 564-8668 GMC YUKON - '99 SLT, Pewter, 142K4 Hwy. miles, leather, * loaded, new tires. exc.-. cond., Best reasonable offer. (352) 382-7690,. JEEP CHEROKEE ' '99, A/C, P/S, AM/FMW Cass, Front Air Bags,._ roof rack, trailer hitch, reliable & affordable. c. $4200/BO352-209-5927.- r SELLS YOUR $49.95 * Get your ad in right away! 563-5966 C C I T P U a COU .T* *V fmwuvQ L t n i I Car, Boaft,^^ Recreationl CIULIS COUNTY (FL) CHRONICiL FORD EXPLORER 2000 XLS, 4 dr. sport, New tires. Good Cond. $6,000 (352) 220-0850 KIA SORRENTO LX 2006, Stock #P534454 $17,995 Citrus Kia (352) 564-8668 Search 100's of Local Autos Online at wheels.com t'O. in I, 1 . A WHEEL OF A DEAL 5 lines for only $37.95!* weeks In the *2 weeks Onlinel *Featured in Tues. "Wheels" '2 4x4 Convert, auto, dr, Stow Master tow bqr inc. 23K mi. $8500. Cys. Rv (360) 581-4300 .F RD LARIAT '06 (Qaded! I ':,; 1',, Toyota FJ40 Landcruiser Jeep 1976, Fully restored. May take small car in partial '96 FORD WINDSTAR New trans. GRAND CARAVAN '96; THE PATH, 1729 W Gulf to Lake Hwy, Lecanto. CHEVROLET '92, Custom Van. 160K, doesn't use oil, Good tires & Int. $2,000 (352) 382-0653 CHEVY TRAVELER 1993, Good Cond. S $1,200 (352) 382-2452 CHRYSLER .'05 Town & Country Stock #6052589A $16,995 Citrus Kia (352) 564-8668 CHRYSLER 2002 Town & Country Leather, Auto Stock t 6084458A $9,995 Citrus Kia (352) 564-8668 FORD '91, 150 Econo line, 'work van, new tires, runs good, white, $1,800. (352) 341-5021 *FORD E150 1989 : (ECONOLINE) $3000.00 Runs and looks great, new a/c, many extras. Call for details 352-464-0836 FORD E-150 97, Conversion van, '62K mi., loaded with fold down bed, $4,500 iobo (352) 795-9408 KIA :02, Sedona, 73k mi., $6,700. (352) 527-4943 KIA SEDONA 2004, Stock # 6046861A $13,995 Citrus Kia (352) 564-8668 KIA SEDONA LX .2005, Automatic -Stock # P709460 $13,995 Citrus Kla (352) 564-8668 I(IA SEDONA LX S 2006 :Stock # P025054 S 16,995 Citrus Kia (352) 564-8668 S(IA SORRENTO S 2003, *Stock #6045521A 613,995 Citrus Kla (352) 564-8668 KIA SORRENTO 2006, LX Stock #P602402 $17,995 Citrus Kla S(352)564-8668 PONTIAC MONTANA '99, 7 pass., 'red w/gray Int., V-6, )oaded! Exc. Cond. $4,000 OB0382-1566 Search 100's of Local Autos Online at vww.naturecoast wheels.com I [. ,. .1 . MR CITRUS !COUNTY REALTY ALAN NUSSO 3.9% Listings INVESTORS BUYERS AGENT BUSINESS BROKER ,(352) 422-6956 ANUSSO.COM ; 2000 YAMAHA YFS 200M, Blaster ATV Good cond. New tires, :foot guards, $1700. (352) 746-9457 2005 SUZUKI OZARK 250, new front tires, looks/runs great, $2300/ob reas. offer. (352) 465-5828 ETON VIPER RX90 Like new, $2,000 or best offer. (352) 560-7496 *FREE REMOVAL OF- Motorcycles, mowers, cars. 4&3 wheelers, RV's, storage units,mtrs, trailers, boats? 628-2084 GO CART 2005; Like Newl 70cc, 3 spd w/rev., seat belt/padded roll bars. $850 abo (352) 628-5976 aft 6 pm HONDA '05, 250 Recon, Low mileage, great condition $2000. (352) 746-9761 SUZUKI Z-400 '03, White, low usage. Great Condition! $3,850 (352) 489-3619 Chronlclel *2 weeks Onlinel *Featured In Tues. "Wheels" SectilonI Call Today (352) 726-1441 or (352) 563-5966 For details, $5 per additional line Some Restrictions May Apply 194.ol Wng *FREE REMOVAL OF. Motorcycles, mowers, cars, 4&3 wheelers, RV's, storage units,m Harley Davidson '99, Dyna Wide Glide, only 3160 mL, like new $4,000+ extras $11,900. obo 248 736-2197 HONDA '04 CBR 600, F41, 1,500 ml. $6,000. (352) 795-4477 HONDA ELITE '98, Scooter, like new, $1,100.obo w/ helmet I guarantee it. (352)564-0999 HONDA GOLD WING 1980, New parts + Extra Parts! Gd Cond. $2,150 obo (352) 212-5915 HONDA TRIKE '98, 1500, 43K, perfect shape, lots of access., $16,500 (352) 726-4525 or 726-2553 Search 100's of Local Autos Online at wheels.com I !x,. I 14. SUZUKI 2005, Katana600, red, mint, 2,300ml, $55000BO. 352-634-4708 YAMAHA '03, V Star Classic, 650CC, 9k mi., excel. cond. black, windshield lots of extras. $3900. (352) 503-3350 YAMAHA 2000 Roadstar 1600, 19K, bilk. exc. cond. $5,000 352-302-4061 524-1218 MCRN Estate of Gorman D. Horn PUBLIC NOTICE IN THE CIRCUIT COURT FOR CITRUS COUNTY, FLORIDA PROBATE DIVISION File No, 2006-CP-1215 IN RE: ESTATE OF GORMAN D. HORN a/k/a GORMAN DOTSON HORN Deceased. NOTICE TO CREDITORS (Summary Administration) TO ALL PERSONS HAVING CLAIMS OR DEMANDS AGAINST THE ABOVE ES- TATE: You are hereby notified that an Order of Summary Administration has been entered In the Estate of GORMAN D. HORN a/k/a GORMAN DOTSON HORN, deceased, File No.2006-CP-1215, by the Circuit Court for Citrus County, Florida, Probate Division, the address of which Is 110 North Apopka Avenue, Inver- ness, FL 34450; that the decedent's date of death was October18, 2006; that the total cash value of the estate is $5,700.00 and that the names and address of those to whom it has been assigned by such order are: SHARI DAWN MOORE 1480 N, Fanning Point, Inverness, FL 34453 ALL INTERESTED PERSONS ARE NOTIFIED THAT: All creditors of the estate of the decedent and per- sons having claims or de- mands against estate of the decedent other llhan those for whom provision the first publi- cation of this Notice Is De- cember 11, 2006. Person Giving Notice: /s/SHARI DAWN MOORE 1480 N. Fanning Point Inverness, FL 34453, December 11 and] 18, 2006. 531-1225 MCRN Notice to Creditors Estate of Gregory L. Kidder PUBLIC NOTICE IN THE CIRCUIT COURT FOR CITRUS COUNTY, FLORIDA PROBATE DIVISION File No. 2006-CP-1236 Division: Probate IN RE: ESTATE OF GREGORY L. KIDDER Deceased. NOTICE TO CREDITORS . The administration of the estate of GREGORY L. KID- DER, deceased, whose date of death was Sep- tember 23, 2006, De- cember 15. 2006. Personal Representative' /s/ Julle Kidder 1304 SE 3rd Avenue Crystal River, Florida 34429i- cle, December 18 and 25, 513-1218 MCRN STATE OF TENNESSEE PUBLIC NOTICE IN THE JUVENILE COURT OF CUMBERLAND COUNTY, TENNESSEE NO. 7483 STATE OF TENNESSEE DEPARTMENT OF CHILDREN'S SERVICES, PETITIONER vs. HORACE STEWART JOR- DAN, JR. 7700 W. Vineyard Dr. Homosassa, FL 34448 RESPONDENTS IN THE MATTER OF: Daniel Levi Jordan, D.O.B, 7/28/91 A Child Under Eighteen (18) Years of Age) HORACE STEWART JOR- DAN, JR. The State of Tennes- see, Department of Chil- dren's Services, has filed a petition against you seek- Ing to terminate forever your parental rights to Daniel Levi Jordan, It ap- pears that ordinary proc- ess of law cannot be served upon you because your whereabouts are un- known. You are hereby ORDERED to serve upon Laura S. Williams. Attorney for the Tennessee Depart- ment of Children Services, 1300 Salem Road, Cooke- vllle, Tennessee 38506, (931) 646-3010. an Answer to the Petition for Termi- nation of Parental Rights filed by the Tennessee Department of Children Services, within thirty (30) days of the last day of publication of this notice, which will be December 18, 2006. If you fall to, do so, a default judgment will be taken against you pur- suant to Tenn. Code Ann. 36-1-117(n) and Rule 55 of the Tenn. R. of Civ, P. for the relief demanded In the Petition, You may view and obtain a copy of the Petition and any other subsequently filed legal documents at the Cumberland Juvenile Court Clerk's Office, Crossvllle, Tennessee. Published four (4) times In the Citrus County Chronl- cle on November 27. De- cember 4, 11, and 18, 2006. 515-1225 MCRN DISSOLUTION OF MARRIAGE PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIR- CUIT, IN AND FOR CITRUS COUNTY, FLORIDA Case No.: 2006-DR-4573 Division: AUGUSTO J, VALDERRAMA Petitioner and ADORACION VS. VALDERRAMA Respondent. NOTICE OF ACTION FOR DISSOLUTION OF MARRIAGE TO: ADORACION V. VALDERRAMA 4367 N. W. 11th Street, IJ Miami, FL 33126 YOU ARE NOTIFIED that an action has been filed against you and that you are required to serve a copy of your written de- fenses, If any, to it on AU- GUSTO J. VALDERRAMA whose address Is 11020 N. Citrus Ave.. Crystal River. FL. 34428 on or before 12/27/06, and file the original with the clerk of this Court at 110 N. Apopka Ave., Inverness. Florida 34452. before serv- ice on Petitioner or Im- mediately thereafter. If you fall to do so, a default may be entered against you for the relief de- manded In the petition. Copies of all court docu- ments In this case, In- cluding orders, are avail- able at the Clerk of the Circuit Court's office. You may review these docu- ments upon request. You must keep the Clerk of the Circuit Court's offlcq., disclo- sure of documents and In- formation. Failure to com- ply can result In sanctions, Including dismissal or striking of pleadings. Published four (4) times in the Citrus County Chroni- cle on November 27, and December 4, 18. and 25. 2006. 257-1224 SU-SUCRN Citrus County Fleet Management PUBLIC NOTICE Weeks Auction Co., Inc. will be conducting an auction on behalf of Cit- rus County Board of County Commissioners on January 12, 2007 to sell vehicles and equipment. The auction will begin at. 538-1218 MCRN City of Crystal River PUBLIC NOTICE PUBLIC NOTICE PUBLIC NOTICE The City of Crystal River Is accepting applications to fill two (2) Waterfronts Florida Advisory Board positions to serve in the Tourism and Builder cat- egories, There are also two (2) openings for Citrus County Residents with an expertise that would benefit this board This board was established to make recom- mendations to the City Council to develop short-range and long-term waterfront projects for the City of Crys- tal River. The City of Crystal River Is also accepting applications to create a Charter Review Committee. This commit- tee will meet over a 60-Day period to review and make recommendations to Council for revisions to the City Charter. Committee members will be appointed . by Council. Volunteer applications may be obtained at City Hall or by requesting an application by calling Carol Harrlngton @ (352) 795-4216 or contacting her @ charrington@crystalriverfl org. All applications must be received no later than 5:00 p.m. January 2, 2007. Published one (1) time in the Citrus County Chronicle, December 18,2006. 530-1218 MCRN Citrus County Board of County Commissioners PUBLIC NOTICE PUBLIC NOTICE NOTICE IS HEREBY GIVEN that the Board of County Commissioners of Citrus County, Florida, will hold a public hearing In the County Commission Chambers,, Citrus County Courthouse, 110 North Apopka Avenue, Inverness, Florida 34450, at 3:00 P.M.., on January 9, 2007, to determine the advisability of vacating, aban- doning, discontinuing and closing the existing street, al- leyway, road, highway or other place used for travel, or any portion thereof described In the attached Ex- hibit "A", renouncing and disclaiming any right of Citrus County and the public In and to any land described on the attached Exhibit 'A". NOTICE TO THE PUBLIC If a person decides to appeal any decision made by the Board of County Commissioners Im- pairment should contact the County Administrator's Of- lice, Citrus County Courthouse, 110 North Apopka Ave- nue, Inverness. Florida 34450, (352) 341-6560, at least two days before the meeting. If you are hearing or speech Impaired, use the TDD telephone (352) 341-6580, DENNIS DAMATO, CHAIRMAN Board of County Commissioners of Citrus County, Florida EXHIBIT A THAT CERTAIN ALLEY THAT LIES BETWEEN LOTS 5 AND 6, AND LOTS 7 AND 8, BLOCK 91., TOWN OF HOMOSASSA, AS RECORDED IN PLAT BOOK 1. PAGE 6, PUBLIC REC- ORDS OF CITRUS COUNTY, FLORIDA, AND PRESCRIPTIVE PLAT BOOK 1, PAGES 35 THROUGH 43, PUBLIC RECORDS OF CITRUS COUNTY, FLORIDA. Published one (1) time In the Citrus County Chronicle on December 18,2006, 521-1225 MCRN Citrus County Code Enforcement PUBLIC NOTICE NOTICE OF ACTION: Code Enforcement Board Case No. 0610-036 Description of property: 6715 W. Grover Cleveland Blvd., Homosassa, FL; Altkey 1137136, W1/2 OF SW1/4 OF SE1/4 OF SW1/4 EXC CO RD R/W DESC IN OR BK OR BK 1171 PG 1283 LESS: OR BK 554 PG 571(RD) J & P Enterprises, LLC 2450 S. Suncoast Blvd. Homosassa, FL 344 9:00 A.M. In the Lecanto 4, 11, 18 and 25, 2006. 532-0108 MCRN Citrus County Code Enforcement PUBLIC NOTICE NOTICE OF ACTION: Code Enforcement Board Case No. 0608-190 Description of property: WHISPERING OAKS PB 7 PG 20 LOT 4 BLK G Richard & Kathryn Coleman 12950 S. Betty Pt. Floral City, FL 344 900 A.M. In the Leconto 18 and 25,2006 and January 1 and 8,.2007. 527-1218 MCRN SNotice of Action CONSTRUCTIVE SERVICE SUNTRUST vs. JUNE M. BEILIG, et al, DECEASED, ET AL DEFENDANTSS, NOTICE OF ACTION-CONSTRUCTIVE SERVICE TO: THE UNKNOWN SPOUSE, HEIRS. DEVISEES, GRANTEES, ASSIGNEES, LIENORS, CREDITORS, TRUSTEES AND ALL OTHER PARTIES CLAIMING AN INTEREST BY, THROUGH, UNDER OR AGAINST THE ESTATE OF JUNE M. BEILIG whose residence Is unknown If he/she/they be living; and if hthshe/they be dead, the unknown defendants who may be spouses, heirs, devises, grantees, as- signees, lienors, creditors, trustees, and all parties claim- ing an Interest by, through, under or against the De- fendants. who are not known to be dead or alive, and all parties having or claiming to have any right, title or Interest In the property described In the mortgage be- Ing foreclosed herein. YOU ARE HEREBY NOTIFIED that an action to foreclose a mortgage on the following property: LOT 5, BLOCK 60, OF BEVERLY HILLS, UNIT NO. FOUR, AS PER PLAT THEREOF, RECORDED IN PLAT BOOK 5, PAGES 130, 131 AND 132, OF THE PUBLIC RECORDS OF CITRUS 17, 2007, (no later than 30 days from the date of the first publication of this notice of action) and tile the original with the clerk of this court either before service on Plaintiffs attorney or Immediately thereafter; otherwise a default will be entered against you for the relief demanded In the complaint or peti- tion riled herein. WITNESS my hand and the seal of this Court at CITRUS County, Florida, this 30th day of November. 2006. BETTY STRIFLER, CLERK OF COURTS CLERK OF THE CIRCUIT COURT By: /s/ Judy Ramsey DEPUTY CLERK LAW OFFICES OF DAVID J. STERN LANCE E. FORMAN, ESQ. ATTORNEY FOR PLAINTIFF 801 S. UNIVERSITY DRIVE SUITE 500 PLANTATION, FL 33324 06-59275 (GMAP) IN ACCORDANCE WITH THE AMERICANS WITH DISABILU-. December 11 and 18, 2006. 535-1225 MCRN Notice of Sale Zacharlasen vs. Vanevery PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT IN AND FOR CITRUS COUNTY. FLORIDA CASE NUMBER. 2005-CC-4873 DONALD ZACHARIASEN and EARLENE E. ZACHARIASEN, husband and wife, Plaintiff, vs. CHARLES R. VANEVERY and JANE L. VANEVERY, husband and wife, Defendant. NOTICE OF SALE NOTICE IS GIVEN that pursuant to a Final Judgment of Foreclosure dated the 8th day of December, 2006 In Case No,. 2005-CC-4873, of the County Court of the Fifth Judicial Circuit In and Citrus County, Florida In which DONALD ZACHARIASEN and EARLENE E. ZACHA- RIASEN, husband and wife Is the Plaintiff and CHARLES R. VANEVERY and JANE L. VANEVERY, husband and wife are the Defendants, I will sell to the highest and best bidder for cash In the Jury Assembly Room In the New Addition to the new Citrus County Courthouse, 110 North Apopka Avenue, Inverness, Florida at 11:00 a.m. on the 4th day of January, 2007, the following de- scribed property set forth In the Final Judgment of Fore- closure: LOT 85, REPLAT OF DIXIE SHORES, UNIT NO. I, according to the map or plat thereof recorded In Plat Book 5, Pages 8 and 9, Public Records of Citrus County, Florida DATED this Bth day of December, 2006. BETTY STRIFLER Clerk of the Circuit Court By: /s/ M.A. Michel As Deputy Clerk Published two (2) times In the Citrus County Chronicle, December 18 and 25,2006. 533-1225 MCRN Notice of Sale Cltimortgage vs. Johnson PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT OF THE STATE OF FLORIDA, IN AND FOR CITRUS COUNTY CIVIL DIVISION CASE NO. 2006-CA-4496 CITIMORTGAGE, INC. SUCCESSOR BY MERGER TO CITIFI- NANCIAL MORTGAGE COMPANY, INC., Plaintiff, vs. JONATHAN W. JOHNSON; THE UNKNOWN SPOUSE OF JONATHAN W. JOHNSON; IF LIVING, INCLUDING ANY UNKNOWN SPOUSE OF SAID DEFENDANTSS, IF REMAR- RIED, AND IF DECEASED, THE RESPECTIVE UNKNOWN HEIRS, DEVISEES, GRANTEES, ASSIGNEES, CREDITORS, LIENORS, AND TRUSTEES, AND ALL OTHER PERSONS CLAIMING BY, THROUGH, UNDER OR AGAINST THE NAMED DEFENDANTSS; MORTGAGE ELECTRONIC REGIS- TRATION SYSTEMS, INC AS NOMINEE FOR CAPITAL ONE HOME LOANS, LLC; CRYSTAL OAKS CIVIC ASSOCIATION INC; WHETHER DISSOLVED OR PRESENTLY EXISTING, TO- GETHER WITH ANY GRANTEES, ASSIGNEES, CREDITORS, LIENORS, OR TRUSTEES OF SAID DEFENDANTSS; UN- KNOWN TENANT #1; UNKNOWN TENANT #2; Defendant(s) 336, OF CRYSTAL OAKS SEVENTH ADDITION, AS PER PLAT THEREOF, RECORDED IN PLAT BOOK 16, PAGES 52 THROUGH 55, INCLUSIVE, OF THE PUBLIC RECORDS OF CITRUS COUNTY, FLORIDA. A/K/A 5655 West Crossmoor Place Lecanto, FL 34461 at public sale, to the highest and best bidder, for cash. Citrus County Courthouse. The Jury Assembly Room at 11:00 A.M., on January 4, 2007. DATED THIS 11 11th day of December, 2006. BETTY STRIFLER CLERK OF CIRCUIT COURT By: /s/ M.A. Michel, December 18 and 25, 2006. 516-1218 MCRN Notice of Action Janice Fass vs. Kathleen Stark., et al. PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT IN AND FOR CITRUS COUNTY, FLORIDA q-v CASE NO. 2006-CA-5095 JANICE FASS, an unremarried widow, Plaintiff, -vs.- KATHLEEN STARK, KIMBERLY FASS, CARIA FASS, KEITH FASS and JENNIFER FASS, any Unkown heirs and others, Defendants. NOTICE OF ACTION TO: ANY UNKNOWN HEIRS OF SHIRLEY FASS CAFFREY, RONALD FASS and DONALD FASS Addresses Unknown YOU ARE NOTIFIED that an action to quiet title on the following described property In Citrus County, Florida, to-wit: Tracts 31, 32, and 33 of HOMOSASSA GARDENS, ac- cording to the map or plat thereof, recorded In plat Book 4, pages 137 to 139, Inclusive, public records of CItrus County, Florida has been instituted against you and you are required to serve a copy of your written defenses, If any, to it on GLEN C. ABBOTT, ESQ., Plailntiffs' Attorney, whose ad- dress Is Post Office Box 2019, Crystal River, Florida 34423, on or before December 27, 2006, and file the original with the Clerk of this court either before service on Plaintiffs' Attorney or Immediately thereafter; otherwise a default will be entered against you for the relief de- manded In the complaint or petition. WITNESS my hand and seal of this Court on the 20th day of November, 2006. BETTY STRIFLER -'Clerk of Court By: /s/ Marcild A. Michel Deputy Clerk Published four (4) times In the Citrus County Chronicle, November 27, and December 4, 11. and 18, 2006. 536-1225 MCRN Amended Notice of Sale The Bank of New York, etc. vs. James E. Henick. et al. PUBLIC.;(s). AMENDED NOTICE OF SALE NOTICE IS HEREBY GIVEN pursuant to an Order re- scheduling foreclosure sale dated December 7, 2006. entered in Civil Case No, 05-CA-3792 of the Circuit Court of the 5th Judlclal Circuit In and for Citrus County, Florida, wherein THE BANK OF NEW YORK, AS INDENTURE TRUSTEE ON BEHALF OF THE NOTEHOLDERS AND THE NOTE INSURER OF ABFS MORTGAGE LOAN TRUST 1999-4, MORTGAGE BACKED NOTES, Plaintiff and JAMES E. HENICK are defendantss, I will sell to the high- est and best bidder for cash, IN THE JURY ASSEMBLY ROOM IN THE NEW ADDITION TO THE NEW CITRUS COUNTY COURTHOUSE January 4, 2007, the following described property; VIN#: 20097L AND 20097R. ANY PERSON CLAIMING AN INTEREST IN THE SURPLUS FROM THE SALE, IF ANY, OTHER THAN THE PROPERTY OWNER AS OF THE DATE OF THE US PENDENS MUST FILE A CLAIM WITHIN 60 DAYS AFTER THE SALE. DATED at INVERNESS, Florida, this 11th day of Decem- ber, 2006. BETTY STRIFLER CLERK OF THE CIRCUIT COURT Citrus County, Florida By: /s/ M.A. Michel Deputy Clerk Published two (2) times In the Citrus County Chronicle, December 18 and 25, 2006.T 534-1225 MCRN Notice of Sale - Regions Bank vs. Philip C. Wilson PUBLIC NOTICE IN THE CIRCUIT COURT OF THE 5TH JUDICIAL CIRCUIT OF FLORIDA, IN AND FOR CITRUS COUNTY CASE #: 2006-CA-4481-' Division #: ". UNC:' Regions Bank d/b/a Regions Mortgage, Plaintiff, -VS.- v Philip C. Wilson and Jalme L. Wilson, His Wife Defendant(s), . NOTICE OF SALE NOTICE IS HEREBY GIVEN pursuant to an Order of Final"' Judgment of Foreclosure dated December 6, 2006, en- tered In Civil Case No. 2006-CA-4481 of the Circuit Court of the 5th Judicial Circuit In and for Citrus County, Florida, wherein Regions Bank d/b/a Regions Mortgage, Plaintiff and Philip C. Wilson and Jalme L. Wilson, His Wife are defendantss, I will sell to the high- est and best bidder for cash, IN THE JURY ASSEMBLY ROOM IN THE NEW ADDITION TO THE NEW CITRUS COUNTY COURTHOUSE on January 4, 2007, the follow- Ing described property as set forth In said Final Judg- ment, to-wit: THE SOUTH 1/2 OF LOT 2, BLOCK 42A, OF INVERNESS- HIGHLANDS WEST FIRST ADDITION REPLAT, ACCORDING TO THE MAP OR PLAT THEREOF AS RECORDED IN PLAT BOOK 6, PAGES 116 THROUGH 122, INCLUSIVE, OF THJE WORK- - ING DAYS OF YOUR RECEIPT OF THIS NOTICEOF SALE: IF' YOU ARE HEARING IMPAIRED CALL: 1-800-955-8771; IF7- YOU ARE VOICE IMPAIRED CALL: 1-800-955-8770. - DATED at INVERNESS, Florida, this 8th day of December, 2006. -.1 BETTY STRIFLER CLERK OF THE CIRCUIT COURT Citrus County, Florda By: /s/ M.A. Michel Deputy Clerk, Published two (2) times in the Citrus County Chronicle. December 18 and 25, 2006.T 511-1218 MCRN NOTICE OFACTION ACHAR vs. DOMKOWICZ - PUBUC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT, IN AND FOR CITRUS COUNTY. FLORIDA. CIVIL ACTION NO.: 2006-CA-4877 ANDREW ACHAR, Plaintiff. VS. -=< ROY J. DOMKOWICZ and his wife FRANCES A.~ DOMKOWICZ, Defendants, - NOTICE OF ACTION TO: ROY J. DOMKOWICZ and his wife FRANCES A.,, DOMKOWICZ Swinford House. Nortous Lane, Great- Barrow, Cheshire, England. 3H7JZ 'AND ALL"' OTHER 'persons or parties whomsoever claim- - Ing by. through, under or against the above narried designated parties; and to all parties and persons& whomsoever having or claiming to have any right, title or Interest In and to the following described real prop-. erty Interests In Citrus County, Florida, to-wit. Lot 1, Block 1626, Unit 26, Citrus Springs, as recorded in Plot Book 9, pages 7 to 16, Public Records of Citrus - County, FL and all other whom it may concern. YOU ARE NOTIFIED that an action to quiet title to thf above real property In Citrus County, Florida, has ben ' filed against you and you are required to sreve a copy of your written defenses, if any, to It on JOHN C. TRENTELMAN, Plaintiff's attorney, whose address Is 2Q7- N. Magnolia Avenue, Ocala, Florida 34475. on or be- fore December 27, 2006. and file the original with the Clerk of this Court either before service on Plaintiff's'at- tomey or Immediately thereafter; otherwise a defalt- will be entered against you for the relief demanded in the Complaint. WITNESS my hand and the seal of this Court on this 16}h " day of November, 2006. BETTY STRIFLER Clerk of the Circuit Court - By: /s/ M.A. Michel Deputy Clerk Published four (4) times In the Citrus County Chronicle on November 27 and December 4, 11, and 18,2006. 526-0101 MCRN . PORTER vs. LOVE-MCLAUGHUN PUBUC NOTICE .-,- IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT, IN AND FOR CITRUS COUNTY, FLORIDA "-. CASE NO. 2006-CA-458 DWIGHT L. PORTER, Plaintiff, vs. MELVIN D. LOVE. RHONDA G. LOVE. WILLIAM. A'Z MCLAUGHLIN and ISABEL M. MCLAUGHLIN. if alive R. nd If dead, his unknown spouse, heirs, devisees, legatees? grantees, assigns, Ilenors. creditors, trustees, or other claimants, and all other parties claiming by andy through, under or against the above named . Defendants, or any one of them who are not known to. be dead or alive; and all unknown natural persons ~f alive, and If dead. or not known to be dead or alives, their several and respective unknown spouses, heirs, ''a " devisees, legatees, grantees, assigns, Ilen)o or other legal entity named as a Defendant; and all other claimants, per- sons, or parties, natural or corporate, or other form' opf legal entity, or whose exact legal status Is unknown. claiming under any of the above named c," -.s:cnxedi defendants or parties or claiming to have Jr., ngtr.. t. flie or Interest In and to the lands hereafter a-,eitjed and Involved In this lawsuit. Defendant, , NOTICE OF ACTION To: MELVIN D. LOVE, RHONDA G, LOVE, WILLIAM A. MCLAUGHLIN and ISABEL M. MCLAUGHLIN, and all part ties claiming Interest by, through, under or against them, and all parties having or claiming to have qny right, title or Interest In the property herein described. YOU ARE NOTIFIED that an action has been tiled to - quiet and conform title to real property located In CIT- RUS COUNTY, Florida, and described as follows: COUNT I -*-' Cherokee VIg Unrec Sub "a Lots 41,42,43,44,45,46,47,48,49,50,51 & 52 Desc in OR:kIC: 648, of the Public Records of Clhus County, Florida. COUNT I '1 FT APACHE SUB 1st ADD LOTS 2 & 3 BLK K DESCR IN q* BK291 PG93. You are required to serve a copy of your written de fenses, If any. to this action on JEROME ROTENBERG,'Es-i." quire. Camey & Associates, P.A., 7655 West Gulf4'-ti4i Lake Highway, Crystal River, Florida 34429, attomrneyfoi. the Plaintiff, on or before January 10, 2007 and file tIte,s, original with the Clerk of this Court either before servyqe., on the Plaintiffs attorney or Immediately thereaftvr-, otherwise, a default shall be entered against you'tp.- the relief demanded In the Complaint or Petition. , DATED this 29th day of November, 2006. - BET1Y STRIFLER Clerk of Court By: /s/ M.A. Michel Deputy Clerk Published four (4) times In the Citrus County Chronicle', December 11, 18, 25.2006, and January 1,2007. Crmtus CouN'IY (FL) CHRONICLE I &R MNMAnN.fA-VFCEMBER WT18. 2006 COACH KERWIN BELL, 2006 ALTIMA JOISL I .7n 17,97 975 2006 MALIBU $1 9PER: 2006 SONATA 217, 975R 299 R 2006 TAURUS 2006 GRAND MARQUIS 12,975 W22L. 12, 875 2291 '10,975 9193. 13,975 $249. 2006 CARAVAN 2006 DURANGO 2006 TAHOE 2006 PATHFINDER $14,975 1264m 2005 CAMRY 116,975 2990M 2004 MUSTANG 2003 IMPALA 2003 SONATA 121,9755 2005 TRAILBLAZER .... ' $14,975 1264A 12,475 -2190 *10,875 11919 2004 F150 2004 EXPLORER 2004 CHEROKEE 12,875 229 2003 ACURA TL '15,975 279M $7,975 "139. 2003 FOCUS '15,975 279t 2003 ACCORD - in,.- -~ 193. ITA FE Bft\ 1 59L 2200 SR 200 OCALA 800-342-3008 *ALL INVENTORY PRE-OWNED AND SUBJECT TO AVAILABILITY. PRICES PLUS TAX, TAG & $195 DEALER FEE. ALL PRICES WITH $1000 CASH OR TRADE EQUITY. PICTURES FOR ILLUSTRATION ONLY. PAYMENTS FOR 6 YEARS AT 8% APR W.A.C. . 12. 12,975 229 7,975 139L *10,975 1 2003 CAMRY 2003 SILVERADO 2003 RAM 2003 RANGER 2003 SAN $12, 75 21L9 13,975 ,249 $12,9755 229 $8,875 1159w 18,875 ALL INVENTORY CHECKED OUT BY OUR CERTIFIED MECHANICS. WARRANTIES AVAILABLE UP TO 100,000 MILES. CALANISSAN JLN*= IVIONDAY, "E(AMUJIK -LO, -.uuu w FIND OUT EXACTLY WHAT YOUR CAR IS WORTH, NO MATTER WHERE YOU PLAN TO BUY! CALL THE INSTANT APPRAISAL LINE o902042-3 00 2006 TITAN 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 | https://ufdc.ufl.edu/UF00028315/00716 | CC-MAIN-2019-51 | refinedweb | 36,862 | 76.72 |
AWS Open Source Blog
The Sumo Logic integration with Amazon EKS
Amazon Elastic Kubernetes Service (Amazon EKS) makes it easy to deploy, manage, and scale containerized applications using Kubernetes on AWS.
In this post, we’ll provide an overview on how Sumo Logic’s integration with Amazon EKS works using the open source tools Helm, Fluent Bit, Fluentd, Prometheus, and Falco, and how to use it to:
- Monitor the health of clusters, pod, and control plane component’s health.
- Determine resource bottlenecks, scaling needs, and availability.
- Correlate and investigate errors across containers.
- Respond and remediate the root cause of application failures from infrastructure to application.
Sumo Logic is an AWS Partner Network (APN) Advanced Technology Partner with AWS competencies in Security, Data and Analytics, and DevOps. Sumo Logic helps organizations gain better real-time visibility into their IT infrastructure. Sumo Logic integrates with many cloud as well as on-prem services, making it simple and easy to aggregate data across different services, giving users a full view of their operational, business, and security analytics.
EKS logs and metrics collection setup and app installation
The basic steps to configure Sumo Logic logs and metrics integration are:
- Install and configure the Sumo Logic collection using open source technologies to collect logs and metrics.
- Install the Sumo Logic Kubernetes application to visualize the logs and define alerts.
Install and configure the Sumo Logic collection to collect logs and metrics
Sumo Logic leverages open source technologies Helm, Fluent Bit, Fluentd, Prometheus, and Falco to collect logs and metrics information from EKS clusters.
Figure 1 provides an overview of the collection process:
Figure 1: Sumo Logic EKS Integration
- Setup, collection, and enrichment: The entire collection process can be set up with a single Helm chart. Helm is an open source tool that. Fluent Bit, Fluentd, Prometheus, and Falco are deployed throughout the cluster to collect log, metric, event, and security data. Below is a brief description of each component.
- Fluentd is an open source data collector for the unified logging layer. Fluentd allows you to unify data collection and consumption for better use and understanding of data. Fluentd is written in a combination of C language and Ruby, and requires very few system resources. The vanilla instance runs on 30-40MB of memory and can process 13,000 events/second/core.
- If you have tighter memory requirements (-450kb), try using Fluent Bit, the lightweight forwarder for Fluentd. It includes multiple Fluentd plugins that parse and format the metrics and enrich them with metadata. Data is enriched — tagged — with details about where in the cluster it originated; the service, deployment, namespace, node, pod, container, and their labels. It then forwards logs and metrics to an HTTP source on a hosted collector. Fluent Bit is an open source and multi-platform log processor and forwarder which allows you to collect data/logs from different sources, unify and send them to multiple destinations. It’s fully compatible with Docker and Kubernetes environments. Fluent Bit is deployed on each node. It collects and forwards the container logs to Fluentd Deployment.
- Fluentd deployment forwards events to an HTTP source on a hosted collector.
- Prometheus is an open-source systems monitoring and alerting toolkit. Most Prometheus components are written in Go, making them easy to build and deploy as static binaries. It scrapes the metrics exposed by the node-exporter add-on for Kubernetes and the kube-state-metrics component, and writes metrics to a port on the Fluentd deployment.
- Falco is a behavioral activity monitoring agent that is open source and comes with native support for containers. Falco lets you define highly granular rules to check for activities involving file and network activity, process execution, IPC, and much more, using a flexible syntax. Falco will notify you when these rules are violated. Falco is deployed on each node. It monitors the cluster, its worker nodes, and running containers for suspicious activity and generates security alerts which are collected by Fluent Bit.
- Control plane logs – Amazon EKS control plane logging provides audit and diagnostic logs directly from the Amazon EKS control plane to Amazon CloudWatch logs in your account. These logs are forwarded to Sumo Logic using AWS Lambda. To set up the EKS control plane collection, follow the steps in Sumo Logic’s documentation to Configure CloudWatch log collection.
Install the Sumo Logic Kubernetes application to visualize the logs and define alerts
Once you have configured the collection, the Sumo Logic app for Amazon EKS can be installed and alerts can be configured. For additional details, please see the instructions on how to Install the Amazon EKS – Control Plane App and view the Dashboards.
The Explore and App dashboards
Now that we’ve seen how to set up collection and install the app, let’s look at how to efficiently explore Kubernetes hierarchies and get insights through dashboards.
Explore provides a visual map of the hierarchy of your Kubernetes environment through which you can navigate in an intuitive manner. You can filter the display to focus on deployments, nodes, services, or namespace.
Figure 2: Explore the dashboard
As you can see in the image below, once you select a node, deployment, service, or namespace on the left, you will be able to visualize the health and performance related to that entity on the right. For example, if we choose the Kubernetes Namespace View on the left and select the EKS cluster, we will then be able to select the Kubernetes – Cluster Overview dashboard on the right for a high-level view of the health and performance of the cluster as shown:
Figure 3: EKS Cluster Overview
At the cluster level there are a number of dashboards available to monitor and troubleshoot EKS control plane components. The EKS API Server Audit Overview dashboard (Figure 4) can be used to get insights on the Kubernetes Audit server such as reasons for request failures, URLs with the most failures, and more.
Figure 4: EKS API Server Audit Overview
The EKS controller manager dashboard (Figure 5), also available at the cluster level, provides visibility into the core control loops for Kubernetes. Using this dashboard, you can easily review resource modifications, scaling operations, severity trends, and more.
Figure 5: EKS Controller Manager
Troubleshoot with the Explore and App dashboards
Step 1: Analyzing the cluster
The health and resource utilization of all components running on a cluster is shown on the Cluster Overview dashboard. Any spikes in the resource usage, errors, security rules violations, or failed components can be easily identified to determine configuration issues or overall administration issues that need to be addressed.
Figure 6: Analyzing an EKS cluster using the Cluster Overview dashboard
As you can see in Figure 6, the pod
falco-2r9d7 is not behaving correctly and has been terminated.
Step 2: Exploring a namespace
To get to the root cause of an issue with an EKS cluster, investigate the namespace by selecting kube-system in the navigation panel and switching to the Namespace Overview dashboard. This dashboard provides information on pods running in the deployment, failed pods, errors, CPU and memory usage, file system usage, terminated and waiting pods and containers. Figure 7 highlights the problem with a pod where the pod keeps failing and gets restarted:
Figure 7: Namespace overview
Step 3: Drilling down into a pod and container
Once a pod with problems has been identified, you can drill down into the pod dashboard for more granular data. You can see in Figure 8 that the
falco-2r9d7 pod is in
CrashLoopBackOff:
Figure 8 : Pods running on an EKS cluster
You can further drill down to the container level to determine the exact error. In this case, as you can see below, the container is not able to download an image:
Figure 9: Container logs
Step 4: Drilling down into logs and metric search
Once the pod and the container exhibiting problems are identified, you can use the log overlay feature to correlate metrics performance with the logs responsible for this behavior. By clicking on the vertical band, you can narrow down to a particular interval associated with the metric and see the relevant log messages:
Figure 10: Logs and metrics overlay
The above screenshot shows the logs overlay with the full error details i.e. “Download failed, the requested URL returned error. 404 Not Found.” With this information, you can take corrective action.
Cleanup
To avoid incurring future charges to your AWS accounts, delete the resources created in your AWS account for this project. You can simply delete the EKS cluster and delete the Sumo Logic free trial you created by going to Administration > Account in th. Sumo Logic web page. At the bottom of the page, under the section Delete this Organization from Sumo Logic?, click Delete Org. In the dialog Delete This Organization from Sumo Logic?, enter
DELETE to confirm. Click Delete Org.
Summary
In this post, we have shown an overview of how the Sumo Logic integration with Amazon EKS works so you can:
- Collect logs and metrics from Amazon EKS using open source tools Fluentd, Fluent Bit, Helm, Prometheus, and Falco.
- Use the Explorer functionality to review and troubleshoot EKS clusters.
- Use Sumo Logic dashboards and searches to investigate root causes and remediate issues.
Next steps
To get started, check out the Sumo Logic Kubernetes help doc. If you don’t yet have a Sumo Logic account, you can sign up for a free trial.
For more security and devSecOps-focused reads, check out the Sumo Logic blog.
The content and opinions in this post are those of the third-party author and AWS is not responsible for the content or accuracy of this post. | https://aws.amazon.com/cn/blogs/opensource/sumologics-integration-eks/ | CC-MAIN-2022-33 | refinedweb | 1,611 | 50.36 |
Thursday 17 February 2011
I love Stack Overflow, for a number of reasons. First, they have great answers to programming questions. When I need an answer to a detailed issue I’m having with code, the answer is usually on Stack Overflow, and with the recent Google tweak to tamp down content farms in search results, it’s usually the first hit on Google as well.
But the reason they have the best answers is because Stack Overflow is essentially a MMORPG that awards points for expertise and other valued behavior. I understand well the incentives the site offers for answering questions, because I’ve accumulated a lot of reputation there:
The combination of being awarded points, and debating with other knowledgable experts, plus being able to learn along the way, and help people, is very compelling. But it can get obsessive. Joel Spolsky claims that tons of rep means you are a superstar developer, but it also implies that you’ve spent a lot of energy chasing reputation points.
After a recent too-long session of someone’s wrong on the internet, I decided to kick the habit. And like any addict, I needed a little help.
A simple Greasemonkey script was just the thing. It just hides the form that allows for answering questions:
// ==UserScript==
// @name No answering on Stackoverflow
// @namespace
// @description Hide the answer box on Stack Overflow
// to stop obsessive behavior
// @include*
// ==/UserScript==
GM_addStyle(
"@namespace url(); " +
".question-page #post-form { display: none; }"
);
The great thing about this solution is that it’s effective, without meaning I have to avoid the site altogether, and if there’s an question I really should answer, I can just disable the script, which is enough of an action to make me think twice.
You can install no_so_answers.user.js yourself if you find yourself similarly afflicted.
The whole point of StackOverflow is to have the best answers to all programming questions. Therefore, you could say the site thrives on having some of the brightest minds or experts in a field be compelled to share their thoughts and present their solutions for the benefit of all. I'm hoping you, and others that use this script, won't be deterred from answering questions altogether. :) We need your participation.
That said, this script is a good buffer, as you say, to make you think twice before answering. I can relate to getting emotionally built up to the point where I feel I have to answer a question, and after the moment passes I have to ask myself, was it worth it? Did I add any value?
Take this comment as an example :)
Maybe I've missed something here... wouldn't it be better to hide the reputation container rather than the response form?
@Ken: we'll consider it a trial separation and see how it goes.
@Jonathan: there are two reasons to hide the answer form. First, reputation is visible in lots of places, so there's many more places to tweak the UI. Second, it isn't just rep points that pull me in. There's also the wanting the answer to be accepted, wanting wrong answers to get what they deserve, and so on. By not writing answers, you can skip the all the engagement. Maybe something else would work better for you.
@Ned: Sorry, I should have read your OP a little more carefully. I understand now that it's not your "reputation" that's pulling you in, but your willingness to contribute to the community. I should have known you better than that by now! :-)
This obviously applies to the entire Stack Exchange suite.
I poke around here and there looking for something to answer, but just end up bailing because I don't care about Stack Exchange Street Cred and the questions on serverfault are SO esoteric -- "I'm running RHELv3 on an overclocked Apple IIc. PostgreSQL 9-alpha3 won't run. Please help."
Significant periods of my time are worth (and I don't mean in money, but sure) far more than an icon.
Glad to see you made a change.
Hi Ned -- have you considered listing this script at
> Significant periods of my time are worth (and I don't mean in money, but sure) far more than an icon.
Generally the reason people are participating is to teach, and learn -- it's time invested in peer education, basically.
Understood, Jeff. I think it's *mostly* great, just not for me (anymore, for the majority part). Dicking around in 80 usenet groups every day ended for me 15 years ago :)
+1 reputation points for this post
> Dicking around in 80 usenet groups every day ended for me 15 years ago :)
Sure, but the premise is that you can spend 10 minutes on our sites and learn something -- or teach someone else something. It doesn't take hours, and it isn't intended to. This is another reason why we cap reputation and votes, for example... to the extent that you spend *all* your time on Stack Overflow, we are failing you. That's not our intent.
Also, I used this script as an example on
@Jeff: I've added the script to the stackapps site, how could I not after you featured me in your blog post? Thanks... :)
Add a comment: | https://nedbatchelder.com/blog/201102/how_to_not_get_reputation_points_on_stack_overflow.html | CC-MAIN-2018-51 | refinedweb | 886 | 70.33 |
Created on 2009-07-18 20:36 by till, last changed 2010-11-22 03:18 by lukasz.langa. This issue is now closed.
There seems to be no way to add a config item with a value containing a
formatstring without this formatstring beeing handled by configparser.
A possible way to escape the formatstrings could be to double the
%-sign, e.g.:
[foo]
bar = %%(string)s
The value of the bar item should then be "%(string)s".
The formatstring is a Python % formatting code, and doubling the %% is
the way to escape one, so what you suggest is in fact the way it works.
Do you have a test case demonstrating that it doesn't work as
documented (it works for me)?
Afacs it is not documented to work. Here is the testcase:
#!/usr/bin/python
# vim: fileencoding=utf8
import ConfigParser
import tempfile
file = tempfile.TemporaryFile(mode='rw+b')
file.write("[s]\nf=%%(b)s\n")
file.seek(0)
config = ConfigParser.ConfigParser()
config.readfp(file)
print config.get("s", "f")
file.close()
Ah, that's because you aren't using SafeConfigParser (which the docs
recommend that you do unless you have to use ConfigParser for backward
compatibility reasons). Your test case works with SafeConfigParser.
You are correct that it is not explicitly documented in the ConfigParser
docs. It is implied by the fact that the magic substitution is
documented to be a standard format string, and by the recommendation to
use SafeConfigParser because ConfigParser's handling of formatstrings is
broken.
To make this all explicit, I've attached a doc patch to make the
motivation for using SafeConfigParser clearer, using this as the
example. Let me know what you think.
Georg, Raymond, I added you as nosy to ask for a style/content opinion.
Should we instead rewrite the section to put SafeConfigParser first,
and perhaps even deprecate ConfigParser?.
This issue superseeds #8888 because of the patches attached.
Brett, there are two ways we can solve this issue:
1. Rewrite the documentation so it clearly puts more emphasis on the fact that SafeConfigParser is the one to choose.
2. We deprecate ConfigParser in the code and in the documentation.
I personally would go with 1. and maybe just "hint" about the fact that ConfigParser is not for end users. Formal deprecation seems too big for this since the regular ConfigParser still does have its valid use cases.
Please decide on what we're going to do and I'll edit the docs and add the tests here to py3k.
I disagree.
The documentation should promote RawConfigParser, and note
SafeConfigParser and ConfigParser as remaining for backward
compatibility for existing software. Maintainers of legacy software
using ConfigParser should be encouraged to convert to SafeConfigParser
(or even RawConfigParser) if possible.
Documentation changes should be sufficient; deprecation warnings
typically generate more pain than good.
> The documentation should promote RawConfigParser, and note
> SafeConfigParser and ConfigParser as remaining for backward
> compatibility for existing software.
That is another way to go around this. Anyway, ConfigParser is the least predictable of all three for end users and the documentation should be adjusted to emphasize this.
> Maintainers of legacy software
> using ConfigParser should be encouraged to convert to SafeConfigParser
> (or even RawConfigParser) if possible.
That's another comment that should appear in the documentation.
> Documentation changes should be sufficient; deprecation warnings
> typically generate more pain than good.
Isn't is what I was saying above?
We're in agreement; I was specifically adding weight to *not*
selecting the second optoin Łukasz Langa presented:
> 2. We deprecate ConfigParser in the code and in the documentation.
This should just be applied. I'll do it shortly unless there is an objection.
It is (very) unfortunate that configparser.ConfigParser should *not* be used and that configparser.SafeConfigParser is the correct class instead.
I would be *in favour* of deprecating ConfigParser and eventually renaming SafeConfigParser back to ConfigParser (leaving SafeConfigParser as an alias).
Now that deprecation warnings are silent by default this should be less of an issue.
You are right, IMO, at least the current doc patch should be applied. Please go ahead, if you want to, I won't have time to get to it for a couple of days.
Maybe you could come up with a new title for this issue that reflects the concerns being addressed here...
Note that the patch doesn't apply cleanly. Łukasz Langa is going to update it.
There is still discussion as to whether we should *also* deprecate ConfigParser (well - PendingDeprecation in 3.2, Deprecation in 3.3 and in 3.4 making ConfigParser an alias for SafeConfigParser).
The 3.2 docs now don't mention ConfigParser prominently anymore (as part of a different patch that added some features). Could be done in other branches as well.
Yes, so the patch part is already solved. The thing that is still open to discussion is whether we should do something like this:
1. Pending-Deprecate naked the ConfigParser class in 3.2.
2. Deprecate it in 3.3.
3. Remove it in 3.4 and rename SafeConfigParser to ConfigParser.
This is controversial but many developers (myself included) don't see the point in running naked ConfigParser because it's basically SafeConfigParser sans its completeness and predictability.
So, please +1 or -1 the deprecation process idea.
+1 from me
+1 for deprecation. Nobody *should* be using ConfigParser anyway, and of those who are 99% either wouldn't notice or would have bugs in their code *fixed* by the rename, so I can't see much of a downside.
If ConfigParser is not documented first, the name “SafeConfigParser” becomes strange—safe compared to what? These names have an historical motivation and could become clearer if renamed, but I don’t know if python-dev will agree with this deprecation. Renaming a class to an existing name with different behavior can be bad.
FTR, in my head RawConfigParser is the config parser, and SafeConfigParser is another thing that I’ll maybe use one day.
> If ConfigParser is not documented first, the name “SafeConfigParser” becomes strange—safe compared to what?
The first sentence is "Derived class of ConfigParser that implements a sane variant of the magical interpolation feature." I think it's enough for an explanation.
If this were an encyclopedia, you would be right. But this is more like a Google search results page. Most people will take the first thing that looks like a solution they need.
> These names have an historical motivation and could become clearer if renamed
That is the point.
> but I don’t know if python-dev will agree with this deprecation.
That would be a shame, essentially it should happen in 3.0 IMO. But it's never too late I think.
Think of the children! One day you will read this comment and think: whoa, this was even BEFORE 3.2! Yeah, ancient history.
> Renaming a class to an existing name with different behavior can be bad.
Yes but this is going to be a problem for 3.4. Maybe then we'll come up with something more natural.
> FTR, in my head RawConfigParser is the config parser, and SafeConfigParser is another thing that I’ll maybe use one day.
YMMV. FTR, many people I've spoken to treated RawConfigParser as something more low-level and not suitable for consumer use just because of the name AND the presence of a default (=name like the module) ConfigParser class.
Agree with Michael, +1.
> The first sentence is "Derived class of ConfigParser that implements
> a sane variant of the magical interpolation feature." I think it's
> enough for an explanation.
True.
>> but I don’t know if python-dev will agree with this deprecation.
I wrote that before seeing Michael’s reply. Since Georg is +1 too, I can only say: Great, let’s do it!
> FTR, many people I've spoken to treated RawConfigParser as
> something more low-level and not suitable for consumer use just
> because of the name AND the presence of a default (=name like the
> module) ConfigParser class.
Right. I don’t know if people using ConfigParser really want to use the interpolation. If we want to give the same name as the module to the best class for people who don’t read docs, I’d prefer renaming RawConfigParser to ConfigParser and SafeConfigParser to SomethingConfigParser.
Eric, while I agree that would be nice as well, renaming each and every parser in the module will be more problematic for sure.
*** TO ALL: WHAT DO YOU SAY TO A PATH LIKE THIS ***
1) In 3.2 we add an alias:
InterpolatingConfigParser = SafeConfigParser
1.1) In 3.2 we Pending-Deprecate:
ConfigParser (message about it being removed in 3.4)
SafeConfigParser (message about it being renamed to InterpolatingConfigParser in 3.4, a name you can already use)
2) In 3.3 we Deprecate:
ConfigParser
SafeConfigParser
Same messages.
3) In 3.4 we remove ConfigParser and rename SafeConfigParser to InterpolatingConfigParser (removing the alias). So then we have two to choose from: Raw and Interpolating. As you see there's no default ConfigParser any more.
I like that because it opens a new possibility which I would wait with until 3.5: re-introduce ConfigParser but as a completely new subclass that has better but backwards incompatible defaults. For now most of the new functionality I've added is turned off by default because of backwards compatibility reasons and this is unfortunate.
2010/8/3 Łukasz Langa <report@bugs.python.org>:
> 1) In 3.2 we add an alias:
>
> InterpolatingConfigParser = SafeConfigParser
I'd rather see the class renamed and SafeConfigParser made the alias in 3.2.
Otherwise, +1 for this plan (msg 112589), as there's no silent breakage.
I'd be happy with aliasing SafeConfigParser to ConfigParser in 3.2. Can we just do this without a deprecation process?.
Unfortunately, I have to agree with Fred here. We'll stick to renaming and the deprecation process.
Sorry - I misunderstood your earlier suggestion Fred.
configparser.ConfigParser is the *natural* name for SafeConfigParser. I'm strongly +1 on moving towards that. (I doubt there would *actually* be any real code breakage if we did it earlier though ;-)
By the way, given that deprecation warnings are silent I am strongly -1 on removing the ConfigParser name altogether. That would cause far more breakage. As ConfigParser should not be used at all, and SafeConfigParser provides its functionality minus bugs, SafeConfigParser (horrible name) should replace it.
Agree on the proposal of Łukasz, with the caveat mentioned by Fred (rename the class and make the old name an alias, for pickle and all). I’ll let Michael and Fred decide if the name ConfigParser has to go or not, I’m happy enough that the class will be deprecated and removed.
Getting *rid* of the name ConfigParser would be annoying and cause *gratuitous* code breakage.
If we are going to keep the name but get rid of the "unsafe" version then we can only replace it with what is now SafeConfigParser - as it is almost entirely compatible with it. (Modulo the bug fixing "behavioural change".)
So the real choices are:
* leave ConfigParser as it is
* deprecate it but not remove it (so as not to needlessly break code)
* deprecate now and replace with SafeConfigParser later
Only the last of these is a positive step forwards... :-)
(Strongly -1 on introducing *yet another name* to refer to these classes by.)
There IS one more option that seems to be better than all of the above:
1. Add an interpolation=True argument to RawConfigParser __init__ and move the interpolating functionality from SafeConfigParser to it.
2. Rename RawConfigParser to ConfigParser leaving the old name in PendingDeprecation with interpolation=False.
3. Make an alias for SafeConfigParser pointing to ConfigParser with PendingDeprecation.
We can do all this for 3.2 I guess without inflicting any actual damage. It will fix more bugs in running code that break config files.
Maybe we shouldn't be so afraid after all and just clean it up.
It doesn't make sense to make any of these changes to Python 2; this
really should have been separate from the documentation issue. That's
probably understood by everyone, but explicit is better.
Merging implementations
-----------------------
- I've no objection to merging RawConfigParser and SafeConfigParser,
using a constructor argument to control whether interpolation is
performed. It's not clear this provides any improvement in
maintainability or usage.
- Isolating the old (broken interpolation) ConfigParser behavior so it's
not in the middle of the inheritance stack would be good.
Changing ConfigParser behavior
------------------------------
Changing the behavior of the ConfigParser name requires the deprecation
process. We may think nobody in their right mind is using that, but
changing something out from under app developers is really bad. This
should be considered a problem for configparser as outlined in msg 112598.
Whether we can assign new semantics to the ConfigParser name in the
future is questionable. I think Python's compatibility policy allows
it, but that doesn't make it a good idea.
(This seems to be the real sticking point, unfortunately.)
Class names
-----------
I don't understand Michael's objection to adding new names for the
configparser classes; that's one of the few points where we don't run
into backward-compatibility black holes.
In the case of a merged implementation, a new name for the merged class
(possibly "Configuration") may be the best bet; the old names can then
be subclasses of that which generate appropriate deprecation warnings.
If we merge the functionality in a single class with a new name then I guess that is fine as it will simplify the documentation rather than complexify it (good word hey). We still need to *mention* the old names so that people finding them in old code can find an up to date reference on them.
Here's what I don't understand about Fred's difficulty with replacing ConfigParser with the sane implementation.
After we deprecate ConfigParser as it is now we have two choices.
* delete the ConfigParser name - breaking *all* code that uses it and has not been updated
* point the name at what is currently called SafeConfigParser - causing a slight risk of incompatibility but likely *improving* most code that hasn't been updated
I don't see how the first option could *in any way* be preferable to the second.
Hopefully both RawConfigParser and ConfigParser will be successfully deprecated as part of #10499. The discussion goes on there. | http://bugs.python.org/issue6517 | CC-MAIN-2014-52 | refinedweb | 2,410 | 57.37 |
UFDC Home
|
Search all Groups
|
Florida Digital Newspaper Library
|
Florida Newspapers
|
Charlotte sun herald
Permanent Link:
Material Information
Title:
Charlotte sun herald
Physical Description:
Unknown
Publisher:
Sun Coast Media Group ( Charlotte Harbor, FL )
Publication Date:
10-15-2014
Record Information
Rights Management:
All applicable rights reserved by the source institution and holding location.
Resource Identifier:
oclc
-
36852667
System ID:
AA00016616:00505
This item is only available as the following downloads:
( PDF )
Full Text
PAGE 1
There are bodies beneath McGregor Boulevard in Fort Myers. Not just a few, either. Theres a schoolmarm who continues to appear in a window of her old school. And theres something bloody and terrible that happened a long time ago in a hotel. These are just some of the stories you will hear during the Haunted History Tour in Fort Myers. Tour guide Linda Farmer recently led a fascinating tour beneath a full moon in downtown Fort Myers, where she somehow turned old buildings into breathing, living story tellers of their own. Linda, a Cape Coral native, begins the tour by asking the attendees to have an open mind. She further explains that, in order for a story to be shared on the tour, it must have been told by three people or from a credible member of the paranormal community. The tour begins at the Franklin Shops, 2200 First St., which also is the rst stop on the walking tour. Franklin Shops underwent a massive renovation from 2006 to 2010. One of the best ways to wake up a ghost is to mess with its home, Linda said. People have heard footsteps on the stairs, and some even have seen a man standing on the second level, where Walter Franklin originally had an ofce above his hardware store. Theres a strong energy inside that shop, Linda said. We do say goodnight to the man who never closed up his shop. Franklin Shops is open until 8 p.m. Monday to Saturday, so try to arrive early so you can peruse the unique art, jewelry and other gifts ... and maybe even see Mr. Franklin. Linda then took us to a local Not-so-living history ChristyFEINBERGCOLUMNISTLIVE LIKE A TOURIST SUN PHOTO BY CHRISTY FEINBERGA full moon added to the intrigue of a recent Haunted History Tour.CHRISTY | 2 IF YOU GO:What: Haunted History Tour in Fort Myers When: 8 p.m. every Wednesday and Saturday, with extra tours this Thursday and Oct. 24, 30 and 31. Where: Tours begin and end at Franklin Shops, 2200 First St., Fort Myers Cost: $13 plus tax; book ahead by calling 800-979-3370 or going online. Tips: Wear comfortable shoes and bring a camera. If the mosquitoes are still biting, bring some repellent. Also, bring cash to tip your tour guide and for parking. More info:. net or 800-979-3370 MURDOCK Opponents of the proposed medical marijuana amendment to the Florida Constitution have portrayed the initiative as reefer madness, unleashing a Pandoras box of evils that run counter to the pursuits of law enforcement and the public health. On Tuesday, the Charlotte County Commission joined that effort, unanimously approving a resolution against the medical marijuana initiative, and urging all citizens to vote No on the Nov. 4 ballot. When you vote something into the Constitution, youre basically making a County says No to medical marijuanaBy GARY ROBERTSSTAFF WRITER PRUMMELL A local family hopes that medical marijuana can help their son. See the story in Sundays Sun.NO | 12 Due to an increase in use-of-force incidents at state prisons, the Florida Department of Corrections has requested an independent audit of its policies and procedures. The steps were announced this week on the heels of the department nalizing its annual report for scal year 2013-14, which wrapped up at the end of September. Though the report is still being reviewed before being made public, the department acknowledged there was a jump in the number of use-of-force incidents throughout the 49 state correctional facilities. But while the amount of use-of-force incidents climbed statewide, the prison in Punta Gorda actually had about a 10 percent drop in such incidents. Charlotte Correctional Institution had 226 incidents in 2012-13 compared to only 202 in 2013-14, according to data provided to the Sun The facility houses about 1,300 inmates. CCI ofcials declined to Florida corrections report sparks auditBy ADAM KREGERSTAFF WRITER AUDIT | 12MURDOCK Developer Syd Kitsons Babcock Ranch Community cleared a major hurdle this week after an independent special district approved an agreement that allows Kitson to move for ward with ambitious plans to build a state-of-the-art, solar-powered city in east Charlotte County. At an ISD meeting Tuesday, board members unanimously approved a resolution that settles an ongoing dispute between the Lee County Electric Cooperative, Florida Power & Light and the Babcock Ranch Community over who will provide power to the more than 19,000 homes to be developed on roughly 18,000 acres of property next to the Babcock Ranch Preserve. Under the agreement, FPL will be the sole provider. This is a big step for us, Kitson said in a telephone interview with the Sun It clears the way for so many of the things we have set out to do from the very beginning which is to create a sustainable, environmentally responsible town. The LCEC, FPL and the Florida Public Service Commission must still sign off on the deal, Kitson said, but thats expected to happen in the next few weeks. Once all parties have agreed formally, Babcocks petition to the PSC asking to establish its own electric Babcock Ranch Community gets energizedBy BRENDA BARBOSASTAFF WRITERBABCOCK | 12 SUN PHOTO BY SOMMER BROKAWMatt, 10, an exceptional student at Neil Armstrong Elementary School in Port Charlotte, arrives at his bus stop in Punta Gorda Isles. His father Scott Coovert complained to the School Board that it shouldnt take an hour and a half for the bus to go 9 miles.Scott Coovert spoke at a School Board meeting last month about his son riding the bus 90 minutes on a meandering route that takes the child through about onethird of Charlotte County. Coovert went public after he said he complained privately to different school district ofcials. The Sun also had requested public records as part of its investigation. The Punta Gorda resident has now heard back from the superintendent, who this week reduced the ride time for Cooverts son and other students. Does it take a parent to go yell at the School Board to change something? Coovert asked. Apparently so. Superintendent Doug Whittaker said no one wants kids to ride the bus for that long. He said the district is repurposing another bus this week to shorten the ride. Cooverts son, Matt, 10, is a gifted fth-grader in the Opportunities for Motivational Enrichment Goal-Oriented Activities (OMEGA) program at Neil Armstrong Elementary School on Breezeswept Avenue in Port Charlotte, about nine miles from Shortening a 90-minute school bus rideBy SOMMER BROKAWSTAFF WRITERBUS | 12 Charlotte SunAND WEEKLY HERALDCALL US AT 941-206-1000CLASSIFIED: Comics 13-16 | Dear Abby 16 | TV Listings 20 THE SUN: Calendar 2 | Obituaries 5 | Legals 6 | Crosswords 7 | Viewpoint 8 | Opinion 9 VOL. 122 NO. 288An Edition of the SunAMERICAS BEST COMMUNITY DAILYWEDNESDAY OCTOBER 15, 2014 $1.00 Sixty percent chance of rain.86 64 High Low Look inside for valuable couponsThis years savings to date ...S UN COUPON VALUE METER CHARLIE SAYS ...I bet the swamp has lots of spooky tales to tell.INDEX | 705252000258 Daily Edition $1.00 $104,294 FLORIDA GOV. RACE GETS NASTYFRIEDMAN LEAVES RAYSThe Los Angeles Dodgers reportedly have lured Andrew Friedman, the Tampa Bay Rays general manager.The Florida governors race is on pace to be 2014s most expensive, grueling campaign. THE WIRE PAGE 1 SPORTS PAGE 1 SPORTS: Lotto 2 THE WIRE: Nation 2 | Business 5-6 | World 7 | State 8 | Weather 8 Acoustic guitar, $240In Todays Classifieds! JALlipis UI l YoiesEL0641 y-'_ t1l 1 t u 11a1 ita1 9 ; -AhZI LAL1111111HI 1111111
PAGE 2
Our Town Page 2 C The Sun /Wednesday, October 15, .................. Phil Fernandez ........................... Phil Fernandez at pfernandez@sun-herald.com, or call 941-206-1168; Email Assistant Charlotte Editor Marion Putman at mputman@sun-herald.com, or call 941-2061183; or email Deputy Charlotte Editor Garry Overbey at overbey@sun-herald.com, or call 941-206-1143. Fax to 941-629-2085. On Saturdays, contact Marion Putman, or the newsroom at 941-206-1100, On Sundays, contact Garry Overbey or call the newsroom. Circulation director Mark Yero, 941-206-1317. .........................$18.14 3 Months ............................$69.17 6 Months ..........................$124.47 1 Year ...............................$217.69Does not include Waterline and TV Times. Above rates do not include sales tax. GOVERNMENT TODAYPunta Gorda City, Council meeting, 9 a.m., 326 W. Marion Ave., PG. 575-3369. West Charlotte, Stormwater Utility Advisory Committee joint meeting, 10 a.m., 18500 Murdock Circle, Bldg. B, Room 106-B, PC. 575-3656 EVENTS TODAY Easy Does It Club, Easy Does It Club offers AA & Alanon meetings daily from 7:30 a.m. to 9 p.m. at 23312 Harper Ave,. PC. Call 941-629-0110 Woodcarving, and woodburning 8 a.m. to 12 p.m. at the Cultural Center. Come and enjoy with us. Bev 764-6452 Project Linus, Crochet and knit blankets for kids Wed 9 to 11 a.m. New Day Christian Church 20212 Peachland Nancy 627-4364 Marine Luncheon, Marines & guests welcome 11:30 a.m. Family Table Restaurant, 14132 Tamiami Trl., North Port. Call Carl 493-1408. Networking for Women, Laishley Crab House, 150 E Retta Esplanade, Punta Gorda, FL 33950, 11:30 a.m. to 1 p.m. $20/Members $25/Guest, Call 239-985-0400 American Legion 103, Vet appreciation day, hot dogs and chips, 2101 Taylor Road, 639-6337 Cribbage, Join us at the Cultural Center every Wednesday from 12:45 to 4 p.m. in Centennial Hall for Cribbage. Call 625-4175 for info. Scrabble, Come join us for Scrabble every Wednesday from 1 to 4 p.m. for more info call 941-625-4175 CCGS Genealogy, 1:30 to 3 p.m., 4500 Harbor, PC Beach Park, Special Guest: Werner Ropers on Immigrants Journey. All are welcome. Free parking. Karaoke, join us in the palm room for karaoke you can sing or just listen $1 entre fee unless you eat at the Caf THURSDAYAARP 80 Metting, River Commons, 2305 Aaron, PC 9:30 to 11 a.m. Breakfast Buffet. Area Agency on aging Speaker. Guest Welcome. 525-2322 Deep Creek Elks 2763, Lunch With Peggy 11 a.m. to 2:30 p.m. Cold Sandwiches Only, Lodge Business Meeting @ 7 p.m. FC Senior Fellowship, Fellowship Church Seniors meet the 3rd Thurs of the month for lunch & fellowship @ Eng. Sports Cplx @ 11 a.m. 475-7447 Port Charlotte Elks, Lunch Specials 11 a.m. to 2 p.m., Dinner Specials 5-7. Mahjong at 1pm. Pizza Specials FC Senior Fellowship, Fellowship Church Seniors meet the 3rd Thurs of the month for lunch & fellowship @ Eng. Sports Cplx @ 11 a.m. 475-7447 Punta Gorda Elks, Lunch 11 a.m. to 2 p.m.; FLO Meeting 10:30 a.m.; Dinner 5 to 8 p.m.; Bingo 6:30 to 8:30 p.m. @ 25538 Shore PG 637-2606, members and guests Punta Gorda Elkettes, Elkettes Thrift Shop Open to the Public from 11:30 a.m. to 2:30 p.m. @ 25538 Shore, PG, 637-2606 Mural/History Walk, 4:45p.m. at corner of Marion & Taylor. Free tour, more info Libby Schaefer 941-639-8217 Gallery Walk, downtown PG, 5 to 8 p.m., call 391-4856, art demos, live entertainment, meet friends, for shopping & dining. Sons Of Italy-Pasta, Pasta, meat balls, side, bread, butter dessert, drinks, 6 p.m., $7.50 members, $8.50 Gsts, Karaoke aft Din, 3725 Easy St. Resv req. 941-764-9003. BYOB FRIDAYCafe Philo, Caf Philo, Philosophical discussion group. 10:15 a.m. to 11:45 a.m.Library 2050 Forrest Nelson Blvd., PC 380-0141 Fiber Artist Meeting, Fiber Artist and quilters meeting 10:30 a.m. at PC Library, 2280 Aaron St., Discussion, demos and fun. Info at 764-5559 Singer Michael Hirst, Singer/Guitarist Michael Hirst Good Ole Days Coffee Caf 11 a.m. to 2 p.m. 941-639-8721 Bingo Friday, Friendliest Bingo game in town. Quarter games start at 10:15 a.m., Centennial Hall Cultural Center 625-4175 Mahjong, Join us for Mahjong every Friday from 1 to 5 p.m. in the Music Room. 75 cents an hour. 625-4175. Singer Fremont John, Singer/Guitarist Fremont John will perform at Fishermens Village Center Stage 5 to 9 p.m. 941-639-8721 Friday Night Dance, A variety of local entertainers for your enjoyment. $7 7 p.m. The Cultural Center, 625-4175 Moore Observatory, Moore Observatory at FSW, 26300 Airport Road PG. 8 p.m. See the night sky, stars, galaxies. Free entry 941-766-9258 SATURDAY PG Farmers Market, 8 a.m. to 1 p.m., Taylor St. and Olympia, 391-4856, Market has produce, cheese, seafood, honey, citrus, bakery and more. EBT. | COMMUNITY CALENDAR Toys for Tots Public Applications, Toys for Tots Charlotte County Public Applications Now Available. For more information, call 949-626-6215, or email carol@ carolpickford.net. Featured EventPAID ADVERTISEMENT hotel, where she said a wealthy mans mistress was rumored to have drowned during the hurricane of 1926. Some say her screams still can be heard out front by the pillars, where her body was found after the storm, Linda said. The well-known Robb & Stucky building was another stop, where Linda said the rst three oors were showrooms in the 1923-built structure. The fourth oor served as a sewing room, and supposedly the sounds of sewing machines can be heard at times, she said. There were other stops with gory, ghoulish tales, but I dont want to share too many of those, or else you wont go on the tour. But theres one more Ill share, because Halloween is close, and it probably affects you if youve driven McGregor Boulevard. While crews were digging up shells to pave McGregor, they came across skeletons. They feared they came across an old Indian burial ground, which would have stopped their project. A doctor claimed the skulls did not appear to be of any Indian descent, but likely were Europeans or pirates. And so they continued building the road, using the shells and bones. There are 108 skeletons literally paved into McGregor Boulevard, Linda said. No one knows what happened to the man in charge of that project. Some say he disappeared. Be careful who you pick up hitchhiking on McGregor Boulevard, Linda cautioned. The tour is wildly infor mative and entertaining. Guests are encouraged to bring and use cameras, with hopes of capturing orbs or other aberrations. Downtown Fort Myers offers many great restaurants and shops, so turn this into a great date night adventure. For those who are concerned about whether you can hear the tour guide on busy streets, fear not (fear the ghosts more), as she wears a microphone. Christy Feinberg is a senior writer/columnist for the Sun newspapers. You can email her at cfeinberg@sun-herald.com. SUN PHOTOS BY CHRISTY FEINBERGThe Lee County Commission building, at 2120 Main St., Fort Myers, is one of the spooky stops along the Haunted History Tour. The screams of a young woman have been heard here, where a wealthy mans mistress drowned near these pillars in the hurricane of 1926.CHRISTYFROM PAGE 1 Some people have seen the ghost of the schoolmarm in this window of the Andrew D. Gwynne Institute, which was built in 1911. The fourth oor of this historic Robb & Stucky building housed the sewing room, and supposedly the sounds of sewing machines still can be heard at times. Tour guide Linda Farmer provided interesting and entertaining information during the Haunted History Tour, which takes between 75 and 90 minutes. Some have seen a man standing on the stairs behind Lindas shoulder, she said. FROM PAGE ONE
PAGE 3
The Sun /Wednesday, October 15, 2014 C Our Town Page 3 r fntt bt tt b tr FOUNDERS BILL & MARY ALICE SMITH t btMon-Sat 10-6 Sun 12-5 rtr bt t BILLSMITH t f nr r tt t SMARTTV SMARTTV rfrfntrbr trrnbtttrrrrrr tttfrrf bntUN50H6350AbtUN48H6350AnntUN55H6350A65LB6300r60LB6300nnt55LB6300nt50LB6300bt47LB6300fUN60H6350AntrUN75H6350A UN65HU9000FnntfUN55HU9000Fbfrr rrr rrr frfrr ttr nnt55UB9500r65UB9500tr rfntbfffrrffr rr rrrrr frrrrrfrrffrf rfrtnttbrff tf bt b nr rt f nnn tt bbnb tt ftb fr tbrr r WHITE SHE3ARL2UC/6UCSTAINLESS SHE3ARL5UC ASCENTA ntrtr b WHITE/BLACK DW80F600UTW/BSTAINLESS DW80F600UTS WDF530P AYfr trr f t rrrfr rf r WFE525C0BW rrr bnnn frt rrr WHITE JB650DFr WHITE FER300SW/B STAINLESS JB650SF STAINLESS FER300SX DRYER t ntb f rfn fn rfb rDRYER GTDP490EDWSDRYER DV50F9A8EVWWASHER GTWN4250DWSWASHER WA50F9A8DSW DRYER t tbtt tttr DRYER bfn rfn b DRYER GFDS140EDWASHER GFWS1500D DRYER bf rfb DRYER MED3100DWWASHER MHW3100DW t DRYER bf rf DRYER DV42H5200EWWASHER WF42H5200AW nt t tbrt bfft r b rr brr SALE!$2,426tftnnn r fn fbt Save $1,113!SALE!$2,176 tftnnn r fn f bb Save $363! b tftnnn r r n r Save $1,925! t tr SALE!$4,866 fr fr n fbbfttnnn r b Save $1,333! n t n nnn n nn bnnn nnn t tn nn nnn tn SALE!$4,574 tt fn fn btbbt GSH25JGD WRS322FDAW r fr r ntbtb rfntb r frrSTAINLESS GFE29HSDrrWHITE GFE29HGD f r r tbb t RF28HMEDBSR rr t fn b r RS25H5000SR/WW bt t t 4 trtftnnn r b fr f r t Save $1,265! n n t t b SALE!$3,121 tt fntnnn r tbtntt Save $1,248! n f f b tnn tn n t t SALE!$3,815SLATE 50474966 T7 Doc PLAZAi J 11LAL IV "1' N '1'1 1MUMMM"IIN.N r IF7m... o ...o ..... ....................i II J,MLaw....................................... .................... ................... . .................... .................................................. .......................................... ............................................................................. ..................................... ........ .. ................................ ....................................... .................. .. ... ................. ............. ...........................00cDCD n DLGS ART TV LGBILLSMITH
PAGE 4
Our Town Page 4 C The Sun /Wednesday, October 15, 2014 LOCAL/REGIONAL NEWS PUNTA GORDA Matthew Wesley Roberts was just 17 years old when he was arrested in May 2013 for allegedly knocking over two area convenience stores. Hes been locked up ever since. The now-18-year-old learned Tuesday that isnt going to change anytime soon. Twentieth Circuit Judge George Richards denied a motion by Roberts attorney, Ita M. Neymotin, who heads the local Ofce of Criminal Conict and Civil Regional Counsel, to reduce the defendants $250,000 bond. Neymotin argued that Roberts couldnt reasonably afford that amount, and he should be released from the Charlotte County Jail on his own recognizance because of his ties to the community and his family. A representative from the law rm after the hearing said no one would be commenting. Just after 10 p.m. April 12, 2013, the Charlotte County Sheriffs Ofce received a report of an armed robbery at the 7-Eleven at 330 Kings Highway, Port Charlotte. Less than an hour later, a second armed robbery occurred on the other end of town at the Circle K at 41 Tamiami Trail, just south of North Port. In both cases, witnesses described the suspect as a young male dressed in a dark hoodie and a mask, who pointed a gun at the store clerks at both locations and demanded money from the drawers. The alleged robber was identied as Roberts, who the State Attorneys Ofce decided immediately to charge as an adult with two counts of armed robbery. SAO spokeswoman Samantha Syoen said prosecutors obviously are pleased with the outcome of Tuesdays hearing. (Roberts) is facing two punishable-by-life charges, he has a history of failures to appear, and we have strong evidence against him, Syoen said. So hes still in jail. Roberts next court appearance is scheduled for December.Email: akreger@sun-herald.comJudge: Alleged teen robber to stay in jailBy ADAM KREGERSTAFF WRITER PORT CHARLOTTE The local baby bitten in the face by a family dog Monday morning was taken to All Childrens Hospital in St. Petersburg for surgery, but he was back home and recover ing Tuesday, according to his parents. He was up and playing afterward, Richard Aiken said of his 8-month-old son, Rowdy. Hes doing ne. Sierra Aiken said her son had to get his face reconstructed, which Richard said meant stitches across the bridge of Rowdys nose. The child was at home in Port Charlotte when he reached for a dog bone, which caused 11-month-old Zeus the familys pet cur to react. The dog nipped at him and caught him just right, Richard said. Sierra took Rowdy to a local hospital, and doctors determined the baby needed to be taken to All Childrens. He was taken there in an ambulance. Per state law related to reported dog bites, Zeus is being quarantined at the Animal Welfare League shelter until next week. The dogs owner said he wants the animal put down, an option county ofcials will have to consider. It really wasnt the dogs fault, Richard said. But its my own personal opinion. Id rather (Zeus) be euthanized than someone else take him and get bit ... If someone else gets bit, Id feel like that weight would be on my shoulders. Richard said hes owned dogs all his life. The former Arcadia resident said he liked having a cur because the dogs are good for hunting. Hes a good dog and very well-behaved, he said. But Id still like to see him put down.Email: akreger@sun-herald.comBitten baby improvingBy ADAM KREGERSTAFF WRITER SAVE LIVES. GIVE BLOOD Find great bargains in the C LASS IFIEDS Every day in th e $ $ $ $ $ $ $ $ $ $ $ $ Test your knowledgeThe Cultural Center of Charlotte County, 2280 Aaron St., Port Charlotte, will hold a Trivia Night event at 5:45 p.m. Monday. Game show acionados and other trivia players are invited to test their wits against others. Doors will open at 5:45 p.m., with the game to begin at 6:30 p.m. This event is designed for teams of up to six people, and will cover popular and academic trivia in the areas of culture, entertainment, history, lifestyle, media, sports, science, geography, technology and other diverse topics. The entry fee of $15 per person includes the quiz, an entre, tax, tip and a charity donation. A bar will be available, and a 50/50 drawing will be held. A cash prize will be awarded to the rst-place team. Advanced reservations are encour aged, but not required, as participants also may register at the door Sponsorship opportunities are available. Call Amanda at 941-625-4175, ext. 240, if you would like to be involved in the event as a sponsor or a quiz participant. | COMMUNITY NEWS BRIEF REMODELING?...REPLACING?...UPGRADING? rf WINDOWS FULL LINE OF BUILDING SUPPLY MATERIALS rf nfrfrtfbrf FREE ESTIMATES rfntftnnb ntbttntn 50469821 WINDOWS FULLLINEOF BUILDINGSUPPLYMATERIALS 470717 After serving the Englewood/Cape Haze Area For 31 Years Lyle G. Vasher, D.P.M. is announcing his retirement this October, 2014 Dr. Vasher and wife, Dolores, wish to sincerely thank all our patients for their loyalty and friendship throughout the years. It was a pleasure to provide each of you with Podiatric care both medically and surgically. All medical records will remain at the same office location 1861 Placida Rd., Suite 103, Englewood, Florida 34223. (941) 474-5577 To insure a smooth transition and continuity of care, David Danielson, D.P.M. will assume the practice effective November 1, 2014. 50475794 NOTICE OF PUBLIC MEETING DESOTO COUNTY BOARD OF COUNTY COMMISSIONERS ECONOMIC DEVELOPMENT ADVISORY COMMITTEE Friday, October 17, 2013 8:00 AM DeSoto County Extension Office 2150 NE Roan St. Arcadia, Florida 34266 Main Conference Room 50474937 Where Shopping Makes Cents charlottecountychamber.org V i s i t O u r S h o w r o o m s F R E E E S T I M A T E S P.C. Town Center Mall Showroom (Next to Dillards) (941) 625-0357 Punta Gorda Showroom 222 E. Ann St. (941) 637-8883 North Port (941) 625-0357 Englewood (941) 474-7488 We Make It Easy For You... We Professionally Measure Install Guarantee Your Satisfaction N O S u b c o n t r a c t o r s GARAGE DOOR SALE VOTED BEST IN CHARLOTTE COUNTY! WWW ACTIVEDOORANDWINDOW COM 50473211 F A M I L Y O W N E D & O P E R A T E D F O R O V E R 4 7 Y E A R S O P E N 7 D A Y S LIC# AAA0010121 $6 9 9 9 5 $ 6 9 9 9 5 $ 699 95 INCLUDES STANDARD INSTALLATION 8 OR 12 KICKPLATE, WHITE or BRONZE Expires 10/31/14 F R E E 2 0 / 2 0 S C R E E N U P G R A D E *FREE 20/20 SCREEN UPGRADE!* A $35.00 VALUE WITH COUPON INSTALLED We Professionally Install Accordion Shutters Aluminum Storm Panels Clear Storm Panels Rollup Shutters Bahama Shutters Garage Doors & Openers Wind Abatement Screen Screen Enclosures & More! 1 0 % O F F 1 0 % O F F 1 0% OFF ANY GARAGE DOOR/ELECTRIC OPENER REPAIR Expires 10/31/14D I S C O U N T DISCOUNT! $5 0 O F F $ 5 0 O F F $ 5 0 OFF ANY INSTALLED GARAGE DOOR NEW SALES ONLY. EXCLUDES PRIOR PURCHASES Expires 10/31/14D I S C O U N T DISCOUNT! COUPON COUPON COUPON WE RE-SCREEN POOL CAGES, LANAIS GARAGE SCREEN SALE 2014 2014 50472459 Call today to schedule a free consultation 941-629-3443 www. DrWilliamMcKenzie .com 3443 Tamiami Trail, Suite D Located in Professional Gardens 50471813 Shop CharlotteACTIVEDOOR & WINDOM/I g tl tjIMF--------------------.. --WOM OCOG' ZgvowToomoi [PG C9-C C 370 i]La7C BgrasaNOO %Lihcoi1tiactI'-PTIW1 is4 Player SpecialAfter 11am ,1CValid thru 101d I TT YMust msent coupon.n.RNERWOODGOLF CLUBMemberships To Fit All NeedsFull Golf, Annual Golf, Associate GolfCall & get the best membership for you in our area18 Holes Rates Before 11am After 11amNon-Member $4000 $3000BSGC $3000 $3000Twilight Rate (after 3:30) $2500Price includes Green Fee, Can Fee, and Range Balls.(Ta\ not included)Check Our website For Daily Web Specials 0. PRICE BLVD.--------------------------------------------------------------I IAAhk JAMIV Sedation Gum Diseaseaser Surgery Cosmetic Surgerynplants Extractions Emergencies
PAGE 5
The Sun /Wednesday, October 15, 2014 C Our Town Page 5 LOCAL/REGIONAL NEWS CHARLOTTE Edith Ileen DoyleEdith Ileen Doyle, 91, of Port Charlotte, Fla., and formerly of North Port, Fla., died Monday, Oct. 13, 2014. Arrangements are by Farley Funeral Home.Albert GabrielAlbert Gabriel, 89, of Punta Gorda, Fla., passed away Wednesday, Oct. 8, 2014. He was born Oct. 25, 1924, in Chicago, Ill., to Albert and Frances Gabriel. Albert served in the U.S. Army during World War II. He was a retired Master Welder, and moved from Sheridan, Ill., to this area in 1984. He was a member of Sacred Heart Catholic Church and the Punta Gorda Elks, and he enjoyed playing golf. Albert will be greatly missed by his wife of 64 years, Kathryn; sister, Blanche (Eugene) Gualano of Aurora, Ill.; and many nieces and nephews. A visitation will be held from 6 p.m. to 8 p.m. Thursday, Oct. 16, 2014, at Larry Taylor Funeral and Cremation Services. A Mass of Christian Burial will be held at 11 a.m. Friday, Oct. 17, 2014, at Sacred Heart Catholic Church, with burial to follow at Charlotte Memorial Gardens. To express condolences to the family, please visit funeral.com and sign the online guest book. Arrangements are by Larry Taylor Funeral and Cremation Services.Reginald E. HartfordReginald E. Hartford, 63, of Port Charlotte, Fla., died Friday, Oct. 10, 2014, at his Charlotte County, Fla., residence. Arrangements are by Englewood Community Funeral Home with Private Crematory, Englewood, Fla.Sophie KasinSophie Kasin, 90, of Port Charlotte, Fla., died Monday, Oct. 13, 2014, in Port Charlotte. Arrangements are by Kays-Ponger & Uselton funeral Home and Cremation Services, Port Charlotte Chapel.Catherine Ethel MacLeodCatherine Ethel MacLeod, 77, of Port Charlotte, Fla., passed away Wednesday, Oct. 1, 2014. Arrangements are by Kays-Ponger & Uselton Funeral Home, Punta Gorda, Fla., Chapel.ENGLEWOOD Kathryn Lorain RuffingKathryn (nee Wasem) Rufng died Monday, Oct. 13, 2014, just four weeks shy of her 105th birthday. Mrs. Rufng was a beautician from Columbus, Ohio. She is survived by her son, Harold S. (Ginna) Rufng; niece, Yvonne Wood; nephew, Eugene Hallern; and many friends. Kathryn was preceded in death by her husband, Harold R. Rufng. A memorial service will be at 10 a.m. Thursday, Oct. 16, 2014, in the dining room at River Oaks (the memorial service will be held in the same room where over 70 people gathered to celebrate Mrs. Rufngs 100th birthday ve years ago). Pastor Dawn Mayes of Englewood Community Presbyterian Church will lead the services. Mrs. Rufngs ashes will be interred next to her husbands grave in Columbus.Rudolph WilkersonRudolph Rudy Wilkerson, 85, of Englewood, Fla., passed away Wednesday, Oct. 8, 2014. He was born Nov. 19, 1928, in Douglas, Ga., to Chandler and Verna (nee Parker) Wilkerson. Rudy was a veteran of World War II, serving honorably with the U.S. Air Force. He was awarded the World War II Victory, CRI, Occupation of Japan, Good Conduct, Expert Rie and Asiatic-Pacic Campaign medals; and a Presidential Unit Citation. Rudy attended Georgia Tech. He retired after 21 years from Sears, in the capacity of manager of the technology service department. He was one of the founders of Fort Myers Beach, Fla., Masonic Lodge 352; Rudy was also a member of the Englewood VFW, the American Legion, and the Scottish Rite and Shrine. Many will remember him for his Christian, patriotic and political articles to the Editor in the Sun Rudy is survived by his wife of 60 years, Pearl (nee Sadoway) Wilkerson; children, Sandra Bernat of Connecticut, Scott Wilkerson of Tennessee, and Bruce Wilkerson of Florida; ve grandchildren; one great-grandson; one sister; and two brothers. Services will be conducted at 11 a.m. Saturday, Oct. 18, 2014, at Son Rise Baptist Church, 11050 Wilmington Blvd., Englewood, FL 34224. In lieu of owers, donations may be made to the church.Julia J. ZasorinJulia J. Zasorin, 93, of Englewood, Fla., passed away Monday, Oct. 13, 2014. Arrangements are by National Cremation Society Port Charlotte, Fla.NORTH PORT Irene GarlandIrene Garland, 86, of Warm Mineral Springs, Fla., died Friday, Oct. 10, 2014. She was born Sept. 21, 1928, in Ladd, Ill., to Gaetono and Mary (nee Castelli) Tonozzi. Mrs Garland was one of 16 children. She graduated as Valedictorian for Hall High School in 1945. Mrs Garland was a super visor at Westclox for several years. She married Roger Garland, and they moved to Florida 54 years ago. Mrs Garland was recognized as a very successful businesswoman, and was the owner of Garland Magnavox Home Entertainment Center in Port Charlotte, Fla., for 30 years. For several years, she served on the board of directors of the Port Charlotte Bank. Mrs. Garland was a founding member of San Pedro Catholic Church in North Port, Fla. She is survived by her sons, Christopher of North Port, and Roger of Tiskilwa, Ill.; daughters, Janet Wright of Fort Myers, Fla., and Patricia Drennan of Prophetstown, Ill.; seven grandchildren; and many nieces, nephews and cousins. She was preceded in death by her husband, Roger; son, Richard; and her 15 siblings. Visitation will be from 10 a.m. until the Mass of Christian Burial at 10:30 a.m. Saturday, Oct. 18, 2014, at St. Josephs Church in Peru, Ill., with the Rev. Harold Datzman, OSB, ofciating. Burial will be at Valley Memorial Park in Spring Valley, Ill. Online condolences may be viewed and remembrances shared at www. hurstfuneralhomes.com. Arrangements are by Hurst Funeral Home, Ladd.DESOTO Mildred Sally Campbell SmithMildred Sally Campbell Smith, 86, passed away Sunday, Oct.12, 2014, in Arcadia, Fla. She was born Dec. 24, 1927. Mildred retired from the former G. Pierce Wood Memorial Hospital in 1989. She was always caring for others, and had a loving soul. Mildred was a member of First Church of the Nazarene in Arcadia. She lived a long and happy life. She is survived by her daughters, Mary (Lacy Jr) Spivey, Dixie (Roger) Cunningham, Sheila Mette and Wara (Alvin) Ryan; son, John R. (Angela) Smith III; six grandchildren; and eight great-grandchildren. Mildred was preceded in death by her husband, John R. Smith Jr.; and her infant son. Visitation will be conducted fr om 6 p.m. until 8 p.m. today, Wednesday, Oct. 15, 2014, from the chapel of Ponger-Kays-Grady Funeral Home, 50 N. Hillsborough Ave., Arcadia. The funeral services will be conducted at 11 a.m. Thursday, Oct. 16, 2014, at First Church of the Nazarene in Arcadia, with the Rev. Ted Stanton ofciating. Burial will follow at Oak Ridge Cemetery. Online condolences may be made at www. pongerkaysgrady.com. Arrangements are by Ponger-Kays-Grady Funeral Home and Cremation Services, Arcadia. | OBITUARIES William Daniel Mahon IIWilliam Daniel Bill Mahon II, 90, of Port Charlotte, Fla., passed peacefully Monday, Oct. 13, 2014, in Port Charlotte. He was born Aug. 24, 1924, in Mount Clemens, Mich., to Eugene and Mable (nee Lamont) Mahon. William and his wife Jean A. (nee Corongeyer) Mahon moved to Florida from his native Michigan in 1967, then to Port Charlotte in 1968. A business entrepreneur, Bill owned and operated a variety of businesses, from a trucking company to the former local Harbor Marine in Port Charlotte, which he operated jointly with his brother Ralph until retiring. In keeping with his favorite pastime of boating, Bill was a charter member of the Peace River Power Squadron, and a member of the U.S. Power Squadron and the Charlotte Harbor Yacht Club. He is survived by his wife of 68 years, Jean; children, William D. (Paulette) Mahon III of Lakeland, Fla., Susan Lynn (Charles) Hodge of Atlanta, Ga., Gary L. (Sandra) Mahon of Tallahassee, Fla., and Duane C. (Sharon) Mahon of Toccoa, Ga.; grandchildren, Tim Kleynen, Georgianna Mahon, Reilly Mahon, Kathryn Trinkle, and Matthew and Ryan Mahon; four great-grandchildren; brother, Ralph Mahon of Port Charlotte; sister, Shirley Mulligan of Rochester, Mich.; and many nieces, nephews and extended family members. William was preceded in death by his parents; and brother, Russell Mahon. Visitation for William will be held from 10 a.m. until funeral services beginning at 11 a.m. Friday, Oct. 17, 2014, at Roberson Funeral Homes, Port Charlotte Chapel. Entombment will follow at Restlawn Memorial Gardens in Port Charlotte. In lieu of owers, memorial bequests in Bills name are suggested to: Tidewell Hospice Philanthropy Department, 5955 Rand Blvd., Sarasota, FL 34238; or the Alzheimers Association, P.O. Box 96011, Washington, DC 20090-6011. Friends may visit online at www. robersonfh.com to sign the memory book and extend condolences to the family. Arrangements are by Roberson Funeral Homes & Crematory, Port Charlotte Chapel. Peter Anthony TurczynPeter Anthony Turczyn, 86, left the connes of his earthly existence Saturday, Oct. 4, 2014, at Tidewell Hospice House in Port Charlotte, Fla. He came into this world Sept. 3, 1928, in Detroit, Mich., the rst of three sons to Peter and Sophie (nee Budzyn) Turczyn. Peter was known as a Mans Man a one-in-a-million valiant husband, father, friend and family man. Just being in his presence was a pleasure. He began his career as a drummer with his own band, Peter the Great and the All Stars, at the age of 16. He played with some of the greats, such as Tommy Dorsey and Glenn Miller. He became a harmonica player too. After serving in the Coast Guard during the Korean Conict Era, from 1950 to 1952, he gradu ated from Lawrence Tech, and become a tool and die engineer at the G.M. Tech Plant in Warren, Mich. His rst wife Angelina passed away in 1994, after 43 years of marriage. March 4, 1999, he married the most amazing woman, Tonya Miller-Turczyn. They relocated from Michigan in 2006, to make their new home in Punta Gorda Isles, Fla. Peter was not only a scholar, but he also was an Advanced Communicator Silver member of the International Toastmasters, a multi-state real estate agent, a Feng Shui Master and a Raconteur. He is survived by his wife; son, Keith Turczyn; daughter, Karen Turczyn; brothers, Ken (Pat) Turczyn and Don (Sally) Turczyn; stepsons, Paul and Todd Swenson; grandsons, Paul LaCroix Sr. and Aiden Swenson; great-grandson, Paul LaCroix Jr.; granddaughters, Brittany Hanson and Ella Paige Swenson; godson, Tim (Stacy) Turczyn; several nieces, nephews and cousins; and oodles of treasured friends. Peters message to all that knew him is: What we have done for ourselves alone dies with us; what we have done for others and the world remains and is immortal (Albert Pike). A Laughter Celebration of his life will be announced at a later date. Friends and family may send condolences to tonyatower8@gmail.com. Arrangements by National Cremation Society of Port Charlotte.. Honor your passed loved ones anytime with a personalized memorial tribute. Call (941) 206-1028 for rates. Memorials in the Sun Smoke testing setCharlotte County Utilities will conduct smoke testing of the sanitary sewer system in designated areas of Charlotte County, including Burnt Store Village, from 7:30 a.m. to 3 p.m. Tuesday through Nov. 6. If there is rainy or windy weather, the testing will be postponed to the following week. The testing procedure is necessary to help identify potential sources of inow and inltration into the sanitary sewer system, as well as to locate problems in private sewer lines that might need to be repaired. This testing is conducted by forcing a nontoxic, articially created smoke into sewer pipes. The smoke does not create a re hazard and is not harmful to humans, pets, food, plants or material goods. It does not leave a residue or stain, and has a discreet, nonobjectionable scent. Visibility and aroma last only a few minutes where there is adequate ventilation. If residents see smoke in their homes, they should not be alarmed. Residents in the testing areas will be notied by door hangers 24-72 hours prior to testing. Both the Sheriffs Ofce and Fire/EMS will be kept informed each day of the area in which testing will take place. Under normal circumstances, the generated smoke should exhaust harmlessly through the vent stacks of the house structure during the testing. The correction of any defects discovered on private property as a result of the testing is the sole responsibility of the property owner. The owner will be notied if defects are found. The services of a professional plumber are advised to x any repairs needed. Homeowners do not need to be home, and at no time will CCU employees need to enter the residence. If there is an individual in your home or business who has respiratory problems and/or mobility limitations and may become alarmed or confused if he sees smoke, call 941-764-4300 prior to Tuesday. For more information, call the 941-764-4304.Artists participate in jewelry fairLocal jewelry artists Mary Cavanagh, Diana Reinhard, Geane Davis, Christine Keyworth, Jann Elwood, Joyce Burke and Gay Cable will participate in a Demo Fair from 10:30 a.m. to 1:30 p.m. Oct. 28 at the Punta Gorda Isles Civic Association, 2001 Shreve St. The artists will explain how they create their diverse pieces. Jewelry will be available for purchase. This event is free and open to the public. For more information, call 941-637-1655. | COMMUNITY | NEWS BRIEFS 504725434730 Words of ComfortDeath is the end of a lifetitnc,not the end of a relationship.Mitch Alhom %A i wumatbm?FkIbody Mlles unexp eccffed sanr rll esoI I))(' i
PAGE 6
Our Town Page 6 C The Sun /Wednesday, October 15, 2014 LOCAL/REGIONAL NEWS
PAGE 7
The Sun /Wednesday, October 15, 2014 C Our Town Page 7 LOCAL/REGIONAL NEWS Look for a third crossword in the Sun Classified section. PUNTA GORDA Two teenagers have been accused of stealing $400 worth of guns from a man one of them knew, according to a Charlotte County Sheriffs report. The boys, ages 15 and 16, allegedly broke into a home on Swiss Avenue in the Charlotte Ranchettes while the owner was at work Monday. When the homeowner came back in the afternoon, he noticed his screen door was ripped open, and two shotguns, a rie and ammunition were missing from his closet, the report shows. He told authorities he suspected the 15-yearold was involved, as he was a neighbor who did work for him and knew about the guns. The victim also noticed keys to his truck werent where he left them, and the pickup was muddy and had shotgun shells in the bed that werent there before. Investigators went to the 15-year-olds home and questioned him. Another unidentied person told authorities the boys were showing him the guns, the report shows. Detectives also learned the older boy tried to hide the guns in the backyard of his home on the 15400 block of Orchid Drive, Punta Gorda, according to the report. The older boy was charged with grand theft of a rearm and dealing in stolen property, and the younger boy was charged with burglary, grand theft of a rearm and grand theft auto. They were turned over to the Department of Juvenile Justice. The Charlotte County Sheriffs Office reported the following arrests: Brian Christopher Broom, 42, 11500 block of Tamiami Trail, Punta Gorda. Charge: battery. Bond: $3,000. Guy Martin Haiflich, 38, 2100 block of Conway Blvd., Port Charlotte. Charges: driving with a suspended license, fleeing to elude, resisting an officer and violation of probation. Bond: none. Charles Edward Harris, 55, 500 block of Berry St., Punta Gorda. Charge: violation of probation (original charge: reckless driving). Bond: none. Yvonne Marie Holden, 57, 400 block of Sorrento Court, Punta Gorda. Charge: battery. Bond: $2,000. Walter Kohanski Jr., 73, Broadmoor Lane, Rotonda West. Charge: battery. Bond: $2,000. David Lee Manning, 26, 2400 block of Starlite Lane, Port Charlotte. Charge: resisting an officer. Bond: $5,000. Krystal Michelle Pimental, 26, 4000 block of Rose Arbor Circle, Port Charlotte. Charges: two counts of violation of probation (original charges: possession of less than 20 grams of marijuana and possession of drug paraphernalia). Bond: none. Travis Allan Price, 25, 23200 block of Bayshore Road, Port Charlotte. Charge: aggravated battery on a pregnant victim. Bond: $20,000. Brent Asheley Scott, 29, 21300 block of Meehan Ave., Port Charlotte. Charges: battery and driving with a suspended license second offense. He entered a plea of no contest to the latter charge, and was sentenced to probation. He was released after posting $2,500 bond on the former charge. Jason Watts Whiting, 30, 2900 block of Bourbon St., Englewood. Charge: battery. Bond: $3,000. Scott Robert Curry, 27, of Fort Myers. Charge: violation of probation. Bond: none. Rickey Edward Hill, 63, 4200 block of Lister St., Port Charlotte. Charge: leaving the scene of a crash. Bond: none. Joseph Rodney Huffman, 25, 2200 block of Aaron St., Port Charlotte. Charge: violation of probation. Bond: none. Christopher Paul Johnson Jr., 26, 21300 block of Percy Ave., Port Charlotte. Charges: two counts of violation of probation. Bond: none. John Robert Porter III, 27, 23000 block of Jumper Ave., Port Charlotte. Charges: driving with a suspended license, possession of a controlled substance without a prescription, possession of drug paraphernalia and delivery of a synthetic narcotic. Bond: none. The Punta Gorda Police Department reported the following arrests: Tiffany Elaine Barker, 32, of Cape Coral. Charges: three counts of possession of a controlled substance without a prescription; two counts of possession of a harmful new legend drug without a prescription; possession of drug paraphernalia; and possession of a blank, forged or stolen ID card. Bond: $26,000. David Paul Thompson, 32, of Captiva, Fla. Charges: three counts of possession of a harmful new legend drug without a prescription; two counts of possession of a controlled substance without a prescription; possession of drug paraphernalia; and driving with a revoked license. Bond: $26,000. Bruce Allen Dixon, 48, 1200 block of Sheehan Blvd., Port Charlotte. Charge: driving with a suspended license. Bond: $1,000. Ashley Elizabeth Hoyt, 19, 20100 block of Vanguard Terrace, Port Charlotte. Charges: possession of less than 20 grams of marijuana and possession of drug paraphernalia. Bond: none. Awanda Teresa Randle, 41, 200 block of Goldstein St., Punta Gorda. Charge: driving with a suspended license. Bond: none. Renita Robinson, 57, 6100 block of Fabian Road, North Port. Charge: out-of-county warrant. Bond: $3,100. Bryan Elliot Vanskiver, 19, 2800 block of Cabaret St., Port Charlotte. Charges: possession of less than 20 grams of marijuana and possession of drug paraphernalia. He was released on his own recognizance. Compiled by Adam KregerReport: Teens steal guns, truck | POLICE BEATThe information for Police Beat is gathered from police, sheriffs office, Florida Highway Patrol, jail and fire records. Not every arrest leads to a conviction and guilt or innocence is determined by the court system. NORTH PORT A house re Tuesday morning left six people displaced, including three children. Juan Nieves, a resident of the home on the 6000 block of Lenape Lane, was sleeping when he heard the smoke alarm sound at approximately 8:30 a.m. He said he has no idea how the re began because he just woke up to it. I woke up when I heard the alarm, and I woke everyone else up so we could get out, Nieves said. That is one hell of a wake-up call. Nieves, 31, said his sister Maria Nieves and two of her children who hadnt left for school yet were also in the house at the time of the blaze. No one was injured, but Nieves said their pig and chicken died in the re. The roof was completely burned off toward the front of the house. North Port Fire Marshal Michael Frantz said the blaze, which was mostly contained to one side of the house, had already gone through the roof by the time emer gency responders arrived shortly after 8:30 a.m. It took us about 20 minutes to get it under control, and another 20 minutes to put the re out, Frantz said. Frantz said its not known how the re began, and it would not be known until the state re marshal and investigators gather more evidence. Nieves said he takes care of his sisters three children, ages 8, 9 and 12, during the day when they are not at school while his sister and her boyfriend are at work. Nieves said his sister is a nurse and her boyfriend owns his own company. Nieves was the only resident of the house still at the scene at 10:30 a.m. Tuesday, and he did not want to disclose the name of his sisters boyfriend who was not home at the time of the re. Volunteers from the American Red Cross in Port Charlotte provided Nieves and the Fire Rescue team still at the scene with snacks and water. One volunteer said the family will speak with a representative from the Red Cross who can deter mine their needs and get them shelter if needed. Nieves said his sister went to a friends house with her children after the re. One investigator was taking pictures of the inside and outside of the house at 10:30 a.m., and the house was taped off from the public by that time. One retruck and a police car remained at the scene. According to Sarasota County Property Appraiser records, the three-bedroom, two-bathroom house was built in 2006 and has an assessed value of $82,038.Email: ashirk@sun-herald.com North Port house fire displaces 6By ALLISON SHIRKSTAFF WRITER SUN PHOTO BY ALLISON SHIRKJuan Nieves, 31, sits outside the home of his sister, Maria Nieves, and her boyfriend in the 6000 block of Lenape Lane, after a re woke him up about 8:30 a.m. Tuesday. Nieves said he got his sister and two of her children out of the house unharmed. The state re marshal will collect evidence and complete an investigation to gure out how the blaze began. OVER YOUR HEAD by Fred PiscopEdited by Stanley Newman 67 Gushing review 10 Shelley 40 Some of1 Hawaiian coffee 68 Olympics selection Tarzan's friendsregion distance unit 11 Suit material 42 Drink with 5 Short swims 69 Scrutinize, 12 North Pole crumpets9 Ne'er-do-well with "over" workers 43 Walk-on role14 Lendl of tennis 70 Bid first 13 Fishing devices 48 Roman orator15 Goofing off 71 Madrid art 21 Intolerant 49 Medical stitch16 British singing museum person 51 Have poorstar 72 Ladled-out meal 22 Wryly posture17 Mardi Gras 73 Huff and puff humorous 52 Chair repairerfollower 26 Salad stalk 53 Lloyd Webber18 Circus horn DOWN 27 Cybertrash scorehonker 1 Bagpiper's attire 28 Sushi fish 55 Scatter about19 Chutzpah 2 All finished 29 Part of MA 58 African snakes20 It keeps 3 Grandma 30 Motive 59 Ultimate causegarbage in 4 Pantry invaders 32 Bronze 60 Shore (up)23 Salon stiffener 5'70s dance hall medalist's 61 Patriarchal24 "You've got mail" 6 High standards place nicknameco. 7 Blueprint 33 DVR button 62 Fairly matched25 Courtroom 8 Find a buyer for 35 Rob Roy liquor 63 Dollars paid forbreak 9 Arrived, as a 38 Ranch measure quarters27 Onset flight 39 Hideaway 65 Actor Danson31 Walked brisklys s I 7 e 9 10 12 11334 Baby foods, 1 2 3 a 11often 14 1s 1636 Coop dweller37 Musical 17 la 19syllables 20 21 22 2341 Large frozenregion 24 25 2644 Church service 27 28 29 30 31 32 3345 Opposite of"neath" 34 35 36 37 38 39 4046 First StephenKing novel a1 a2 a347 Groups of eight 4a as 4650 Austin Powersportrayer 47 48 as so51 With a great 51 52 53 54 55view54 Play for a fool 56 57 158 59 60 161 62 6356 Washroom, 64 65 66 67for short57 #1 song 68 69 7064 Amalgamate 71 72 7366 Tart-tastingCREATORS SYNDICATE 69 2014 STANLEY NEWMAN STANXWORDS14AOL.COhi 10/15/14..............................................Answer to previous puzzleS C A L P S H I N P S S TCAMEL CODA A K EABASE RYES A S NP A S T A S A L A D S NITE -L S A APE A G R ACU 0 U I F E RELF ON I O N N E R VIEGEL BANANAS I A LO N A I R FROTH S LYS O P R A NO O Y LJOSH A I M E A S EM E A N L A M B S H A N K SARCS E L I S EDGE'SM A K O ROTE A T S E AASSN SEEN D O T T Y10/15/14Los Angeles Times Daily Crossword PuzzleEdited by Rich Norris and Joyce LewisACROSS 1 2 3 4 5 6 7 8 9 10 11 121 Tell tales4 Animal that can 13 114 15 16learn limited signlanguage n9 Barely open 20 z, 22 2313 OS X-usingcomputer 24 25 26 2715 Invisible vibes16 Tiny parasites zs z9 30 3117 Project windup19 Accident scene 32 33 34 35 0 42figs.~38 39 41 20 Fit to be tied 37 4021 Romance writer" a1 D', +a3 as asRoberts F23 Baltimore411 1 47 48 49 so s,Ravens mascot24 Subject of an 52 53 54u, antique autoowner's quest 55 56 57 58 59 6028 Wheaties boxfigure 61 62 63 64 6531 Take turns? 32 "Just like I said!" 66 67 6833 Ambient music 69 70 71 innovator Brian35 Take it easy37 Me, for one By C.C. Burnikel 10/15/1443 Hannity of talk 2 Words while Tuesday's Puzzle Solvedradio anteing11B44 "Well, of course!" 3 Loud noise A B B E Y A H A B ES C A45 Washington 4 Graduation C R O N E R U L E EH 0 B 0Wizards' org. flier T A R T S B R A K 0 P E N46 Hits a high fly, in 5 "What?" A V E R B 0 0 T A U T L Ybaseball lingo 6 Tabriz citizen49 "Supposing..." 7 Bricks-andS 0 D A J E R K E L L52 Badlands or mortar workers PAL C RED I T SDeath Valley 8 Watch closely HUE P10 L A R E R I E55 Brouhaha 9 Yard sale? 0 NTH E W A T E R F R 0 N T56 'The Lion King" 10 "The Big Bangqueen P I TNEWEL NTH57 Kmart section 11 10 D Theory te.g. S T A N D E E T E A MEM61 "If you don't 12 Pedometer DEA H A R D B A C Kmind ...?" button F A I R E R I V Y D 0 N63 "Just in case" 14 Winter air UNDER F I R E S U R G Estrategy, and a 18 Strings forhint to a hidden Orpheus S E E S U S E R 0 C T A Lletter sequence 22 Last Olds S W A T L U S T S TAR Tin 17-. 24-. 37model 2014 Tribune Content Agency, LLC 10/15/14and 52-Across 25 Cal.-to-Fla. 66 Slaughter with route 39 Scallion kin 53 Fictional Sicilian2 383 career hits 26 Rowlands of 40 "_ Free": town in a67 Vulgar "Hope Floats" Minute Maid Hersey novellanguage? 27 Hammer head spec 54 Milk: Pref.68 Place in order 28 Nile Valley 41 Three-toed bird 58 Walk with effort69 'Cream of'serving danger 42 Anti vote 59 "Good Morning70 Overplay the part 29 Concert 47 Pave the way America" co-71 Malibu mover souvenirs for anchor Spencer30 Clinking words 48 Peace, in Arabic 60 Tolkien treeDOWN 34 Antique 50 Mouse catcher giants1 "For the Game. 36 Big brass 51 Bypasses, as 62 DSL offererFor the World" 38 Storytelling nom online ads 64 First-aid aidsports org. de plume 52 Designates 65 Cezanne's one
PAGE 8
Our Town Page 8 C The Sun /Wednesday, October 15, 2014 Rooting out local tax fraudLets say your neighbors live most of the year in Rockford, Ill., or Chicopee, Mass., but you think they have a Florida homestead exemption that lowers their property tax bill dramatically. So you call the property appraisers ofce. They look into it. Maybe they nd out youre right. Your neighbor the tax cheat gets a letter and eventually pays up. Justice if not neighborhood relations is served. Fact is, thats the way county property appraisers typically root out full-tax evaders. Its a passive system. Last week, Sarasota County Property Appraiser Bill Furst discussed a more aggressive approach with the County Commission. Furst wants to hire a company called Tax Management Associates to uncover fraud. To date this year, Furst said, his ofce has recovered $528,000 in taxes using the call-and-response system. He thinks theres another $5 million on the table. TMA uses its own analytical software and a database network to nd potential fraud. Furst said the company had a higher level of sophistication. We dont have access to their data. In payment, the company gets 30 percent of the taxes owed by the scofaw, as well as 30 percent of the interest (15 percent) and penalites (15 percent) assessed. TMA will not dun debtors; it targets the fraud and provides information to the appraisers ofce for collection. Is there a downside? Not that we can see. If the appraisers ofce nds tax fraud on its own, we get the full amount. And, with either system, taxpayers who play by the rules reap the benets by homeowners paying their fair share in years to come. Its found money, Furst said. Its money youre not getting. If it works as advertised, we expect the idea to catch on in other counties.Bribery allegations careless, falseEditor: This mornings Viewpoint letter (Oct.7) that Deep Creek and Harbour Heights leaders have been offered bribes is one of the most careless statements that I have seen printed in the Sun in recent years. I was interviewed and quoted in the Gary Roberts article about the sales tax extension and whether it was favored or not. For the record, I am personally in favor of the extension concept. The article focused on the unfairness of representation during the formulation of the project list. No resident from Deep Creek or Harbour Heights was invited or participated in the discussion and that is the basis for the neighborhood dissent. I agree with Commissioner Truex that not all of the citizens of Charlotte County were fairly represented and therein lies the basic problem within the debate. A writers statement that leaders are being bribed is an inammatory and false statement designed to push his own personal agenda. I challenge him publicly to list those bribes, who delivered those bribes, when they were delivered and agreed to by whom. You made the statement and are damaging peoples reputations. Now prove it. Freedom of speech is a basic right. False accusations and innuendo to further your own purpose is mean-spirited and perhaps your position as a leader in your community should be questioned as well.Steve Vieira Harbour HeightsApplaud Ryans fresh approachEditor: hasnt changed but entitlements and dependency on government has increased. Ryans approach funds block grants to states, but it expects work requirements and time limits for aid. States would provide help to recipients and progress would be measured. Programs would be focused on recipients becoming more independent with creative solutions developed at state and local levels, not Washington. There hasnt been a public debate on Ryans proposal. For too long, federal programs have been funded on measur able data that tell how many people theyre serving but nowhere is it reported on how well we are improving their lives. Its. Its time we budget to improve outcomes which challenge the status quo. This will require more investment in technology, thinking outside the box, and advance collaboration to do more with less. The alternative isnt acceptable.Frank Mazur Punta GordaPersons have rights to use public roadsEditor: Referring to the letter to the editor of Oct. 10, Complaints about bicyclists, lines. Starting with the Magna Carta and continuing through the U.S. Constitution and most state constitutions, there is a common thread that provides an inalienable right for persons, (not cars and trucks) to freely use the public roadways. Bicycles are legal vehicles in the eye of the law. Perhaps licensing motor vehicle operators is understood to grant a superior and exclusive license to use the public roadways which leads licensed users to believe that unlicensed users are less privileged, second-class users. The Constitution grants all users an equal and inalienable right to travel on the roadway in any manner chosen. Motorists: Your rights and privileges to travel the public roads are not superior to pedestrians, bicycles, horsedrawn carts or any other traveler. It is the law. Earl Lang Punta GordaPin pricks around the edgesEditor: The Kurdish town of Kobani in northern Syria is about to fall to ISIL. Military experts expect that within 24 to 36 hours of the fall that perhaps up to 5,000 captured Kurdish ghters will be beheaded. President Obamas war against ISIL prohibits American boots on the ground. However, there were many quality Kurdish boots on the ground in Kobani, yet Obamas air campaign against ISIL in Kobani was hardly enthusiastic, amounting to pin pricks around the edges at best. Perhaps what we are seeing is the result of six years of the intentional degrading of the United States military, not only of necessary equipment and munitions but also of competent military personnel. The lack of U.S. support of Kurdish ghters in Kobani is likely due to the depletion of available U.S. weapons and personnel, thus the pin pricks. Example: When the air campaign began the U.S. military had 4,000 Tomahawk cruise missiles in its inventory. During the rst day of the air campaign about 50 Tomahawks were used. If that rate were maintained during the air campaign the weapon would be completely used up in only about 80 days. It should be mentioned that the Obama administration wants to eliminate the Tomahawk missile program by 2016. Does anyone think that Obamas goal of destroying ISIL will be accomplished by then or ever?Jose Sanchez EnglewoodGreat lessons in Charlotte schoolsEditor: There has been a lot of talk about the state of our schools in Charlotte County. While test scores are one way to measure success, I believe there is more to the story. As a member of the Charlotte County Chamber of Commerce, I had an opportu nity this past week to go back to school. Chamber members spent the day with teachers in their classrooms to gain a better understanding of what a day in the life of a teacher and a student is like. I had the honor of spending the day in a fourth-grade classroom at Meadow Park Elementary. Our teachers work long days. Although classes begin at 8:30 a.m. and end at 2:35 p.m., many teachers arrive much earlier and stay much later. The teacher I was partnered with typically arrives at 7 a.m. and works until at least 6 p.m. No time is wasted. These children are learning constantly. Learning to shake hands with their teacher before class, time management skills, and respect for others. Most importantly, the children are eager to learn. They try hard, and they want to do well. There was a wonderful positive energy that was palpable throughout the school. Charlotte County Public Schools is always looking for volunteers and mentors. If you have the time, get involved. Lets work together with our schools to create the positive changes needed to better our community.Alyson Burch Punta GordaA war by any other nameEditor: A man recently doubted that a war on women was occur ring in this country. I believe he was misinformed. But then he has probably not experienced any of the following: An employer who can decide his birth control usage. An employer who pays him less because of his gender. Being told that his manner of dress incites others to rape him. Being raped and told to carry the rapists fetus to term. Being forced to listen to faith counselors with no medical training tell him lies about medical consequences of abortion. Having the funding cut or eliminated for his only health care provider because of womens issues. Being required to undergo an invasive and medically unnecessary procedure before receiving the medical treatment he wanted. No war on women? What else would you call it?Molly Stokes Punta GordaDemocracy in action at Parkside meetingEditor: I was at the Parkside meeting that a writer identied as steamrolled. Yes, Commissioner Duffy did give impassioned support to Parkside renovation. What the writer failed to add was the equally impassioned responses from others who attended the meeting and who support the renovation, worked diligently to beautify their Parkside homes, helped organize and now serve in Neighborhood Watches, have even gotten grants to add trees and are now eager for the county to pick up the pace of the project. The nay-sayers at the meeting were vocal. But so were the supporters who outnumbered them and were robustly applauded. The meeting was the third public hearing in the countys effort to develop a system for moving forward with Parkside renovation. The draft presented actually eliminated parts of an earlier draft not supported at the previous meetings. Steamrolling? To me, it was democracy in action, democracy at its best.Tess Canja Port CharlotteVietnam Wall effort surpasses a milestoneOne dollar at a time. Thats how volunteers approached the task of raising money to erect a per manent replica of the Vietnam Veterans Memorial, known as The Wall, in Punta Gorda. On Monday, the Vietnam Wall of Southwest Florida committee announced it had surpassed the halfway point toward its goal of raising $150,000, with a $14,275 check from the committee that erected the nearby Fountain of Freedom in the Kiwanis Veterans Park. We had no doubt the wall enterprise would be successful, especially once the organizing committee refocused on building a new wall rather than purchasing an existing one. The strategy reduced the total cost by a quarter-million dollars. The local organizers, which swelled to nearly two dozen veterans organizations, individuals and businesses, also made a wise decision to broaden its potential contributor base by expanding all over Southwest Florida. That made sense because past appearances by various versions of the Traveling Vietnam Wall in Englewood and Punta Gorda attracted visitors from all over the region. The fundraising has been continuous, including golf tournaments, benet concerts, car shows, biker runs, sponsor plaque sales and rafes. The latest check put the total over $85,000 and will allow the committee to buy the granite with which the wall will be made. (To learn more about the effort and to donate, go to wallofsouthwestorida.org.) In time, the rest of the money will be raised and the wall will arise nearby the other veterans displays that reect our communitys gratitude. It will be a tribute not only to the more than 58,000 names engraved on the wall, but to the vigilance of their brothers and fellow Americans who work to keep their memories alive. PSSS T430LA NPROR...PROTECT IRE,m FROM0 VFW 0 PROTECT 0...ROOM MRrNLw njournal rre]c.,rs.r tv _,K
PAGE 9
The Sun /Wednesday, October 15, 2014 C Our Town Page 9 VIEWPOINT I have heard some misinformation around the county and would like to clarify that the 1 percent local option sales tax is not a new tax. On the ballot is a referendum to extend the existing 1 percent local option sales tax for another 6 years. If the voters choose the extension, it will keep the sales tax paid on merchandise at 7 percent (the states 6 percent plus the 1 percent local option sales tax). This 1 percent tax is a tax originally approved by the voters in 1994 and has been extended three additional times. Over the past 20 years, the local option sales tax has funded more than 80 projects throughout the county and the City of Punta Gorda. The extension on the ballot this election is for six years to fund more than 20 projects, including a veterans memorial park, new recreation centers, safety features in the schools, and more throughout the county. Early voting starts Oct. 20 and Election Day is Nov. 4. The 1 percent local option sales tax is on the ballot and voters will decide whether or not to extend it.Historical CenterToday the Charlotte County Historical Center began relocation to its temporary ofce location in Punta Gorda. Historical center staff will continue to offer programs, outreach and exhibits at various locations throughout Charlotte County and will be available for information on the rich, vivid history of Charlotte County. Tickets for the Tales of Indian Spring Cemetery tour are still able to be purchased at the original center location, 22959 Bayshore Road, Port Charlotte, until Oct. 22. For information contact the Charlotte County Historical Center at 941-629-7278.Fishing tournamentEarlier this month, the United Way/UPS Fishing Tournament fundraiser was held at Port Charlotte Beach Park. This was an environmentally friendly photo contest. Each captain had to have a phone with a camera to send in their entries. For a photo shing contest, the sh is placed on the supplied ruler, the shers entry chip marker is placed next to the sh and a photo is taken. The sh is then released. More than 90 hopeful contestants enjoyed refreshments and dinner at the captains meeting on the rst night. They received goody bags, rules and measuring tapes for the digital tournament. Marine Advisory CommitteeThe Marine Advisory Committee is one of the largest advisory groups in the county and is made up of 21 members tasked with evaluating and reviewing marine-related matters for the county. The committee also analyzes the development and maintenance of marine-related facilities and waterways, solicits input from the public, and provides recommendations to the Board of County Commissioners. All MAC meetings are open to the public. At the recent MAC regular monthly meeting, the committee recognized Gayle Moore, community development administrative assistant and clerk to the MAC, for her excellent work supporting this committee. For more information about the MAC, visit. gov and select Boards and Committees in the links on the left, or call Gayle Moore at 941-623-1094. Ray Sandrock is the Charlotte County administrator. Readers may reach him at raymond. sandrock@charlotte.com. Sales tax has funded more than 80 projects Ray Sandrock The Punta Gorda City Council will review bids for its annual resurfacing contract. The lowest responsible and responsive bidder, Ajax Paving is recommended for award in an estimated amount of $736,353 in year one. Reminder, the FY 2015 budget included additional funds for our paving program in order to reduce the backlog of streets in need of resurfacing. The July 25, 2014, weekly report highlighted streets scheduled for resurfacing, and they can be viewed on the citys website under the City Communications webpage.Sales taxCommunity presentations regarding the 1 percent local option sales tax were held before PGI Civic Association and Punta Gorda Chamber of Commerce. At both meetings, it was reiterated that the tax has been in place since 1994, and extended by the voters in 1998, 2002 and 2008. In attendance at both or one of the meetings were Mayor Rachel Keesling, Vice Mayor Carolyn Freeland, Council Members Nancy Prafke and Tom Cavanaugh and me. Future presentations will occur at the following dates, times and locations: Englewood Chamber of Commerce: 8:30 a.m., Oct. 21. West County Republican Club: 7 p.m., Oct. 21 at Gulfview Grill. South County Coalition: 9 a.m., Oct. 23 at PGI Civic Association. Urban designDesign Studio appointments this week included meetings with a business owner who will be moving into the building at 126 East Olympia Ave., to discuss signage options; a contractor who is in the planning stages for construction of a new single-family residence on West Grace Street; and a property owner of a historic house along West Marion Avenue to discuss making it into a bed and breakfast. Climate changeStaff participated in two webinars dealing with climate adaptation this week. The rst dealt with Planning Sea Level Rise: Broward County Responds. This webinar focused on the collaboration of four counties, Miami-Dade, Monroe, Broward and Palm Beach, creating the Southeast Florida Regional Climate Compact committed to coordinating climate change mitigation and adaptation activities as well as the development of a climate action plan. The second webinar, Launch of the State Adaptation Progress Tracker, focused on a new tool that identies the progress states are making in implementing their adaptation plans. The Adaptation Clearinghouse, included in the tracker, provides a resource database and online community that seeks to assist state policymakers, resource managers, academics, and others who are working to help communities adapt to climate change. Both presentations included the citys adaptation plan. The information provided will be utilized in updating the coastal management element of the citys comprehensive plan. For more information of the online tools that are now available please check out the following website:. org/adaptation/overview. Nature parkWith the Nature Park Phase I work nearly completed, the PGI Green Thumbs began installing mahogany trees along Aqui Esta as approved by City Council. This area will be referred to as the Phase II section. Estuary programInterested persons are invited to attend the Charlotte Harbor National Estuary Program Citizens Advisory Committee meeting from 10 a.m. to approximately noon today at the Laishley Community Room (120 Laishley Court, Punta Gorda). CHNEP is a partnership of citizens, scientists, businesses, industry and government to protect the natural environment from Venice to Bonita Springs to Winter Haven. For details, please contact Maran Hilgendorf at Maran@chnep.org or 941-575-3374.Compressed gasProcurement and Public Works staffs have been in contact with Nopetro, Charlotte County School Boards contractor for compressed natural gas. The city will provide Nopetro with information on all current vehicles as well as proposed vehicle replacements within the next ve years, and in turn Nopetro will provide the city with an analysis on vehicles that may be candidates for CNG usage. The citys energy audit contractor, Con Edison, will serve as a third party; vetting the information. It is anticipated that the process mentioned will take approximately 30 to 45 days. Howard Kunik is the Punta Gorda city manager. Readers may reach him at citymgr@ ci.punta-gorda..us. Punta Gorda City Council to review road paving bids Howard Kunik rfn tbf bn ff rttb f tt tttf f f tf f tf OR ttfftttftf ttttff f ftVENICE 1965C S. Tamiami 497-3267 PT. CHARLOTTE 2586 N. Tamiami 627-6933rr 50472696 Z USMAN E YE C ARE C ENTER 50472464 Voted Best Ophthalmologist 2011-2014 624-4500 Neil B. Zusman, M.D., F.A.C.S. Team Eye Consultant Tampa Bay Rays and Charlotte Stone Crabs 2014 50471547 Board Eligible Orthopedic Surgeon Fellowship trained in Foot and Ankle Call for an Appointment! Seeing Patients beginning September 1 st 2014 Our Talented Team of Orthopedic Surgeons is Growing! Steven R. Anthony, D.O. 472700 STARTING AT $21,785!! 625-5056 1212 Enterprise Drive Port Charlotte, FL 33953 CONSTRUCTION RENOVATION POOL SERVICE & REPAIRS POOL SUPPLY STORE Lic./Insured Lic.#CPO56749 16 Readers Choice Awards! Complete Pool Package including cage 2014 50472321 50471716. 3191 Harbor Blvd. Suite D, Port Charlotte, FL 33952 50471534 NEW DOCTOR IN TOWN Diabetes High Blood Pressure High Cholesterol Thyroid Problems Arthritis Osteoporosis Memory Loss Cardiac Disease Prostate 941-613-1919 Tetyana Metyk, M.D. Internal Medicine 50472345 50472341 f 4;+r1,,_`_',,.i 9.:ernIA\AdvancedOrthopedicCenterfIPAFP RESTORE arcn.rTV40b gp\,r:uryRoutine Annual Visits Laparoscopv Surgeries HpsteroscopicProceduresllladder & Rectal Prolapse repair Treatment Of Abnormal WeedingDiagnosi, & "l rcatincnt Of Urinary Inconti ncn-Now Ac.eptin;; New Puucnt Plc i-c Call Pot An .\F, -_,un-tYasmeen M. Islam, MDBoard Certified Obstetrics C. (1 nccolof;n941.625.5855HARBOR PROFESSIONAL CENTER14o0 Tin nisuni Trail, Si te itl02, Port CharlotteI DYINGGOLD, 'II \ I I:,I P) I ,, (.) N IP) ti& COONS,'00-z'l-aYcClpoois
PAGE 10
Our Town Page 10 C The Sun /Wednesday, October 15, 2014 LOCAL/REGIONAL NEWS At the Cultural Center of Char lotte County, we are always striving to add more events in an effort to serve all facets of our community. We offer classes at the Learning Place, wellness opportunities at the Fitness Salon, shows in the Theater, as well as games, dances, bingo, thrift shopping and more throughout the property. As our schedule grows and changes, we do our best to let you know what new events we are offering. Monday, game show acionados, trivia players and other know-it-alls are invited to gather at the Cultural Center to test their wits against others during a fun, friendly Trivia Night. The quiz is designed for teams of two to six people, and will cover popular and academic trivia in the areas of culture, entertainment, history, lifestyle, media, sports and science along with geography, technology and other diverse topics. This is the rst in a series of Trivia Nights being offered the third Monday of each month at the Cultural Center. The doors will open at 5:30 p.m., and the quiz will begin promptly at 6:30 p.m. Teams, couples and individuals are invited and encouraged to attend. The entry fee of $15 per person includes the quiz, an entre, tax, tip and a charity donation. A bar will be available, and a 50/50 drawing will be held. A cash prize will be awarded to the first-place team. Advanced reservations are encouraged, but not required, as participants also may register at the door. Sponsorship oppor tunities are available. Please call Amanda at 941-625-4175, ext. 240, if you would like to be involved in the event as a sponsor or a quiz participant. The Cultural Center is located at 2280 Aaron St., Port Charlotte. The Cultural Center of Charlotte County is a nonprot organization that was formed in 1961 with a goal of offering the members of our community enriching activities. With more than 12,000 different happenings that go on every year, and a volunteer base of more than 500 citizens, we truly are the Place That Friendship Built. For more information about the Cultural Center, please visit our website at www. theculturalcenter.com. Amanda Segur is the marketing and development manager at the Cultural Center of Charlotte County Inc. She can be reached at 941-625-4175, ext. 240, or marketing@ theculturalcenter.com.Center adds new events all the time CULTURAL CENTERAMANDA SEGUR E v e r y T h u r s d a y o n l y i n | COMMUNITY NEWS BRIEFSTeam Punta Gorda celebrates 10 yearsTeam Punta Gorda, a grassroots volunteer organization founded after Hurricane Charley ravaged the city in August 2004, will hold a 10-year anniversary dinner from 6 p.m. to 10 p.m. Oct. 24 at the Charlotte Harbor Event and Conference Center, 75 Taylor St., Punta Gorda. This event will celebrate the positive impact Team Punta Gorda has had on the community over the past decade. This cocktail-attire event will include a sit-down dinner, music by the renowned BoogieMen, cocktail-hour entertainment by troprock band One Love, a complimentary photo booth and exciting auctions. Tickets are $75 per person, and include dinner and a cocktail. The deadline to purchase tickets is today. For businesses seeking to showcase their products or services to Teams extensive and active membership, there are a variety of sponsorship opportunities available. For more information, or to make your reservation, visit www. teampuntagorda.org, or call the Team ofce at 941-637-TEAM (8326).Garden club meeting setThe Punta Gorda Garden Club will meet at 1 p.m. today in Lenox Hall at First United Methodist Church of Punta Gorda, 507 W. Marion Ave. Anyone who loves owers and gardening is welcome at the clubs free monthly gatherings, which include light refreshments, a speaker and a brief meeting. Charlotte County master gardener Dolly Tomalinas talk on Enduring Containers will offer suggestions for creating original container plantings that will last for years. For more infor mation about the club, call co-president Carole Biggs at 239-362-2945, or visit club open house, cookoutThe Charlotte Harbor Yacht Club, 4400 Lister St., Port Charlotte, will offer an open house and cookout for prospective new members from 11 a.m. to 2 p.m. Sunday. Hamburgers and hot dogs will be served to all prospective members who stop by. Members of the club will be available to provide information on activities available to all new members. This will be a special oppor tunity to join under the discounted membership entrance-fee program. Boat ownership is not required for membership. For more information or reservations, call Joy at 941-629-5131.Drug Free to hold Parent Boot CampA Drug Free Charlotte County Coalition Meeting set for 8:30 a.m. to 10 a.m. Thursday at the Charlotte County Public Schools Administration Building, Rooms 105/106, 1445 Education Way, Murdock, will feature Parent Boot Camp, a dynamic over view of the teen brain and how it relates to various life issues that are critical to our youth, such as: teen sleep patterns; alcohol; marijuana and dabbing; prescription drug abuse; candy-avored tobacco and e-cigarettes; body image; social media; and more. There will be tools for parents, along with T-shirts. Participants are asked to RSVP to chrissie.salazar@ yourcharlotteschools.net or 941-979-7471. 50472328 NOW AVAILABLE 50472803 50471810 Monday Friday 7AM 7PM Saturday 7AM 2PM Sunday 8AM 1PM Catering for all occasions JosephsDeliPC.com 3231-A Tamiami Trail, Port Charlotte Across from the Promenades Mall 941-629-0822 LET US CATER YOUR NEXT FOOTBALL PARTY SUN COUPON REQUIRED B u y 1 G e t 1 Buy 1, Get 11 / 2 O F F 1/2 OFFD i n n e r S p e c i a l Dinner Special With Purchase of 2 Beverages, Dine-In Only. After 3PM Not Valid w/Any Other Offer Excludes Seafood Expires 10/31/14 rfffrnfff rtrbrfffrr rfn rrffnt rf b tb n 50469889 50473094 Dr. Sandra Hegarty welcomes Dr. John LaManna to our First Choice KidCare Pediatric office in Port Charlotte. Dr. LaManna is Board Certified by the American Board of Pediatrics. He speaks English and Spanish Accepting New Patients 239-344-2325 for appointment at our Port Charlotte office located at 4300 Kings Hwy. #500 Between 8 a.m. and 5 p.m. MF Medicaid, Healthy Kids, Florida KidCare and most private insurances accepted. Patients with or without insurance seen. Discounted fees available. ISLANDER $ 74,995 / 1490 sq.ft. One Only Wholesale One Only Wholesale +tax 3BR + Den, 2 Bth, Upgraded Appliance Package & Carpeting. Lots of Cabinets. Large Master Bath w/ Double Vanity, Large Walk-in Shower & Dual Linen Cabinets. Includes delivery, set up, steps, skirting, air & 7-year extended warranty. 50473059 50473207 EL ww f Thor dq, one oID SUNS''`-NFN)p\P}RSFIRST"CHOICEKddCaTeWhere your kidshealth is#1.JOSEPH'SYOUR HOMETOWN DELIX0% $ C$O,00J e*. ctiya5e a\y/ 2012wr1] n OppD Cpl=I I sEAsoNsI:JlJI:J FREEHtnutn 'a 1 AtllllJJ N#* mtmm! UCMSi No. CAM941.206.6131 Call Today! Thank You For Voting Us BESTAIC CONTRACTOR!1'.r r_7 Were Celebrating with October Only Specials!rt rFREE JrrrP>^.tCear 9c =REE:-!Cear. 9c uFa6 erav Free togrjde !Prgrarnrzle Thrrr stat the pwchase c' d4'i0 N ri'aACSysteriurir_:th.:r:r:1c`Ccaer;0'd EID S. ICI Pool Hiitsr lgTun4: ; $ -10 off; Cool Cash;....ar..., ; INSTANT Rebates'nncwo w.ru. .,a.od o .ry"..w48 I are backibwwIwiiMM,_, i, ... .,.IH *1 _ ___Care100 Madrid Boulevard, Suite 414Bank of America Parking dotIIv -DIRTY GROUTWSA
PAGE 11
The Sun /Wednesday, October 15, 2014 C Our Town Page 11 LOCAL/REGIONAL NEWS Please join us from 7:15 to 8:30 this morning for the Third Wednesday Coffee at the Char lotte Harbor Event and Conference Center in Punta Gorda. Regions Bank is the Coffee sponsor, and the program will focus on the 1 percent sales-tax extension. If youre a late sleeper, you can find out more information on the 1 percent local-option sales tax by visiting www. CharlotteCountyFl.gov and. The board of directors encourages chamber members and their employees to vote in the Nov. 4 election. Don Gasgarths Charlotte County Ford will play host to the Oct. 23 Business Card Exchange. Please join us and bring plenty of business cards and a small gift to promote your business. Did you know that Goodwill of Southwest Florida has a Mobile Job Center bus? It will be at the chambers Port Charlotte office from 9 a.m. to 2 p.m. Oct. 23 at 2702 Tamiami Trail. The bus includes 12 Internet-equipped work stations, and staff offers numerous employment-related services. Career Source staff also will be there to assist job seekers with resume writing, interviewing skills, federal bonding and more. If you know folks looking for fullor part-time positions, please have them stop by next week for this free community ser vice. Businesses also can post positions on the Career Source website, www. careersourcesouthwestflorida.com, another free and easy service. For your calendar, were holding our 18th Annual Holiday Celebration at the Nov. 19 Third Wednesday Coffee. Members can decorate a table with a holiday theme and compete for bragging rights as the most creative, unusual and attractive display. To register, please visit our website at www. charlottecountychamber.org, or call us at 941-627-2222. The plans for the 36th Annual Christmas Parade passed muster at the city Development Review Committee meeting last week. Now, its time to put on your creative hat in order to decorate your float, car or truck. The theme for the Dec. 6 parade is Santas Workshop. Chamber President Wendy Atkinson would like to see lots of floats, so start creating now! To our Leadership Charlotte class of 2015, enjoy your Simulated Society program on Friday. Its a mind-changing experience. And, Junior Leadership Charlotte class of 2015, you really will get to know your classmates on Team Building Day on Monday. Enjoy the scavenger hunt! Julie Mathis is executive director of the Charlotte County Chamber of Commerce. She can be reached at jmathis@ charlottecountychamber. org.Stop by Mobile Job Center bus Charlotte County ChamberJulie Mathis | COMMUNITY NEWS BRIEFSCaregivers to receive free cruiseOur Charlotte Elder Affairs Network (O.C.E.A.N.) will offer a free Harbor cruise for caregivers at 11 a.m. Oct. 22 at Kingsher Fleet, 1200 W. Retta Esplanade, Punta Gorda. Enjoy the sights and sounds of the Gulf of Mexico. A complimentary lunch will be provided. There will be music and door prizes. Boarding will begin at 10:45 a.m. Reservations are required by today. To make a reservation, contact Melissa at 941-286-5659 or mvanderbilt@brookdale.com.Gallery displays artists workSea Grape Gallery, 113 W. Marion Ave., Punta Gorda, will display the artwork of James Beech, a watercolor and acrylic painting artist, from now through Nov. 6. Beech enjoys painting landscapes and buildings of unusual character, and creating scenes of boats, ships and other waterfront subjects. Many of his paintings are prominently on display at Sea Grape Gallery. In addition, more of his art and the artwork of all Sea Grape artists can be viewed at. For more information, call 941-575-1718.Fiber arts event offeredThe Friends of the Port Charlotte Library, 2280 Aaron St., will sponsor a Fiber Arts and Quilters event at 10:30 a.m. Friday at the library. This group is for quilters and ber artists of all levels, and provides a forum for discussion on var ious topics. Demonstration techniques also will be presented in a casual, fun and friendly atmosphere. Attendees are encouraged to bring in current projects for display, advice or swap. The event is free and open to the public. Call 941-764-5559.Celebrate Italian Heritage MonthSons of Italy, 3725 Easy St., Port Charlotte, will celebrate Italian Heritage Month at 6 p.m. Saturday. The menu will feature homemade pasta and pastries, sausage, meatballs and antipasto salad. Beverages, coffee, iced tea and lemonade will be available. Attendees are to bring their own liquor. There will be Italian music, dancing, surprise activities and door prizes. Members pay $15; guests pay $17. For reservations, call 941-764-9003.Band presents Ports of CallThe Charlotte County Concert Bands 41st season kicks off at 2 p.m. Sunday in the Cultural Center of Charlotte County Theater, 2280 Aaron St., Port Charlotte, with a concert titled Ports of Call. DeVere Fader has conducted the 70-plus member band for ve seasons. The band will sponsor a food drive, and asks all attendees to bring canned items for The Salvation Army. Tickets purchased in advance are $12 per person, and $11 for Cultural Center members. Day-of-show tickets will be $13 per person, with no discounts for members. Tickets are available at the Cultural Centers information desk and box ofce; they also may be purchased at www. theculturalcenter.com. For more information, call 941-625-4175. 50473271 50468157 B OARD C ERTIFIED P LASTIC S URGEON BREAST REDUCTION, LIFT OR AUGMENTATION Call (941) NEW-LOOK Christopher Constance, MD Fishermens Village Marina Punta Gorda Available Year-Round: Cruises: *Out-Island Day Trips to Cabbage Key, Cayo Costa and Boca Grande *Half Day Cruises on Charlotte Harbor and the Peace River *Afternoon Harbor Tours *Sunset Cruises Daily Fishing: *Deep Sea Fishing in the Gulf of Mexico *Back Bay Fishing in Charlotte Harbor 50473067 Departure Times 6:00 p.m. 7:30 p.m. 9:00 p.m Adults $16.00 Children under 12 $8.00 Group (15+ Adults) $14.50 Christmas Canal Cruises A Punta Gorda Tradition December 4 th thru December 31 st Join us for an hour-long Canal Cruise to see Christmas lights and decorations Call (941) 639-0969 NOW BOOKING Book Online Now! (They sell out fast) 941-639-0969 50472354471535 CELEBRITY SMILES IMPLANT & SEDATION DENTISTRY Joseph A Gaeta, Jr DDS and Assoc 228 Have all your dental work completed and not remember a thing! IV Sedation and Nitrous Oxide Available! FREE IV Sedation! with any procedure over $2500 Call for full details. Exp 1/31/15. Lic# DN11262 Hire Craftsmen, Not Installers A+ Rated 50470025 Between Teresa and Atwater 2 Blks East of Home Depot 1988787. Plant Sale Variety of 3 Gallon Plants $7.50 For 20 or more $6.50 Do you suffer fromstage 3 kidney disease and gout?You may qualify for a research study.If a healthcare provider hastold you that you havemoderate kidneyimpairment,and you suffer the pair o`chronic gout, locadoctorsneed your help testing aninvestigational medication.You will receive allstudy-related procedures atno cost if you qualify and maybe compensated for your timeand travel. Health insurance isnot required.To learn more about thisstudy:MY STUDY.COMA-cKowpown Kamm'WE WANT YOUR BUSINESS!!!DooaG3ocaMY;' 1-MICHAEL R. MARKGRAF, D.D.S.General t ImplafltDentistryFormer fhculty member ofMarquette University ,,.!aaC.&hool of Dentistry `"b f-4 n 't, -!!V iQ. to r HrIy tN,ING FISHER FLEETSIGHTSEEING CRUISES FISHING TRIPS Arb4 r \`mot..i
PAGE 12
Our Town Page 12 C The Sun /Wednesday, October 15, 2014 FROM PAGE ONE decision you will have to live with forever, Charlotte County Sheriff Bill Prummell told commissioners. Constitutional amendments are virtually impossible to change later on down the road. During his presentation to the commission prior to the vote, Prummell gave many reasons for opposing medical marijuana, from the absence of proven medicinal benet to the loopholes regulating its use and acquisition. He said passing the initiative would be tantamount to legalizing pot for all. The use of medical marijuana for medical purposes ... is a fallacy. There is nothing differ ent about the marijuana proposed in Amendment 2 or marijuana you can purchase off the street, he said. Yet, a more lenient view of marijuana has convinced 23 states, or more than 30 percent of the U.S. population, to live under some form of marijuana decriminalization. The arguments that advocate the use of marijuana, recreationally and medically, are varied. Marijuana has been used by nearly 100 million Americans, including 25 million in the past year, despite harsh laws against its use. Enforcing marijuana prohibition costs taxpayers an estimated $10 billion annually and results in the arrest of more than 740,000 individuals per year, far more than the total number of arrestees for all violent crimes combined. But opposition in Florida, which could become the rst Southern state to approve a medical marijuana program, is stiff. Charlotte County is no exception. Leading the commission in its stand against medical marijuana is Commissioner Chris Constance, who is also a physician. He said the proposed amendment would essentially legalize marijuana a Schedule I drug under the Controlled Substances Act. The intent, from day one, is to legalize marijuana in the state of Florida, he said. And from that standpoint, it would be a disaster. According to the National Institute on Drug Abuse, the THC levels in marijuana now range up to 15 percent, compared to just 2 percent 50 years ago. This increased potency, Constance said, makes it a dangerous drug to recommend. Besides the lack of evidence supporting the health benets of marijuana, Constance said medical marijuana could actually prove harmful to patients. I think it decreases your immunity, he said. Other commissioners echoed their concern. Commissioner Bill Truex worries about children in the home of a medical marijuana patient receiving secondhand smoke and the effect it would have on their still-forming brains. The people who put this on the ballot should be ashamed of themselves, Commissioner Tricia Duffy said. This is really a disgrace. Yet, the debate continues. According to some government and academic studies, states that have decriminalized marijuana have not seen an increase in marijuana consumption nor a negative impact on adolescent attitudes toward drug use. Meanwhile, Prummell cited statistics show drug use is up, particularly among the young, in these states. Prummell said loopholes in the Florida proposal would allow teenagers to receive marijuana under the recommendation of a physician, provide caregivers with immunity as drug dealers and create marijuana dispensaries that are nothing more than dope peddlers with storefronts. Were just going to be exchanging our pill mills for pot docs, he said. Email: groberts@sun-herald.com MEDICAL MARIJUANA INITIATIVEThe Use of Marijuana for Certain Medical Conditions question will be put to voters in the Nov. 4 election. Florida voters will be asked whether seriously ill residents of the Sunshine State should be allowed to use medical marijuana with a valid doctors recommendation and whether the state should register and regulate medical marijuana dispensaries. The proposed Amendment 2 requires the approval of 60 percent of voters to go into effect. If it passes, this is how the medical marijuana program would operate: Who would qualify for the program? Individuals who suffer from cancer, glaucoma, HIV/AIDS, hepatitis C, amyotrophic lateral sclerosis, Crohns disease, Parkinsons disease, multiple sclerosis, or other medical conditions that their physicians find to be debilitating. How would a patient qualify? A patient must have a physician certification in order to qualify. Additionally, the physician must note how long he or she recommends the patient use marijuana. What protections would patients have once qualified? Registered patients would not be subject to criminal or civil sanctions under Florida law for their medical use of marijuana. Medical marijuana patients could still be criminally liable for driving while under the influence of marijuana. NOFROM PAGE 1 comment Tuesday. The Association of State Corrections Administrators a national organization of correctional leaders, managed by the Criminal Justice Institute will conduct site visits, inspections and evaluations on use-offorce methods to conduct the Department of Corrections requested full independent audit, and a report of ndings will be made public, according to a press release about the pending audit. Secretary (Mike) Crews is discussing a plan of action with ASCA, and working on a timeline for ASCA to review and audit the department, spokeswoman McKinley Lewis told the Sun At this time, no dates have been scheduled in regard to site visits. Though CCI had fewer useof-force incidents, the prison has made headlines for one such recent incident. Inmate Matthew Walker was killed April 11, and 10 correctional ofcers ultimately were red because they inappropriately participated in a use of force that resulted in the death of an inmate, their termination letters state. McKinley pointed out all use-of-force incidents are reviewed by the warden and the Ofce of the Inspector General. But heavily redacted incident reports made public shed little light on what happened in April. The reports do show that ofcers were trying to handcuff Walker, who was resisting their efforts. One ofcer noted Walker became violent. A prison worker who called 911 after the incident mentioned an assault on staff. Its still unclear from available reports exactly how Walker died. According to the Department of Corrections 15-page policy on use-of-force, An ofcer is authorized only to use deadly force when the ofcer believes that such force is necessary to prevent imminent death or great bodily harm to him or herself or another. Crews said in a prepared statement for the media: I look forward to having an independent party review our policies to ensure the Department is taking every step possible to improve our facilities, educate our staff and protect our inmates... An agency-wide review of policies and procedures by the ASCA will help identify any remaining or connected issues and reinforce our zero-toler ance policy for misconduct and commitment to continued improvement for the department.Email: akreger@sun-herald.comAUDITFROM PAGE 1utility will be withdrawn. At the heart of Kitsons energy-efcient dream lies a sustainable community for some 50,000 people, complete with smart homes, smart grids, charging stations for smart cars, and large arrays of solar panels. The development also will include 6 million square feet of office and retail space, along with hotels and a golf course. In 2006, Kitson made national headlines with the purchase of the 91,000-acre Babcock Ranch wildlife preserve, a pristine stretch of land that covers an area three times the size of San Francisco. That same year, he signed an agreement with then-Florida Gov. Jeb Bush to sell nearly 74,000 of Babcocks acres to the state for $350 million Floridas largest single land deal in history.Email: bbarbosa@sun-herald.comNEXT UP The Babcock Ranch community was expected to take 20 years and $2billion to bring to life. The issuance of more than $26million in bonds had been approved to help cover the cost of water and sewage utilities. Because of the recession, the bonds were not issued and construction was put on hold. The bond allocation is set to expire, but the Charlotte County Industrial Development Authority is sched uled to meet today at a noon public hearing in Suite 302 of the SunTrust Bank Building, 18501 Murdock Circle, Murdock, essentially to renew the allocation. BABCOCKFROM PAGE 1 his home. Matt said sometimes he falls asleep on the bus. Hes not able to read on the bus, and its boring. Studies have tied sleep deprivation to poor school performance, but Matt has done very well in school. His father said he still manages to get him to bed on time, and his son is exceptionally bright. Coovert said the bus ride has only been about an hour in the morning, but after school it has been more than 90 minutes, which means a rush to get him to activities. In addition to homework, Matt has piano lessons, football and wrestling. Public records requested by the Sun show that Matt has not been alone when it comes to lengthy bus rides. OMEGAs current 25 exceptional students experience longer-than-average ride times, according to a transportation sheet on drive times released by the school district. A state school board rule says that no more than an hour and onehalf will elapse between the time the student boards the bus and the time school begins, or the time school closes and the student leaves the bus in the afternoon. In an emailed statement, Richard Duckworth, director of transportation, said: As was demonstrated in our sheet of average, longest, and shortest rides, we have done well in planning our routes to achieve, so far as practicable, the recommended time limits. The challenge is, and remains, balancing the small loads for ESE (exception student education) with recommended ride times. We do well on average, but there are some students whose rides exceed the recommendations. In light of the OMEGA situation, the Superintendent requested Transportation make the change, Duckworth said. Eighteen students residing in the Kingsway attendance area of Port Charlotte, Deep Creek and Punta Gorda had been assigned to Matts bus, which makes 10 stops, said Mike Riley, school district spokesman. Whitaker said the newly repurposed bus had been assigned to pick up Peace River Elementary students living east of Kings Highway, but right now, theres nobody living there, we dont need to transfer any students, so were repurposing it. It gets tricky later on. If somebody moves there in February, weve taken that bus and repurposed it, and we have to pay that expense. In an email exchange dating back to August between Duckworth and Coovert prior to the repurposed bus solution, Duckworth had cited cost as a challenge to make a change: We established a driver salary for a minimum of four hours with benets as $12,484.69 and the cost of operating an additional bus for a minimum of 15 miles as $9,909. The Cooverts say Matts ride home this week got an hour shorter.Email: sbrokaw@sun-herald.com RIDE TIMESBus ride time for students in the exceptional program Elementary school average: 30 minutes. Longest: 84 minutes. Middle school average: 28 minutes. Longest: 94 minutes. High school average: 32 minutes. Longest: 98 minutes. Bus ride time for all Charlotte County students Elementary school average: 17 minutes. Longest: 87 minutes Middle school average: 20 minutes. Longest: 76 minutes High school average: 26 minutes. Longest: 83 minutes BUSFROM PAGE 1 Open up and say ... Yeehaw! Brian and Mary Presley hosted the Virginia B. Andes Volunteer Community Clinic Wild West Roundup and Fundraiser Saturday night at the Acorn Ranch in Punta Gorda. As part of a skit, the Lone Ranger (played by Dr. David Klein) and his sidekick Tonto (played by Dr. Mark Asperilla) meet another Native American, Julie Riley. SUN PHOTOS BY BETSY WILLIAMSWatching from behind the wooden fences, a roundup led by Alan McCleland and John Court was the preparty entertainment as they brought in a herd of cattle and their calves within close viewing for the guests gathered in the main driveway at the Virginia B. Andes Volunteer Community Clinic Wild West Roundup and Fundraiser Saturday night at the Acorn Ranch in Punta Gorda. In charge of the Bank and City Hall were Tim Morgan and Bob Davis. Deputy Ken Travis holds a gun on his prisoner, Cindy Neads, until she raised the $20 to be released. A roundup led by Alan McCleland and John Court was the preparty entertainment, bringing in a herd of cattle and their calves within close viewing for the guests gathered in the main driveway. one)Now.M A.F Vii. "S' ; 76i kc14 7' 7190NOMWALf 3 AM;C1TI'HALL ]t f r
PAGE 13 WEDNESDAY OCTOBER 15, 2014 T he Wire INSIDE By the end of the day, the Dow had lost 5.88 points, or 0.04 percent, to 16,315.19. Page 5 Energy stocks stymie market The vast system, which claimed two lives Monday after spinning off tornadoes in Arkansas and Missouri, sent heavy thunder storms across much of Georgia. Page 2 Severe storms sweep across South STATE NATIONAL WORLD BUSINESS WEATHER 1. WHO: 10,000 Ebola cases per week coming? The World Health Organization confirmed that the death rate in the current outbreak has risen to 70 percent. See page 1.2. How Turks are frustrating NATO Rather than join the fight against the Islamic State group, Turkey is launching airstrikes against Kurdish rebels inside its own borders. See page 1.3. Hong Kong violence spikes Officers in riot gear push back the pro-democracy demonstrators, tear down barricades and remove concrete slabs the protesters had been using as roadblocks. See page 7.4. Fla. governor race TV ads get ugly Gov Rick Scott and fellow Republicans are spending millions of dollars on TV ads attacking Democratic challenger Charlie Crist. See page 1.5. Gay marriage showdown imminent? Florida Attorney General Pam Bondi, long a supporter of the ban on gay marriage, now wants the states highest court to decide whether the constitutional amend ment is legal. See page 1.6. Judge throws out Wyllie debate lawsuit A South Florida federal judge has rejected a lawsuit filed by Libertarian Party candidate Adrian Wyllie seeking to force his way into the next gubernatorial debate. See page 8. 7. Google competes with Amazon delivery Google has begun offering same-day deliveries for a yearly fee. See page 2.8. Zuckerbergs donate $25M to CDC for Ebola The money will be used in the efforts in Guinea, Liberia, Sierra Leone and elsewhere. See page 2.9. Chrysler recalls 184,215 SUVs A wiring problem could disable air bags and seat belt preten sioners. See page 2.10. Giants down St. Louis in thriller A wild throw allows San Franciscos Brandon Crawford to score the winning run in the bottom of the 10th. The Giants now hold a 2-1 lead in the NLCS. See Sports page 4.10 things to knowTALLAHASSEE Florida Attorney General Pam Bondi, who has repeatedly called it her duty to defend the states ban on gay marriage, now wants the states highest court to decide whether the constitutional amendment is legal. Bondis ofce led a request late Monday with the 3rd District Court of Appeal in Miami that asks the court to immediately send two consolidated cases to the Florida Supreme Court for a decision. In both cases, judges declared the states gay marriage ban unconstitutional. This marks a turnabout for Bondi, who this summer opposed a similar suggestion. The move also could speed up the timing of nal decision. Although this Court routinely handles important constitutional questions and is equipped to do so, this particular issue now requires a prompt Florida Supreme Court decision, the ling says. It also notes a need to act now in light of changed circumstances. This month, the U.S. Supreme Court turned away appeals from ve states seeking to prohibit gay and lesbian unions. The terse decision paved the way for gay marriage in those states. Bondi had repeatedly vowed to keep ghting to maintain the states ban until the U.S. Supreme Court acted. Voters approved Floridas ban on same-sex marriage in 2008. Gov. Rick Scott, whose agencies are being sued in one federal case, has defended Bondis actions so far.Gay marriage showdown?By GARY FINEOUTASSOCIATED PRESS WRITERAG asks Florida Supreme Court to review two cases BONDIBONDI | 4 WASHINGTON. This is an operation that involves the world against ISIL, Obama declared, referring to the militant group by one of its many names. The Turkish airstrikes occurred Monday and marked the countrys rst major strikes against Kurdish rebels on its own soil since peace talks Islamic State strategy grows complexBy JULIE PACE and SUZAN FRASERASSOCIATED PRESS WRITERS AP PHOTOPresident Barack Obama speaks during a meeting with more than 20 foreign defense ministers on the ongoing oper ations against the Islamic State group, Tuesday at Andrews Air Force Base, Md. Obama and military chiefs in a show of strength against Islamic State ghters in Iraq and Syria. STRATEGY | 4 TALLAHASSEE dont say is that Scotts very own running mate, Lt. Gov. Carlos Lopez-Cantera, and other top Republicans voted for all those same policies. Crist has called the latest ad blast in the bitterly fought Florida gubernatorial race hypocritical. Theyre trying to win an election, Crist said. Theyll say anything to win an election. Crist was a Republican when as governor he signed the measures into law after they had passed the Republicandominated Legislature with votes from top party leaders, including LopezCantera, then a state representative. A former Republican state Sen. Paula Dockery, who dropped out of the 2010 Republican gubernatorial primary to back Scott, said she was angered by the ads and called them disingenuous. If you want to criticize something Crist did when he was governor, then criticize what he did, not something the Legislature did, she said. Scott insisted, though, on blaming Crist for those policies. It takes leadership to decide the direction of the state, and heres what we Scott blasts rival Crist with TV adsBy BRENDAN FARRINGTONASSOCIATED PRESS WRITER ADS | 4 WATCH THE DEBATESee live streaming of the Florida Gubernatorial Debate on the Sun website today at 7 p.m. The URL address is www. yoursun.com.LONDON West Africa could see up to 10,000 new Ebola cases a week within two months, the World Health Organization said Tuesday, also conrming the death rate in the current outbreak has risen to 70 percent. WHO assistant director-general Dr. Bruce Aylward gave the gures during a news conference in Geneva. Previously, WHO had estimated the Ebola mortality rate was at around 50 percent. Aylward said the new rate conrmed it was a high mortality disease, and that the U.N. health agency was still focused on trying to get sick people isolated and provide treatment as early as possible. He told reporters that if the worlds response to the Ebola crisis isnt stepped up within 60 days, a lot more people will die and that health workers will be stretched even further dealing with the spiraling numbers of cases. Health care workers have also been hit hard by the virus. International aid organization Doctors Without Borders said that 16 of its staff members have been infected with Ebola and nine of them have died. Speaking at a newsve all heard their promises in the media, but have seen very little on the ground. For the last month, theres been about 1,000 new Ebola cases per week including suspected, conrmed and probable cases, he said, adding that WHO is aiming WHO: 10,000 new Ebola cases per week possibleBy MARIA CHENGASSOCIATED PRESS WRITER AP PHOTOHealth workers wearing protective gear wait to carry the body of a person suspected to have died from Ebola, in Monrovia, Liberia, Monday. EBOLA | 4 J LSALINSiloItnS 7JhFT,ORTDAGUBERNATORIALX2014DEBATELeadership Florida Florida Press AssociationI
PAGE 14
Page 2 WIRE The Sun /Wednesday, October 15, 2014 NATIONAL NEWS ATLANTA (AP)s customers had their power restored overnight and early Tuesday. Tornadoes also touched down in two Atlanta suburbs. An EF1 tornado hit Alpharetta northeast of Atlanta and an EF0 tornado was conrmedhit re that set ablaze an oil well site near Longview. Authorities said the storms dumped enough rain in Tennessee to cause some street ooding in Chattanooga, forcing road closures. Trees were knocked down and the heavy rains and high winds prompted some school districts in southeast Tennessee to delay the start of classes by up to two hours Tuesday.Severe storms sweep across South AP PHOTOUsing a chainsaw, Travis Uplinger cuts up a blown over tree in the front yard of a home in Henderson, Ky., Tuesday. | NATIONDallas nurse with Ebola says shes doing wellDALLAS (AP) A Texas nurse who became infected with Ebola while treating the rst. The 26-year-old nurse was in the Liberian mans room often, from the day he was placed in intensive care until the day before he died last week. Im doing well and want to thank everyone for their kind wishes and prayers, Pham said in a statement issued by the hospital. Zuckerberg, wife donate $25M to CDC for EbolaNEW YORK (AP) Facebook CEO Mark Zuckerberg and his wife, Priscilla Chan, are donating $25 million to the CDC Foundation to help address the Ebola epidemic. The money will be used by the U.S. Centers for Disease Control and Preventions Ebola response effort in Guinea, Liberia and Sierra Leone and elsewhere in the world where Ebola is a threat, the foundation said Tuesday. The grant follows a $9 million donation made by Microsoft co-founder Paul Allen last month. Chrysler recalls 184,215 SUVsDETROIT (AP) its unaware of any injuries related to the problem.US saving old nukes to blast asteroidsWASHINGTON (Washington Post) The U.S. government has decided to save some of its old nuclear weapons that were scheduled for disassembly next year to determine whether they could be good for blasting earthbound asteroids. Sounds as if someone pulled that plan straight from a sciscript, but it was mentioned deep down in a Government Accountability Ofce report on the National Nuclear Security Administration, which manages the nations atomic weapons. The NNSA described the old warheads as an irreplaceable national asset that should be kept around pending a senior-level government evaluation of their use in planetary defense against earthbound asteroids, according to the report.Google targets Amazon with new delivery service(LA Times) Google wants a piece of Amazons retail delivery business. On Tuesday, Google began offering consumers a subscription costing $95 a year, or $10 a month, to receive free same-day deliv eries Prime, and Googles prices and speed aim to undercut both of them. To take advantage of the Google Express subscription, consumers visit a Google website and select what they want from which stores. Orders must be $15 or more before taxes; if they arent, consumers are dinged a $3 shipping fee.Keys protests lost Nigerian girlsNEW YORK (AP) Alicia Keys held a protest in New York City on Tuesday to raise awareness about the 200plusJoan Fontaines property to be auctionedNEW YORK (AP) Items from the California home of Academy Awardwinning actress Joan Fontaine, including her 1941 Oscar for best actress, are heading to the auction block. The 104 lots of ne art, silver, lighting, furniture and jewelry are scheduled to be spread over four auctions and could realize more than $1 million, Christies said Tuesday. Her Oscar for her role as the timid wife in Alfred Hitchcocks Suspicion opposite Cary Grant could bring $200,000 to $300,000 on Dec. 11. The actress died last December in her home in Carmel, Calif., at age 96. The entire proceeds will benet the Society for the Prevention of Cruelty to Animals in Monterey, Calif., the auction house said. Fontaine was a big supporter of the SPCA. 11 50475489 rfnttb nbn bnnfbbbfnftf Ft. Myersf Gainesville Jacksonvillef Miami Dade/Broward f Orlandof Panama Cityf Pensacolaf Sarasota nbb Tallahasseef Tampa/St. Pete f West Palm Beachf rfrnttrbrt n frn Eliott Rodriguez Frank Denton Rosemary Goudreauft nn Follow live commentary throughout the debate from the Before You Vote Social Media Panel & 50473261 rfntbrfrnttrffrfnrfrrt fbffbtftrfttfbfrb rffffbrrfffff b 941-206-2505 ALWAYS IN YOUR BEST INTEREST 5.25 $20,000 minimum deposit. All deposits insured and guaranteed. Certain restrictions apply. Subject to availability. Rates may change without notice. Promotional incentive included to obtain yield. Early withdrawal penalties apply. Other rates available depending on deposit and length of term. 50472553 50471018 Coming in October rfntbtf rftfntnt tft Get the coopttt btfnfr 50471031 Major Tax Foreclosure Online REAL ESTATE AUCTIONAll Sperry Van Ness Oces Independently Owned and Operated800.254.1280 Louis B. Fisher, III #AU220 October 30 November 5Buy One or More 150 + Properties in 16 CountiesThroughout Florida Including Your Market Area ALL Selling to Highest Bidders 4% Broker Cooperation 50471027 50472699 New advances in 3D CBCT imaging technologies has made it easier to diagnose disease and plan dental implant surgery more accurately Benefits of 3D CBCT 3 Dimensional Diagnosis Identification of bone-loss/disease Definitive Implant planning Computer guided surgery 1/100th the exposure of Medical CT Scan Joseph H. Farag, D.M.D. 3441 Conway Blvd, Port Charlotte (941) 764-9555 Now Accepting New Patients 50472333 Coming in October rfnf rtbr tf Get the coop brt Reach Florida with a single phone call! Hello 50471032 50474936 6O%y,,J L"PC(','Nj P,:";is.C4nd-ekpHereYww.punlmpdcchambe-ccm-------------4' ll Ln[r,LA'AJFOR NEW PATENTS applies to newpatients 59 years and older.L--------------AMHomes -Farms -Land Businesses Recreational Properties Scenic ViewsFLORIDA RESIDENTS DON'T MISS OUT...Our Photo Team is flying in your county in the coming weeks,we will only be in your area a limited time...GErPHOTOS OF YOUR PROPERTYCAPTURED FROM THEAIRNOWIDon't miss out. Visit our website or call us to get yourlocation scheduled before we leave your area.FREE 20x3O enlargement of your favorite viewl 877-684-7500Offer good now through October22 -DEBATf E1 The race for the Governor of Flori-l7 a 13PopaP LSoNew Construction o PoolRenovations oSattwater PoolsIDock Resurfacing oPayer DecksHeat Pumps osolar Hearingoscreen Enclosures oRepairsLeak Detection Stain RemovaloWeekty Pool Service24100 Tiseo Blvd. Unit 6Port Charlotte, FL 33980+0PORT CHARLOTTED E N T A L C A R EIIMMKII
PAGE 15
The Sun /Wednesday, October 15, 2014 WIRE Page 3 SP40446 Our newest wireless remote streaming technology! Last Week5 0 % O F F 5 0 % O F F 50% OFF This special offer will expire 10/10/14 no-cost no-interest Insurances accepted >> walk-ins welcome >> wax-removal assistance 50474961 This special offer will expire 10/17/14 ARE YOU TIRED OF SAYING"WHAT"ALL THE TIME FREE TRIALITry the most advanced hearing technology in theworld at your local Audibel Hearing Center today.weartime S C A n + V7; \UDIBEL lIrtfit, r, tr, nn 6 I,,,Nearly Invisible completely incanal style fits up to 40db loss!each!manufacturer discountwhile supplies last! 799 Limit 1 pair 449per householddeep fitting solution with ext l, 1 1invisible affordable advanceSurflinkMobile Remote SPECIAL OFFERS 50%orF`. THRU FRIDAYONLY!NEW' OUR LOWEST PRICES EVER! 4110 FOur Best Technology On Sale Now!EKIJCrICIDC8101CIaritYDesigned to maintain speech understanding inAiiiaziIlfl noisy environments and reduce listening effort.Virtually eliminates annoying buzzing and whistlingSince 1961 Enhances clarity by pinpointing sounds you wantAmerican Owned r, iiik Jto hear and minimizing those you don't.AUD I BELAmerican. Hearing. Excellence.Reserve an appointment toqualify for our No-Cost Trial Ca 11 jProgram. Call for details.rtoday.You're In The Right Place Platinum Promise 1000+ practicesWalk into any Audibel office across the country and you'll experience The Platinum Promise is a result of a collaborated effort to ensuresomething that's becoming more rare every day. You'll experience a Audibel provides premium customer care across the country.healthcare practice where care and service drive everything we do. It's our way of delivering peace of mind to every person who seeksWhere people come first. And everybody who works here shares a our help by letting them know that Audibel is dedicated to settingcommon goal: to help our patients hear their very best. the industry standard of what patient care really means, and that theyWe call it American Hearing Excellence. And when you experience it, can expect American Hearing Excellence no matter which Audibelyou'll know you're in the right place. office they visit anywhere in the country.' BATTERY I FREEaluatioSPECIAL!REPAIRSf r I 99per All Makespk. All Models.r l all sizes for any Bring in your damaged rhearing aid I hearing aid. If we canrfix it in our lab, we(III up to 3 packs! I will, at no charge! Discover the solutionthat's best for YOU!VENICE PORT CHARLOTTE4238 S. TamlaN TrailrMnw11 1649 Tamlaml Trail4238 S. Tamiami Trail 1655 Tamiami TrailMEDICAL PARKLai Venice, FL 34293 Port Charlotte, FL 33948w EARINGH941-451-5070 941623 4918I AV OIHEL 16',RYUIDQRID y[U+11Behind Outback Steakhouse Across US 41 from Taco BellLikeW atDISC VER y11 f, Hearing Florida Audibel Hearing Centers / KDW MSW
PAGE 16
Page 4 WIRE The Sun /Wednesday, October 15, 2014 FROM PAGE ONE ALMANAC Today is Wednesday, Oct. 15, the 288th day of 2014. There are 77 days left in the year. Today in history On Oct. 15, 1914, the Clayton Antitrust Act, which expanded on the Sherman Antitrust Act of 1890, was signed into law by President Woodrow Wilson. On this dateIn 1917, Dutch dancer Mata Hari, convicted of spying for the Germans, was executed by a French firing squad outside Paris. In 1928, the German dirigible Graf Zeppelin landed in Lake hurst, N.J., completing its first commercial flight across the Atlantic. In 1946, Nazi war criminal Hermann Goering 1964, The St. Louis Cardinals won the World Series, defeating the New York Yankees 7-5 in Game 7 at Busch Stadium. Songwriter Cole Porter, 73, died in Santa Monica, Calif. In 1969, peace demonstrators staged activities across the country as part of a moratorium against the Vietnam War. In 1976, in the first debate of its kind between vice-presiden tial nominees, Democrat Walter F. Mondale and Republican Bob Dole faced off in Houston. In 1989, South African officials released eight prominent polit ical prisoners, including Walter Sisulu. In 1991, despite sexual harass ment allegations by Anita Hill, the Senate narrowly confirmed the nomination of Clarence Thomas to the U.S. Supreme Court, 52-48. In 1999, the humanitarian group Doctors Without Borders was named winner of the Nobel Peace Prize. Todays birthdays Former auto executive Lee Iacocca is 90. Jazz musician Freddy Cole is 83. Singer Barry McGuire is 79. Actress Linda Lavin is 77. Rock musician Don Stevenson is 72. Actress-director Penny Marshall is 71. Baseball Hall of Famer Jim Palmer is 69. Singer-musician Richard Carpenter is 68. Tennis player Roscoe Tanner is 63. Singer Tito Jackson is 61. Actor-comedian Larry Miller is 61. Actor Jere Burns is 60. Actress Tanya Roberts is 59. Britains Duchess of York, Sarah Ferguson, is 55. Chef Emeril Lagasse is 55. Actress Vanessa Marcil is 46. Actor Dominic West is 45. Rhythmand-blues singer Ginuwine is 44. Actor Chris Olivero is 35. Actor Brandon Jay McLaren is 34..ODD NEWS Police: Drunken Santa zombie enters homerovia, where people move freely across borders. While some regions have seen the number of Ebola cases stabilize or fall, Aylward said that doesnt mean they will get down to zero. He said WHO was still focused on trying to treat Ebola patients, despite the huge demands on the broken health systems in West Africa. It would be horrically unethical to say that were just going to isolate people, he said, noting that new strategies like handing out protective equipment to families and setting up very basic clinics without much treatment was a priority. Aylward said there was no evidence any countries were hiding Ebola cases but said countries bordering the affected area, including Ivory Coast, Mali and Guinea-Bissau, were at high risk of importing the disease. This is not a virus thats easy to suppress or hide, he said, noting there hasnt been a huge amount of international spreading so far. I dont expect this virus to just go anywhere. There is exit screening in place and sick people wont be moving.ias U.N. peacekeeping mission to place 41 other staff members under close medical observation. He arrived in Leipzig for treatment on Oct. 9. The hospitals.EBOLAFROM PAGE 1learned under Charlie: Charlie promised that he would cut taxes, he didnt. He raised taxes $2 billion. He said he was against tuition increases and he signed legislation that allowed tuition to go up 15 percent a year, Scott said recently. Charlie has to take responsibility. Scott has had his own problems getting his proposals implemented. Scott came into ofce promising to phase out the corporate income tax and impose an Arizonalike immigration law. Last year he said he supported Medicaid expansion. None of those policies came close to passing the Republican Legislature. Dockery noted that on each of the issues where Scott is attacking Crist, the ideas came from the Republican Legislature. The bulk of what Scott calls a $2.2 billion tax increase were then called fee increases. They included increases on a wide range of fees, from motor vehicle registration to shing licenses. Scott hasnt rescinded the bulk of them. I remember vividly at the time that I wanted to vote no and we were told by leadership that ... this was the only way to balance the budget, said Dockery, now a syndicated news columnist. Many of us voted for it not because Charlie Crist asked us to. It was because the legislative leadership asked us, forced us and somewhat threatened us to do it. The ability to allow universities to raise tuition by up to 15 percent a year was pushed by the University of Florida, which said the state wasnt giving state universities enough money, and the Republican Legislature supported it, Dockery said. The Legislature, including current U.S. Sen. Marco Rubio, passed a bill that allowed Progress Energy to collect money for a planned nuclear power plant. But Duke Energy, which bought Progress Energy, abandoned plans for the plant and continued charging customers. It was sold to us as a way of recouping money ahead of time, Dockery said. Nobody considered that it wouldnt be built. Thats where the real rub comes in. The project wasnt killed until after Crist left ofce and Scott became governor. Crist is standing by his record. The guy he picked as his running mate supported those policies. They thought it was the right thing to do at the time because it was, Crist said. Sometimes youve got to make tough decisions to get whats right for the people of your state and get us through a difcult patch. Thats exactly what I did and a lot of the Republicans around then did the same thing.ADSFROM PAGE 1 began two years ago. The strikes came amid anger among the Kurds in Turkey, who accuse the government there of standing by while Syrian Kurds are being killed by Islamic State militants in the besieged Syrian border town of Kobani. The Islamic State militants also have targeted Kurds in Iraq, who have to some extent been able to hold off their advances. The U.S. has been pressing Turkey a NATO ally to take a more active role in the campaign to destroy the Islamic State group, but the Turks have said they wont join the ght unless the U.S.-led coalition also targets Syrian President Bashar Assads government. The Obama administration sees those as separate ghts and has no appetite to go to war against Assad. Ofcials from Ankara participated in Tuesdays meeting at Andrews Air Force Base, Maryland. A U.S. military ofcial ofcial requested anonymity for providing the information. Earlier Tuesday, the U.S.-led coalition stepped up attacks on Islamic State targets in Kobani, launching 21 air strikes in and around the town. One of the strikes targeted the Tel Shair hill that overlooks parts of the city, according to Idriss Nassan, deputy head of Kobanis foreign relations committee. Nassan said Kurdish ghters later captured the hill and brought down the black ag of the Islamic State group. However,amas presidency. Ofcials acknowledged Tuesday that the airstrikes in Kobani may not be enough to prevent a militant takeover, given the lack of an effective ghting force on the ground. We certainly do not want the town to fall, White House spokesman Josh Earnest said. At the same time, our capacity to prevent that town from falling is limited by the fact that airstrikes can only do so much. Syrian Kurds have been begging the inter national community for heavy weapons to help bolster their defense of Kobani. Theyve also called for Turkey to open the border to allow members of the Kurdish militia in northwestern Syria known as the Peoples Protection Units, or YPG to travel through Turkish territory to reinforce the city.STRATEGYFROM PAGE 1 AP PHOTOThick smoke rises following an airstrike by the U.S.-led coalition in Kobani, Syria, while ghting continued between Syrian Kurds and the militants of the Islamic State group, as seen from Mursitpinar on the outskirts of Suruc, at the Turkey-Syria border, Tuesday., itsidas.BONDIFROM PAGE 1 (AP) A Dallas nurse being treated for Ebola has received a plasma transfusion from a doctor who beat his own infection with the deadly virus after getting a similar treatment. The reason: Antibodies in the blood of a survivor may help a patient ght off the germ.. Its maker says supplies are now exhausted, leading doctors to look at plasma transfusions as an alternative. Here is some background about the treatment: Q. What are antibodies? A. Antibodies are made by the immune system to ght a germ, and they remain in the blood for some time after an infection resolves. Certain immune system cells replenish them so the person is able to ght off infection if the same germ turns up again. It takes time for an Ebola patient to make enough, so the patient may need someone elses antibodies to ght the disease until they can produce their own. Q. Why are doctors giving plasma? A. Plasma, the clear part of the blood, contains antibodies. Plasma can be removed from whole donated blood or a donors blood can be ltered through a machine to extract just the plasma. A recipient must have a compatible blood type as the donor. Q. Is there any proof this works? A. Antibodies have helped many people battle other infectious diseases but its use against Ebola is too new to establish a track record. So many things affect whether an Ebola patient recovers how quickly the disease was diagnosed, whether intravenous uids and other supportive care was given that its impossible to know whether plasma or an antibody drug made a difference. Q. How often can someone donate plasma? A. Its believed you can replace your antibodies in about two days, so its not uncommon for people to donate twice a week, said Dr. James Crowe, an immunologist and director of the Vanderbilt Vaccine Center in Nashville. Q. Who else has received plasma? A. Brantly also donated plasma for Ashoka Mukpo, a freelance video journalist being treated in Nebraska, and a fellow doctor who served in Africa, Dr. Rick Sacra, who also was hospitalized in Nebraska and recovered. Brantly said in a recent speech that he also offered his blood to Thomas Eric Duncan, a Liberian man who was treated for Ebola in Dallas, but that their blood types didnt match. Duncan died on Wednesday, and Pham, the nurse, had been taking care of him.How plasma transfusions, antibodies fight Ebola 4oc11 B9O y(on mg deg)q P,
PAGE 17
The Sun /Wednesday, October 15, 2014 WIRE Page 5 BUSINESS NEWS/STOCKS Y acktmanSvcd24.16+.01+8.0 Y kmFcsSvcd25.81+.03+8.0 G lbSCAm28.31-.01+0.6 B alancedb19.73+.05+5.6 E qGrowb24.50+.16+2.1 R etIncb8.91+.03+6.6 rf S mCapGrBm6.75+.05-10.2 n S mCpGroAm44.95+.32-5.2 t W ellnessDb34.02-.23+24.3 D ynBald13.06+.06+8.0 D ynDivd3.59+.01+3.2 b G rowthb32.53+.12+9.8 I ncomeb42.83+.12+6.0 br L gCpVlIs29.21+.03+9.5 bf C apValIv8.99...+9.2 E qIncInv8.84+.03+9.6 H iYldMu9.40+.02+11.9 I nTTxFBInv11.54+.03+6.3 I nvGrInv32.41+.06+7.0 U ltraInv34.08+.01+9.0 bfn A MCAPAm27.18+.04+11.1 A mBalAm24.71+.04+9.0 B ondAm12.85+.02+5.3 C apIncBuAm58.02+.09+6.1 C apWldBdAm20.67...+3.9 C pWldGrIAm44.26+.04+5.1 E urPacGrAm46.36+.25-0.3 F nInvAm51.01+.11+8.4 G lbBalAm30.31+.02+6.0 G rthAmAm42.86+.05+7.9 H iIncAm10.94-.03+3.0 I ncAmerAm20.73+.03+7.8 I ntBdAmAm 13.61+.01+2.4 I nvCoAmAm37.54-.05+12.2 M utualAm35.03+.06+9.3 N ewEconAm36.88+.05+5.4 N ewPerspAm36.04+.23+3.2 N wWrldAm56.67+.17-1.8 S mCpWldAm46.31+.19-1.4 T axEBdAmAm13.15+.03+9.9 W AMutInvAm39.79+.02+10.9 n I ntld28.69+.12+0.7 I ntlVald34.68+.08+0.2 M dCpVal25.48+.18-1.0 M idCap45.09+.28+0.3 C oreSelNd21.42+.02+5.9 r A ssetb60.27+.39+6.7 G rowthb67.47+.64-0.3 P artnersb32.12+.32+3.4 n F ocusd16.20+.16-1.3 r E ngy&ResAm13.88-.25-8.5 E qDivAm24.07+.01+8.5 E qDivI24.14+.01+8.8 G lobAlcAm20.91...+2.9 G lobAlcCm19.33...+2.2 G lobAlcI21.03...+3.2 H iYldBdIs8.06-.04+5.4 H iYldSvcb8.06-.04+5.0 M gdVolInvAm15.00...+2.9 S trIncIns10.21-.02+4.4 AstMgr5017.61+.04+5.3 Bal 21.77+.02+9.2 BalK21.77+.03+9.3 BlChGrow61.63+.24+12.5 Canadad58.18-.47+3.6 CapApr35.96-.05+9.4 CapIncd9.78...+8.3 Contra95.52+.16+9.7 ContraK95.52+.15+9.9 DivGrow31.59+.01+10.7 DivrIntld34.15+.11-0.4 DivrIntlKd34.12+.11-0.3 EmergAsiad31.65+.09+4.3 EmgMktd24.17+.04-0.2 EqInc58.46+.02+7.3 FF201512.41+.02+4.5 FF203512.76+.04+4.3 FF20408.99+.02+4.3 FltRtHiInd9.80-.01+2.3 FocStk18.76+.03 +3.4 FourInOne35.58+.10+6.1 FrdmK201513.42+.02+4.7 FrdmK202013.99+.03+4.7 FrdmK202514.47+.03+5.0 FrdmK203014.65+.04+4.6 FrdmK203515.00+.03+4.4 FrdmK204015.05+.04+4.4 FrdmK204515.43+.04+4.5 Free202015.07+.03+4.6 Free202512.81+.03+4.8 Free203015.58+.04+4.5 GNMA11.63...+5.2 GrowCo120.02+.43+8.5 GrowInc27.96+.06+9.4 GrthCmpK119.96+.43+8.6 HiIncd9.11-.02+4.3 Indepndnc36.51+.20+11.7 IntRelEstd9.87+.03-2.2 IntlDiscd36.48+. 10-3.8 InvGrdBd7.95+.01+5.9 JapanSmCod12.62+.03-7.4 LatinAmd31.60-.04-4.4 LevCoStd41.37+.20+2.0 LowPrStkKd46.93+.16+5.6 LowPriStkd46.96+.16+5.5 Magellan89.17+.33+12.2 MeCpSto15.41...+11.3 MidCapd35.86+.28+4.8 MuniIncd13.59+.04+11.1 NYMuIncd13.69+.05+10.3 NewMille38.63+.04+7.4 Nordicd41.04-.02+3.6 OTC74.04+.55+13.1 Overseasd36.87+.19-1.2 Puritan20.33+.01+9.3 PuritanK20.32+.01+9.4 SASEqF14.12+.02+10.6 SInvGrBdF11.51+. 01+6.1 STMIdxFd54.90+.17+10.1 SesAl-SctrEqt14.12+.03+10.4 SesInmGrdBd11.51+.01+6.0 ShTmBond8.62...+1.5 SmCapDiscd27.81+.23-1.3 StratInc10.98-.01+5.3 TaxFrBd11.75+.03+11.0 TotalBd10.76+.01+6.0 USBdIdx11.77+.01+5.6 USBdIdxInv11.77+.01+5.5 Value103.94+.56+7.4 ValueDis22.60+.03+14.3nrEqGrowBm75.19+.05+9.6 IntlCapABm12.49+.07+0.7 LmtdTermBondAm11.54...+3.0 LmtdTermBondBm11.52...+2.2 LrgCapAm27.13+.03+11.0 LrgCapBm25.24+.03+10.2 NewInsAm26.16+.05+7.6 NewInsI26.65+.05+7.8Biotechd200.39-1.30+19.4 Electrond69.75+.83+18.7 Energyd47.79-.65-10.0 InstPlus172.26+.27+12.0 InstTStPl42.55+.13+10.3 IntlGr21.44+.05-2.9 IntlGrAdm68.24+.15-2.8 IntlStkIdxAdm26.05+.03-1.9 IntlStkIdxI104.16+.12-1.9 IntlStkIdxIPls104.17+.12-1.9 IntlVal35.04+.07-1.9 LTGradeAd10.81+.04+18.2 LgCpIdxInv34.75+.06+11.3 LifeCon18.39+.04+6.2 LifeGro27.60+.06+6.4 LifeMod23.39+.05+6.3 MdGrIxInv35.40+.28+5.5 MidCapIdxIP149.71+1.10+8.1 MidCpAdml137.39+1.00+8.1 MidCpIst30.35+.22+8.1 MorgAdml79.00+ .16+8.9 MuHYAdml11.31+.04+11.7 MuIntAdml14.36+.04+7.9 MuLTAdml11.82+.04+11.6 MuLtdAdml11.10+.01+2.5 MuShtAdml15.87...+1.0 Prmcp97.29+.44+15.6 PrmcpAdml100.95+.45+15.8 PrmcpCorI20.45+.11+13.8 REITIdxAd105.91+1.71+14.6 REITIdxInst16.39+.26+14.7 STBondAdm10.56+.01+1.8 STCor10.77+.01+2.8 STGradeAd10.77+.01+2.9 STIGradeI10.77+.01+2.9 STsryAdml10.74+.01+1.2 SelValu27.41+.17+5.6 SmCapIdxIP145.68+1.45+2.7 SmCpIdAdm50.46+.50+2.7 SmCpIdIst50.46+.50+2.7 SmVlIdIst22.97+.21+6.2 Star 24.19+.07+7.0 StratgcEq30.15+.28+9.4 TgtRe201026.36+.04+5.7 TgtRe201515.14+.03+6.1 TgtRe202027.71+.06+6.4 TgtRe203027.99+.06+6.4 TgtRe203517.12+.04+6.5 TgtRe204028.41+.06+6.3 TgtRe204517.82+.04+6.3 TgtRe205028.29+.07+6.4 TgtRetInc12.74+.02+5.2 Tgtet202516.03+.04+6.5 TlIntlBdIdxInst31.41+.07+7.3 TlIntlBdIdxInv10.47+.03+7.2 TotBdAdml10.93+.02+5.6 TotBdInst10.93+ .02+5.6 TotBdMkInv10.93+.02+5.5 TotIntl15.57+.01-2.0 TotStIAdm46.91+.14+10.2 TotStIIns46.92+.14+10.2 TotStISig45.27+.13+10.2 TotStIdx46.89+.14+10.1 TxMCapAdm95.62+.21+10.9 ValIdxAdm30.25+.04+11.5 ValIdxIns30.25+.04+11.5 WellsI25.45+.02+8.4 WellsIAdm61.66+.06+8.5 Welltn38.65+.03+9.2 WelltnAdm66.76+.06+9.3 WndsIIAdm65.94+.13+9.8 Wndsr20.29+.08+7.8 WndsrAdml68.48+.28+7.9 WndsrII37.16+.08+9.8rSpecValAm20.21+.01+3.0fnEmgMktsIs10.11...+4.4nLgCpVald12.00+.02+3.4nrDiscovInv30.06+.33-4.7 GrowInv47.13+.21-1.7 Outk2010Adm13.50...+3.7 EqIx14.37+.04+10.1SmCapVal25.52+.20+1.3brInFEqSeS20.85-.08-3.5fValued57.03+.31+1.9rbnrBond11.73+.02+3.9 LargeCap48.19+.18+9.1rfIncBldCm20.61+.02+5.0 IntlValI28.79+.12-5.3IncomeAm9.34...+7.7 MidCapGrAm18.64...+1.5rfGoldm36.65+.37+4.1nbAssAllGrCm15.00+.06+4.1 AstAlModCm13.05+.02+3.6fSmCapGr34.54+.30-7.3rGlobVald26.19-.06+2.8rnrGld&Precm6.19+.09-5.8 GlobResm7.88-.06-16.5CorstnMod14.89+.03+5.0 GNMA10.04+.01+3.9 GrowInc21.68+.09+9.8 HYOppd8.72-.02+7.3 PrcMtlMin13.94+.17-2.1 SciTech20.30+.09+15.6 TaxELgTm13.86+.04+10.9 TgtRt204012.78+.04+2.9 TgtRt205012.58+.04+2.7 WorldGro25.76+.06+2.4WinInvm16.94-.09+0.1fPremGrob33.15+.20+4.1f500Adml173.38+.27+12.0 500Inv173.38+.28+11.9 500Sgnl143.22+.23+12.0 BalIdxAdm28.06+.07+8.4 BalIdxIns28.06+.06+8.4 BdMktInstPls10.93+.02+5.7 CAITAdml11.89+.04+8.6 CapOp47.63+.34+10.6 CapOpAdml110.03+.78+10.7 Convrt13.18+.01+0.3 DevMktIdxAdm12.06+.02-3.1 DevMktIdxInstl12.08+.03-3.1 DivGr21.55+.02+10.0 EmMktIAdm34.57+.12+1.3 EnergyAdm114.72-1.17-5.8 EqInc29.76+.01+9.7 EqIncAdml62.38+.02+9.8 ExplAdml88.45+.66-0.6 ExtdIdAdm60.12+.56+2.7 ExtdIdIst60.13+.57+2.7 ExtdMktIdxIP148.40+1.39+2.8 FAWeUSIns92.44+.13-1.9 FAWeUSInv18.51+.03-2.0 GNMA10.80+.01+5.4 GNMAAdml10.80+.01+5.5 GlbEq22.93+.08+4.5 GroInc40.53+.04+12.3 GrthIdAdm48.55+.13+11.4 GrthIstId48.55+.13+11.4 HYCorAdml5.98-.02+6.0 HltCrAdml86.40-.28+24.7 HlthCare204.77-.65+24.7 ITBondAdm11.61+.02+6.9 ITGradeAd10.00+.01+6.9 InfPrtAdm26.65+.03+3.7 InfPrtI10.85+.01+3.6 InflaPro13.57+.01+3.6 InstIdxI172.25+.27+12.0 nr 21stCentb19.55+.08+7.2 FlexCapb17.49+.07+5.3MeridnGrd36.00+.30+3.6rrnTotRetBdI10.92+.02+6.1 TotRtBdb10.93+.02+5.9nfnMagicm23.07+.03+5.5 Midasm1.21+.01-16.0nLSInvBdY12.08-.02+5.9 LSStratIncCm16.58-.01+5.8bGrowthm42.87+.02+1.2fbSmCpGrInv24.97+.18-3.9rnnrnGrowth16.36-.01+3.5rStkIdx23.27+.04+12.0fNYMuniBdI11.18+.03+11.4nnrnBlkOakEmr3.79+.04+6.2 HlthSinces20.58-.03+17.3 PinOakEq45.92+.19+9.1 RedOakTec14.76+.10+9.8bEqIncI32.60+.10+5.8 GlobalI28.74+.33-0.2 IntlI 23.73+.20-7.2 OakmarkI65.02+.34+11.9 SelectI42.68+.33+16.2nfGlbOppo7.90-.05NA GlbSmMdCp15.94...+1.0 LgCpStr12.34+.04+4.9bDevMktAm38.17+.03+0.7 DevMktY37.79+.03+1.0 GlobAm75.85-.10+2.0 IntlGrY33.83+.11-5.6 MainStrAm49.29+.08+10.5 SrFltRatAm8 .25-.01+2.9 StrIncAm4.12-.01+4.1nnOsterStrInc11.69-.01+3.7AllAssetI12.28...+4.1 AllAuthIn10.00...+1.6 ComRlRStI5.27...-6.3 EMktCurI9.94...-1.9 EmgLclBdI9.18...-2.1 ForBdInstl11.18+.01+9.7 HiYldIs9.42-.03+4.8 IncomeP12.69-.02+9.5 IncomeDb12.69-.02+9.3 IncomeInl12.69-.02+9.6 LgDrTRtnI11.90...+16.8 LgTmCrdIn12.97...+17.2 LowDrIs10.31-.01+1.5 RealRet11.53...+4.4 ShtTermIs9.90...+1.6 TotRetAm10.97-.01+3.9 T otRetAdmb10.97-.01+4.1 TotRetCm10.97-.01+3.1 TotRetIs10.97-.01+4.3 TotRetrnDb10.97-.01+4.0 TotlRetnP10.97-.01+4.2 UnconstrBdIns11.27-.02+2.2nnAggGr29.45+.41+6.9 Growth23.54+.16+6.9nnfnCoreEqInv37.45+.16+11.7rBalb24.41+.05+6.1bPortfolio43.00+.14+0.6 ComstockAm23.58+.04+8.6 DivIncInvb19.85+.10+13.1 EnergyAm41.08-.43-8.1 EnergyInvb40.93-.43-8.1 EqIncomeAm10.77+.01+7.7 EuroGrAm35.88-.04-2.7 GlbGrBm27.46...+4.0 GrwthAllAm13.64+.03+3.7 PacGrowBm21.68+.06-1.6 SmCapEqAm15.21+.12-3.5 TechInvb37.41+.35+6.0 USMortAm12.55...+5.0WorldwideId18.00+.04+4.1AssetSTrBm28.01+.06-3.0 AssetStrAm29.10+.06-2.3 AssetStrCm28.15+.06-3.0 AsstStrgI29.39+.06-2.0rCoreBdUlt11.83+.01+5.2 CoreBondSelect11.82+.01+5.0 HighYldSel7.88-.02+5.3 LgCapGrSelect31.47+.08+8.5 MidCpValI35.66+.23+8.9 ShDurBndSel10.93...+1.1 USLCpCrPS28.18-.02+10.9fnBalCm30.06+.07+6.6 ContranT21.71+.24+16.9 EnteprsT80.06+.57+5.4 FlexBdSb10.62...+5.1 GlbValT14.28-.02+6.0 HiYldT8.98-.04+5.2 JanusT41.01+.21+8.5 OverseasT33.35-.07-5.8 PerkinsMCVL23.83+.11+6.5 PerkinsMCVT23.58+.11+6.4 PerkinsSCVL25.61+.13+4.5 ResearchT44.08+.12+11.6 ShTmBdT3.06...+1.4 USCrT20.36+.08+11.4 VentureT61.84+.45+2.0rrDisValMdCpI18.07+.09+8.3 DiscValI18.02+.03+8.6 LifBa1b15.19+.02+4.6 LifGr1b15.91+.04+4.6tEmgMkEqInstd18.91+.04-0.9nrCBAggressGrthAm188.23-.28+11.0WAManagedMuniAm16.94+.03+11.4brMasIntlIntl16.66+.14-4.8rnLongPart32.67+.26+3.9rrbnnBdInstl15.39...+6.5 BdRb15.32...+6.2rAffiliatAm15.66+.06+10.3 ShDurIncAm4.52...+3.0 ShDurIncCm4.55...+2.3 ShDurIncFb4.51...+2.8IntlValAm32.43+.04+1.2 IsIntlEq20.93+.05-2.1 MAInvBm26.55+.03+6.8 ValueAm32.56+.02+8.6 ValueI32.72+.02+8.9HiYldCorAm5.88-.02+4.1 Mktfield16.31+.10-10.0nrGrthInv107.40+.50+5.1PBConTrmS13.83+.02+4.5 PBMaxTrmS19.55+.05+3.6 WrldOppA7.94-.01-8.2 Goldd19.20+.24-2.0 HealtCard208.33-.64+31.2 Leisured125.36+1.74+7.8 Materialsd76.98+.50+0.2 MedDelivd76.57-.35+16.6 MedEqSysd37.23-.11+18.8 NatGasd34.86-.63-6.5 NatResd33.14-.40-11.1 Pharmd20.50+.01+25.8 Wirelessd8.96+.05+4.3500IdxAdvtg66.65+.11+12.0 500IdxInstl66.65+.11+12.0 500IdxInv66.65+.11+12.0 ExtMktIdAgd50.38+.46+2.7 IntlIdxAdgd37.64+.12-2.5 TotMktIdAgd54.89+.17+10.1SeriesGrowthCoF10.65+.04NAnGlbAm53.05+.16+3.0nnrnGlobalAm8.15+.05+1.9 TotalRetAm19.00+.03+5.7ne-Comm8.08+.08+13.5bFedTFAm12.56+.03+11.6bCATFAm7.56+.03+14.5 EqInAm22.53+.06+7.4 FLTFAm11.32+.02+10.1 GrOppAm28.55+.17+6.3 GrowthAm67.27+.31+12.1 IncomeCm2.42...+7.1 IncomeAm2.39...+7.3 IncomeAdv2.37...+7.5 RisDvAm47.57+.08+4.7 StrIncAm10.43-.02+4.3 TotalRetAm10.17...+5. 8bffDiscovZ33.38-.03+4.6 DiscovAm32.82-.03+4.3 SharesZ28.52+.01+7.0 SharesAm28.23+.01+6.7bbrGlBondCm13.23-.03+3.4 GlBondAm13.20-.03+3.8 GlBondAdv13.16-.03+4.1 GrowthAm23.61-.01+0.2 WorldAm18.28-.02-0.5S&SUSEq55.99-.07+9.9AABdIV25.53...+4.3 IntItVlIV23.30+.05-3.6 QuIII23.22+.01+12.0 USEqAllcVI17.04-.01+9.4AssetAAAm62.35+.30+3.0 EqIncomeAAAm27.11+.04+5.5 Valuem18.19+.091.1bSmCapEqAd23.53+.22-4.9rbnMidCpVaIs44.81+.21+6.9 ShDuGovAm10.16...+0.8rBond12.29...+4.3 CapApInst56.72+.10+11.3 IntlInstl65.13...-4.8rCapAprAm45.74+.14+6.6 CpApHLSIA50.53+.18+6.0 SmallCoBm18.38+.19+1.8ValuePlusm31.86+.39-3.3nnCornerGrInv16.46+.16+7.6rnHodgesm35.19+.21+7.3 LCGrIInst12.41+.03+6.7 SAMConGrAm17.69+.03+5.1fnbBlendAm21.44+.07+4.3 IntlEqtyCm6.76...-1.2fbGlbUtilBm12.07+.05+6.4 GrowIncAm19.91...+9.3 IntlNewBm16.32+.01-2.7 SmCpValAm14.21+.11-1.5rnBlueChipb72.63+.28+4.9rValueSvcm12.57+.08-0.1ElectrInv63.81+.96+6.6 HlthCrAdvb26.45-.08+17.7 Nsdq100Iv22.64+.01+17.01000Invd49.77+.12+10.8 S&P500Seld29.76+.05+12.0rfInterntl33.78+.12-5.0CmnStkAm42.70-.08+7.7frSequoia211.84+1.41+3.3bGrowth70.65-.15+13.2rSmCapVald68.96+.52+1.7rBalanced23.01+.04+6.1 BlChpGr63.76+.23+10.1 CapApprec26.78+.05+10.0 CorpInc9.97+.01+9.7 EmMktStkd33.35+.12+1.0 EqIndexd50.62+.08+11.8 EqtyInc32.05+.07+6.0 FinSer20.18+.09+6.3 GNMA9.66-.01+4.7 GlbTech14.31+.09+25.3 GrowStk51.71+.28+9.2 HealthSci65.30-.20+23.3 HiYieldd7. 00-.03+5.4 InsLgCpGr26.64+.15+8.8 IntlEqIdxd12.57+.02-3.4 IntlGrIncd14.69+.04-0.8 IntlStkd15.72+.07-0.5 MediaTele68.54+.52+8.8 MidCapVa30.43+.15+8.5 MidCpGr72.35+.52+6.5 NJTaxFBd12.23+.05+10.5 NewAmGro43.65+.17+9.2 NewAsiad16.97+.02+5.5 NewHoriz43.68+.37+2.2 NewIncome9.62+.01+5.9 OrseaStkd9.45+.01-2.3 R201514.54+.03+5.7 R202515.46+.05+5.9 R203516.22+.05+5.7 Reald24.51+.40+15.3 Rtmt201018.20+.03+5.6 Rtmt202020.60+.05 +5.8 Rtmt203022.62+.07+5.9 Rtmt204023.27+.09+5.8 Rtmt204515.51+.06+5.7 SciTech40.13+.19+15.7 ShTmBond4.79...+1.5 SmCpStk41.92+.43+0.5 SmCpVald45.67+.47-2.1 SpecGrow23.59+.09+5.4 SpecInc12.89...+5.2 SumMuInc12.03+.04+11.8 TaxEfMultd19.75+.14+6.2 TaxFShInt5.68...+2.4 Value34.18+.12+9.6TotRetBdI10.35...+5.9BdIdxInst10.94+.02+5.4 fBruce502.35+1.33+15.6Focus36.16+.13-0.3fnIntlVlInsd15.04+.06-2.1Clipper92.55+.17+9.0rnRealty72.32+1.23+14.4rfbAcornIntZ43.16+.06-1.8 AcornZ33.44+.31-2.5 IntlVlBm13.13...-4.2 Mar21CBm16.90+.07+6.5 MarGrIAm23.88+.06+8.3fnnComStrInstl6.80-.04-7.91YrFixInI10.33...+0.5 2YrGlbFII10.03+.01+0.7 5YrGlbFII11.12+.01+3.1 EmMkCrEqI19.68+.09+0.3 EmMktValI27.63+.13-1.3 IntCorEqI11.57+.01-3.3 IntSmCapI18.55+.05-2.7 IntlSCoI17.40+.01-3.4 IntlValuI17.61+.01-4.2 RelEstScI30.45+.51+14.8 USCorEq1I16.34+.07+8.3 USCorEq2I15.95+.06+6.8 USLgCo14.82+.02+11.9 USLgValI31.24-.02+9.5 USSmValI32.50+.32+0.7 USSmallI28.36+.30-0.4 USTgtValInst21.02+.17+1.3nNYVentAm37.35+.06+6.4 NYVentY37.87+.07+6.7nAmerGovtAm8.58+.01+6.7fnCoreEqAm23.19+.08+11.0 CoreEqS23.38+.08+11.3 GNMAS14.57-.01+5.4rrBal 98.78...+10.1 GlbStock11.76+.01+10.4 Income13.93...+6.6 IntlStk42.72+.09+5.1 Stock167.99-.22+10.7rfTotRetBdNb11.01...+5.6fnAppreciaInv52.52-.10+8.9 MidCapIdx35.85+.33+3.8 MuniBd11.91+.04+10.9 NYTaxEBd15.07+.05+9.4 ShTrmIncD10.63+.01+1.6 SmCoVal31.13+.28-6.0rDivBldrAm13.65-.01+11.1 FltgRtI9.00-.01+2.1 TMSmCaBm19.14+.17-2.6CommStk27.88+.25+4.5 LgCap21.12+.06+8.5Capitald40.21...-3.4 Cresd33.06...+6.9 NewIncd10.20...+1.7rbfnFairhomed35.46+.35-4.3HiIncBdAm7.64-.02+4.4 IntSmMCoAm37.49+.20-9.0 KaufmanAm5.92+.03+5.3 MDTMdCpGrStBm36.43+.33+9.0 StrValI5.97-.01+12.5 CLOSE CLOSE br b rbn AVHI13.6720.82 +0.9-21.3-25.9dd... nnn ARCB22.6745.68 +2.8-6.8+33.1220.12 rb BAC13.8018.03 +0.7+6.1+16.1190.20f r CCL31.8442.31 +2.2-13.8+8.2201.00 rn CHS14.3919.84 +2.9-20.1-7.9220.30 CBRL92.84118.63 +5.0-1.7+0.6204.00 n DIS65.7891.20 +0.3+10.1+28.0200.86f rr ETN58.2179.98 +1.3-22.4-13.2171.96 rfnb FBHS36.6547.92 +0.1-17.4-6.2230.48 r FRO1.185.18 +3.0-62.8-40.0dd... nr HRS58.0479.32 +0.5-11.4+6.7131.88f n PFF36.6340.09 +0.3+6.6+11.2q2.68e rf KSU88.56125.96 +3.2-7.0-0.6281.12 r LEN32.1544.40 +2.0-3.0+8.5160.16 r MNI2.757.39 -2.0-11.8-2.53... NEE80.05102.51 +0.6+9.0+17.0202.90 r ODP3.845.85 +0.5-15.8-11.7dd... PGTI7.3412.61 +2.5-13.9-12.819... r PNRA142.41193.18 +2.8-7.0+0.224... b PBA30.45 48.89 -1.6+5.8+22.2331.74 rrn POM18.3327.92 +0.7+41.0+48.7221.08 rrn PNX37.2864.89 +4.2-2.8+45.4 ... brbn RJF41.8556.61 -0.1-4.1+20.2160.64 f RS61.2476.78 +0.5-18.7-14.1141.40 R59.0293.87 +3.7+8.7+32.0161.48 rr JOE16.8226.64 +2.0-1.4-3.64... f SBH24.0931.83 +1.5-8.2+4.919... brr SPG147.51177.31 +1.3+18.6+19.2375.20 SMRT11.2516.17 +0.2-6.8-11.6250.30 ffnn STI33.0941.26 +0.4-2.8+8.1120.80 frrb SGC12.8322.94 ...+35.9+67.1170.60f TE16.1218.53 +2.0+7.5+12.1190.88 TECD48.3571.31 +0.7+4.3+7.110... nr WEN7.6110.27 +3.5-9.7-8.5280.20 rfn INT36.44 49.80 -0.1-14.6+0.3130.15 Dear Dave: Im in college, but Im not the typical college student. Ive gone back to law school after working for several years. My wife and I have followed your plan, and were completely debtfree. Im cash owing school, and weve been fortunate enough to build up about $2 million in investments. The other day I saw what I consider to be a collectible car Id love to have a 1988 Pontiac Fiero thats in excellent condition for $10,000. Should we wait until I nish school, or is it okay to buy it now? Rick Dear Rick: Wow, Im impressed. You guys are in great shape. Youre totally debt-free, cash owing law school and you have $2 million sitting there. My advice? As long as youve got the cash on hand, and it wont hinder your college plans, your lifestyle or come out of your investments, buy the car! Youve worked your butts off to the point that $10,000 is nothing in your world. Its like most people buying a biscuit for breakfast. I mean, a purchase like this doesnt even move the nancial meter. Remember, there are three things you can do with money save, spend and give. Youre in an incredible position here, so theres no reason not to have a little fun. Youve earned it. Congratulations, Rick! DaveAsk for expectationsDear Dave: I loaned some money to a good friend recently. Hes going to help me with a job Im working on, so do you think I should pay him for the work or just forgive the debt instead? Charlie Dear Charlie: The big question is whether or not youve already agreed to pay him for the work. Another is how he views the situation. In his mind, he may just be helping a friend and looking at it as he still owes you the money. If you dont already have an agreement, my advice would be to ask him what his expectations are. Just talk to him, nd out what hes thinking and gure out what seems fair to you both. The big thing at this point is that youre on the same page. If you have already agreed on a certain amount, and the value of the work is pretty close to the amount you loaned him, you might talk to him about the possibility of knocking out the debt that way. Theres really no right or wrong answer to this question, Charlie. However, I would recommend not loaning money to friends or family in the future. Sometimes things work out and everyones happy. But in most cases it changes the dynamics of the relationship. Sooner or later this kind of thing will mess up a relationship. Dave Follow Dave on Twitter at @DaveRamsey and on the web at ramsey.com.Buy the dream car!Dave Ramsey NEW YORK (AP), and most indexes posted modest gains following a threeday slump. Dominos Pizza, Citigroup and Johnson & Johnson reported results that were better than analysts expected. The market also got a boost from airline stocks, which rebounded after sliding the day before. The modest rally provided a breather for investors, who have had a bumpy ride lately. The Standard & Poors 500 index has four losses and one gain of more than 1 percent in the last week, a surge in volatility following a mostly quiet summer. Even before the recent turbulence, stocks have been declining for nearly a month. The S&P 500 index has fallen 6.7 percent since hitting a record high on Sept. 18 as investors worry that economies in Europe and Asia are slowing. The bank earnings this morning certainly made people feel a little bit better, said Joe Peta, managing director at Novus Partners. For the time being, at least, the panic selling is over. The major stock indexes remained in positive territory until the last hour of trading, when they began to fade, threatening to deliver the second last-minute slide in two days. By the end of the day, the Dow had lost 5.88 points, or 0.04 percent, to 16,315.19. The S&P 500 index rose 2.96 points, or 0.2 percent, to 1,877.70. The Nasdaq gained 13.52 points, or 0.3 percent, to 4,227.17.Energy stocks stymie marketThe key to xing a problem with our binary buddies is determining what the specic problem is. There are thousands of xes for as many problems, but determining the specics of an issue is the only way to resolve it. Finding the cause is what a technician does, and then he chooses the solution appropriate to the cause. Many of us like to take a stab at the problem rst. Sometimes we are successful, or there is always the phone number for a local tech. Here are some simple solutions that may work if the diagnosis of the problem was correct. Occasionally a frantic call comes in that a laptop wont start no lights, no power, nothing. More often than not, the laptop is trying to run on a dead battery. Plug in the power cord and the laptop starts up. Sporadically, the battery goes bad and prevents the laptop from starting; remove the battery and try running the laptop just on the power cord. And nally, we can remove the battery, unplug the laptop and hold down the power button for 30 seconds. This is a hard, or forced, reset. Resetting our computer forces the system to clear and re-establish the software connections between the BIOS and the hardware, which may restore functionality. Now plug the laptop back in and try to start it normally. Another problem that rears its head is damaged Windows operating system les. This can be caused by third-party software, viruses and scamware, but more often by users poking around and deleting or changing les because we dont recognize what they are. Remember there are upward of 80,000 or more les in the operating system alone. Example: Recently, a Windows 8 machine was brought in because the tiles on the modern start screen would not open. The user would click on the tile; it would ash as if it wanted to open, then it would close. Because all tiles responded similarly, this problem was related to the Windows operating system. The x was to repair the affected operating system les, but nding them might seem daunting. Fortunately, built into Windows is the System File Checker program, or SFC. The SFC will inspect all of the important Windows les on your computer, including Windows DLL les. If the SFC nds an issue with any of these protected les, it will replace it. The process for utilizing this program is to open a command prompt by searching all programs for CMD, right mouse click on it, and choose Run as administrator from the context menu that appears. When the CMD window opens, type sfc/scannow and press Enter. It may take a long time for every le to be checked. In our example, it took 45 minutes to complete. If the SFC makes changes, it requires a restart of the computer. In our example, the tiles on the modern desktop functioned correctly after the restart. Specic solutions to unambiguous problems. Nederveld owns his own computer consulting and x-it service Bits, Bytes & Chips Computer Services. You can reach him at adakeep@hotmail. com or 941-626-3285.Diagnosis begins with specifics Bits & BytesCourt Nederveld 0 0
PAGE 18
Page 6 WIRE The Sun /Wednesday, October 15, 2014 rff rntrff nb bf bnbf f bnb nb bnbf b b bf b b ff r fff nbf nbbf t 3185Dominos84.30+8.58 ttf f brbr bf r f tr f f bn n tf nr f fn r f n bff rbrf bnfff bf b r br bf nnf r bb ff bf 10...EngyXXI6.63-.41 f rbf rbrff rt b t ff fnf fbrf f f n nb nrnf f nr bb nrb rr rb nbff bf rnbf brf frbr rb b bf bf br bntf bnbf br bnf brb brf f f nf nbr nrff nr nb nff nbf nrnbf r f nf f bbf ff rb ff r brf bnf nf nf tr nrnb f n frf rf b n dd...GoodrPet8.10+.45 nbff ff ff bf bn fbnff bnb bn 2...GNIron19.00-1.82 rnff bf b b nt ff f n nt nbrf fnbff nb fnbf nbf nbf nbrf fnrrbn nn rbtff rf nf b bf b brf rrff r r n brf f n fr b b rrf n nbf rf r rrf r ff fnrbff bnf bf rnf nn n b n bff rff b nf f tb tf b tr rf f nbf f btf b nt r rb rf rbr rb rnf frb rbr rbf f rn dd...JASolar7.02-.50 f b bnf n nff n nnf 1024JetBlue10.23+.82 nb rff br f t tfff rf f b b f b f ff bf ......KingDEnn11.25-.82 fb fn bnrff bnr bb bbff fbn bf dd...LakeInd21.43-7.57 nrnb nbr n nn nrf nb f r ff rrf rbff nr ff nb ff ff bnbf nnf f ff rrnff n f n f tf f tr n nt fnrf nf n nbnr nbnrrf b r ff f rtf btff nbr nbrf nbr nb fn nrb nrrf br n f bf rbf bf b bff brf brb rf fbf b brf bf f nrb ff nr brn nfff rbn nf t f ......NXPSemi56.58+2.68 nb nb b fnrn nrb rr nbf nrf rnb ff r rfff f t nf b r rb 196NewfldExp26.27-1.58 r f rbnf fb f f dd...NiskaGsSt10.27-.80 b f n b bfff rrrf frrf 1018NthnO&G9.98-.72 rff brbf rnbtr rf rff nbrf nnff bf bf f r f ff f b ff f f f f n rn ff nr fr nr rff f t f nr n ff rbf rf f bnf fbrf dd...Organovo5.84+.29 brf f rrbn f f ftf ff b fnnbf nbn fnbnbfff nbb nbbnf 18...PattUTI21.72-1.21 n n br dd...PennVa7.30-.56 rf nrf rnb rff bbff rnbr rbb rbbn bf nbn b f f rb r rbf r n bff b nbf rn bnnb bnrrf fbb bf bf bbff b br brf brf brf brt b bff b br brn bff b bf b tbf rbff b brn fbrf f rbf rb t n rnb t tf tnf tnb ftnf tnb tnr trf tb tf t tr tf tbn trn cc...RexEnergy8.09-.46 tbff tr trf tr tf ftbf ftbff tb tn tnb tf tf tn bfff b b b bf bt bf brff ntf nnfff r nb n nrf n n fn fnt n b n bf nbr nnrf dd11SearsHldgs28.49+2.77 bn f fb f rb r ff dd10BreitBurn14.00-.99 brbnr bb bf br bnf b fbbnf nf bb 24...C&JEngy18.96-1.18 f f 15...CNHIndl7.94+.41 ttff nr frf nrf n nff nnf nn nf fn nrbf 4730CallonPet5.18-.43 n nrfff nf nbf nf t t nb n nrnf rb nbrf nb fnb fnbnff nbff nbbf nrbnb fnbff f rbr rbf f bff r b ff b f f bn nrf br nbf n f bb f rbf rbff nf 4...CliffsNRs9.07+.82 b n nr nnfff nff ff rt r nff n fnrf bnf nf bf rt rf bnf rbff rtf bb b b b fr rf ff q...CSVLgNGs12.66-.86 f rf cc...CrestwdEq8.26-.57 b br bf rbff fff br f rt r tb r tbrf nnb nbf bff n fbf 18...DelphiAuto61.47+3.17 324DeltaAir32.79+1.89 btff 2727Dennys7.83+.37 nf fn nff fn b ff tf frff frf f rrnff f brff bnn rb bnf rn fr bf bb rbb rn r bnrf bnf n nrf nf f nnf bn rf 98AllnceRss38.60-2.24 f b nrf b br rnr nt 4921AlphaPro7.36-2.69 b b rbn frbnf n bf dd...AmAirln31.51+2.93 nf nrf nr nrff ff ff rb tn trnb rrb frb bnf bb bb rf b fff nnbf nff fn br nff nrf nf brf bbr bn fbnf bn bnf bbnf bbff bbt nff rbn r rn r ff fr rnrnf fn nb bff f 1120Avista34.03+1.93 f ff rb f f bf n nbf nb nnbff bnf nr bnff fnr rff nf nbfff b nb nb nbb dd...BasicEnSv12.22-1.07 nrb nbf nrf f b rf rff brff nbb rf nrf nff f bbff DOW -5.88NASDAQ f+13.51S&P500 +2.9630-YRT-BONDS -.05CRUDEOIL f-3.90GOLD +4.306-MOT-BILLS f... EURO f-.0034 tb 1,800 1,850 1,900 1,950 2,000 2,050 A O MJJAS 1,840 1,920 2,000 Close:1,877.70 Change:2.96(0.2%) 10DAYS 4,000 4,200 4,400 4,600 4,800 A O MJJAS 4,200 4,360 4,520 ttClose:4,227.17 Change:13.51(0.3%) 10DAYSn f f f f f f NYSENASD fff bnf r ff ffff f ff bff tHIGHLOWCLOSECHG.%CHG.WKMOQTRYTD t ntbtFromtheNewYorkStockExchange andtheNasdaq. InterestratesTheyieldon the10-year Treasuryfellto 2.20percent Tuesday.Yields affectrateson consumerand businessloans.NET1YR TREASURIESYESTPVSCHGAGO PRIME RATE FED FUNDS r rff nbrf nbrff nbr nb NET1YR BONDS YESTPVSCHGAGO nbn bfff nbnbnr nbn bf nbn nbnb Commodities Thepriceofoil haditsbiggest dropinnearly twoyearsTuesdayonaforecastcallingfor weakerglobal demand.Inmetalstrading, gold,silverand copperrose. Soybeansfell.bfff rnn f nrnf nrbnnr nnn FUELS CLOSEPVS.%CHG%YTD b f nr f b ff nnf METALS CLOSEPVS.%CHG%YTD nrr f f b ff rr ff brfff bnf nf nr AGRICULTURECLOSEPVS.%CHG%YTD bbr nnnnb bbff nnff nf 1YR. MAJORS CLOSECHG%CHGAGO bnfff bnb rbntn bnff bn f EUROPE/AFRICA/MIDDLE EAST rbn nnbf n nbff ntff nbnbff rbnf nnnbff ASIA/PACIFICForeign Exchange Thedollarfell versusthe Japaneseyen, butgainedon theeuroand Britishpound. TheICEU.S. Dollarindex, whichcompares thedollarsvalue toabasketof keycurrencies, fell.YEST6MOAGO 1YRAGO bbn fr b b n 2645SkywksSol48.91+3.59 r b fnff nrb nbn nbrf f ff bf bf rf frb r bnf n rbn brb brtrf brff nrff rf rff f tf rf rn rn rnf rnbnf rnbf rnbrf rnrrb rnrf frnf frbbf ff 17...SuffolkBcp21.02+1.11 rf b bf f b br bf fn r rbn fnrf b f f r brb f f nff 247TalismEg6.61-.44 nbr tf nf t ff bnnrnff bnf bbnrb nrf b nbff rf t rnb rb b f f r fbr nbf f b bf bbf bf rn rn bnff bn bnb br brf 11...TriangPet7.27-.57 bnnb br br br bf br b r r rrbf b fr tf f nf rbnn rbnrf bb br n frf 2135UtdContl43.17+2.6 2 rtrnf nb nf f r r rr f b f bn b n n nbff f f n nr nf ntf nf nf nb nf rbf frnf f nf fb bf bnbf n nb fn fnr nbf n nf ff nbf nnbrf fnb nrb ft rff nrbf nrr rb rnrf ftr r nbf rnb rr f r frn r rn bb bff rrf f rbff rb f f f n nbfff rf ff f b t f nf nnn bnrbf f b nf bf r n StockFootnotes: rrrnnb brnnb brrbnnbnnb rnnnbnnnnb rrrrrnnbnrr rnnrnrnbn bnrbrrbnbbbr bbb brnrbn bbrtrrbrnrnbbrn bnbbrrnrnrrrnrnb rnrnrnrbrrrnrnb bnrrrrrb rrnbbnrnnbnnr rbrnbrn nbrbbbbb bnbrnbr nnbbrrn r bold nbbrnr nrnnbrbbbb b rnrrbnrrn DividendFootnotes: n rbnbnrnbrnbnr rnrrnbbnnr rbbrnnbnrnbnrbr nrnnrbrr bnbbnrnrnbrbr nrrbbbnbbnrnbnn r rnbbnbbbrnnbnrn bnrbrnrrn nnbnrrrbnbbn brrrnrnb nrnnrbrnr PEFootnotes: r nbnr nrr MutualFundFootnotes: b nbrr nbnrbbnnbb brbrnnnbrnb nbnnnbrnrbnnbbr rnnnbnrnrn rnbbrnnrbrbr Source brnbnrnrb. ................................. ................................................................................................................................ ................... _........................................................................ ..........
PAGE 19
The Sun /Wednesday, October 15, 2014 WIRE Page 7 WORLD NEWS SEOUL, South Korea (AP) eld guidance tours. The North didnt say when the visit happened, nor did it address the leaders health. Kims appearance allowed the countrys massive propaganda apparatus to continue doing what it does best glorify the third generation of Kim family rule. And it will tamp down, at least for the moment, rampant rumors of a coup and serious health problems. Before Tuesday, Kim missed several high-prole events that he normally attends and was described in an ofcial. didnt have any reason to doubt the authenticity of the latest images, although she added that because of the opacity of the North Korean regime, theres always a question about the reliability of publicly available information. A South Korean analyst said Kim probably broke his media silence to dispel outside speculation that he wasnt in control and to win sympathy from a domestic audience by creating the image of a leader who works through pain. The appearance may be a form of emotional politics meant to appeal to the North Korean peoples sympathy, said Cheong Seong-chang, at the private Sejong Institute in South Korea. It was the rst time a North Korean leader allowed himself to be seen relying on a cane or crutch, South Korean ofcials said. Kims father, Kim Jong Il, who reportedly suffered a stroke in 2008 before dying of a heart attack in late 2011, was seen limping but never with a walking stick, nor was the countrys founder and Kim Jong Uns grandfather, Kim Il Sung, said Lim Byeong Cheol, a spokesman from Seouls Unication Ministry. Cheong said Kim appeared in the recently released images to have lost about 22 pounds compared to pictures from May. He speculated that since Kim was holding a cane on his left side he may have had surgery on his left ankle. Kim appears to want to show people that hes doing ne, though hes indeed still having some discomfort. If he hadnt done so, excessive speculation would have continued to are up and anxiety among North Korean residents would have grown and calls by outsiders for contingency plans on dealing with North Korea would have gotten momentum, Cheong said.N. Korean leader appears publicly with cane AP PHOTOA man watches a TV news program showing North Korean leader Kim Jong Un using a cane during his rst public appear ance, at the Seoul Railway Station in Seoul, South Korea, Tuesday. | WORLDActivists: Airstrikes hit jihadi targets in SyriaMURSITPINAR, Turkey (AP) The U.S.-led coalition has launched several airstrikes on positions of Islamic State group militants in northern and eastern Syria, most on the town of Kobani near Turkey where Kurdish ghters captured a strategic hill and brought down the jihadis black ag, activists and a Kurdish ofcial said Tuesday..Hong Kong police clear protesters out of tunnelHONG KONG (AP) Hundreds of Hong Kong police ofcers have moved in to clear pro-democracy protesters out of a tunnel outside the citys government headquarters. Ofcers, many of them in riot gear and wielding pepper spray, tore down barricades in and around the underpass early Monday. The operation came hours after a large group of protesters blockaded the tunnel. They outnumbered the police ofcers, who later returned with reinforcements to clear the area. Local television broadcast live footage of the operation and its aftermath, with ofcers taking away dozens of protesters. Democracy protesters have occupied key parts of the city for more than two weeks to pressure the government over curbs recommended by Beijing on democratic reforms.Magnitude 7.3 earthquake near El Salvador kills 1GUATEMALA CITY (Bloomberg) A magnitude 7.3 earthquake that struck off the Pacic coast of Central America on Monday night killed at least one person in El Salvador and was felt across the region. The temblor struck at 9:51 p.m. local time 105 miles southeast of El Salvadors capital, San Salvador, according to the U.S. Geological Service. One person was killed in the eastern city of San Miguel, according to El Salvadors civil protection service. It was the biggest quake to strike the country since 2001, according to USGS data.Editor may be jailed for 10 years over news articlesADDIS ABABA, Ethiopia (Bloomberg) An Ethiopian editor faces up to 10 years in prison after being convicted of inciting the public against the government through his newspaper articles, his lawyer said. Temesgen Desalegn, the former editor of Feteh, a defunct weekly newspaper, was convicted Monday by the Federal High Court on charges that also included defaming the government and distorting public opinion, after a case that lasted about two years, lawyer Ameha Mekonnen said. He will be sentenced Oct. 27. Temesgen becomes the rst journalist whos accused and found guilty only for what hes written in a newspaper, Ameha said by phone Tuesday from Ethiopias.British police arrest six people in terror sweepsLONDON (dpa) Six people were arrested on suspicion of terrorism offences during early morning raids in the southeast of Britain, police said Tuesday. Under the British Terrorism Act of 2000, suspects can be arrested and held without formal charges being led against them. Two men, 23 and 26, and two women, 23 and 29, were arrested on suspicion of commission, preparation and instigation of acts of terrorism, police said. A 57-year-old man and a 48-year-old woman were arrested on suspicion of failing to disclose information about acts of terrorism, according to police. The arrests come after three men were detained by counter-terrorism police in London on Monday. Two of ve men arrested under the Terrorism Act last week have been released, without formal charges. Police said of last weeks arrests that they were part of an on-going investigation into Islamist-related terrorism.Report: Turkish jets hit Kurdish rebel targetsANKARA, Turkey (AP) In a sign of further turbulence for the U.S. led-coalition against the Islamic State group, Turkish warplanes have struck suspected Kurdish rebel positions in southeastern Turkey, media reports said Tuesday. It was the rst major air strikes against the Kurdistan Workers Party, or PKK, since peace talks began two years ago to end a 30-year insur gency in Turkey. It added to tensions between the key U.S. coalition partner and PKK, a militant group listed as a terrorist organization by the U.S. that is also among the ercest opponents of the Islamic State group. The return to violence between the two parties suggests that Turkeys focus may not be on the Islamic State group, even as it negotiates its role with the U.S. and NATO allies ghting the extremists. US, Russia vow intel-sharing on Islamic StatePARIS (AP) The United States and Russia vowed Tuesday to renew cooperation on a broad array of global security matters including intelligence sharing on Islamic State militants even as the two powers remained deeply at odds over the crisis in Ukraine. Although Secretary of State John Kerry didnt use the term reset a relationship-mending term President Barack Obama coined in his rst term to tighten U.S.-Russian ties he employed familiar language about managing differences and forging a better partnership on matters where they agree. After meeting for more than three hours in Paris with Russian Foreign Minister Sergey Lavrov, Kerry said both sides need to recognize they have major responsibilities as world powers, from combating Islamist extremism in the Middle East to dealing with Iran and North Koreas nuclear programs. As a concrete example of their work together, he said the U.S. and Russia would start sharing intelligence on the Islamic State militants, which the U.S. and allies are ghting in Iraq and Syria. BEST IN HEARING CARE (941) 505-0400 B EST OF C HARLOTTE THE L AST 11 Y EARS Ricardo Gauthier, Au.D. Doctor of Audiology 100 Madrid Blvd., Suite #315 Punta Gorda, FL 33950 50472344 Saturday, October 18, 2014 Sponsored By 9AM-2PM Cultural Center of Charlotte County 2280 Aaron Street Port Charlotte, FL 33952 For More Information Contact Bob White at 941.258.9521 Dave Powell at 941.258.9522 Or Call Your Local SUN Advertising Executive O p e n t o t h e P u b l i c Open to the Public Seminars By Local Physicians Fitness Medical Screenings Food and Nutrition Health Childrens Health Wellness Senior Care Health Insurance Many More Fun Activities! COME MEET THE MEDICAL PROVIDERS IN YOUR COMMUNITY FREE LECTURES FREE GIFTS BOOTHS AVAILABLE 50472067 H URRY ... T HEY A RE G OING F AST Dr Adam Gutwein D M D .Accepting New PatientsPain free Dentistry Caring Environment Same Day Emergencies Children through Senior AdultsImplant Dentistry Cosmetic Dentistry Second Opinion FREE Most Insurances Accepted14884 Tamiami Trail, North Port, FL 34287 Accepting New Patients 14884 Tamiami Trail, North Port, FL 34287 Pain Free Dentistry Implant Dentistry Caring Environment Cosmetic Dentistry Same Day Emergencies Second Opinion FREE Children through Senior Adults Most Insurances Accepted 50470137 Thomas R. Cherpak D.D.S. Kristin A. Woods, D.D.S. Richard L. Ballentine, D.M.D. Michael A. Witsil, D.M.D. 941-426-8289 I N Ni 7 wv,[NSPAPIt 3A-', 80TC m -ly DailyHEALTH EXPO2014--00000?NORTH PORTDENTAL
PAGE 20
Page 8 WIRE The Sun /Wednesday, October 15, 2014 WEATHER/STATE NEWS Publication date: 10/15 0-50 Good; 51-100 Moderate; 101-150 Unhealthy for sensitive groups; 151-200 Unhealthy; 201-300 Very Unhealthy; 301-500 Hazardous Source : Precipitation (in inches)Temperatures Gulf Water Temperature Source : Weather 818494948582 TODAY A couple of showers and a t-storm86 / 6460% chance of rainSunny, pleasant and less humid83 / 6010% chance of rain THURSDAY Sunny and beautiful83 / 600% chance of rain FRIDAY Pleasant; plenty of sunshine85 / 630% chance of rain SATURDAY Nice with plenty of sunshine86 / 670% chance of rain SUNDAYAir Quality Index readings as of TuesdayMain pollutant: particulatesForecasts and graphics, except for the WINK-TV 5-day forecast, provided by AccuWeather, Inc. Punta Gorda through 5 p.m. Tuesday24 hours through 5 p.m. Tuesday 0.34 Month to date 1.32 Normal month to date 1.60 Year to date 47.02 Normal year to date 45.63 Record 1.04 (1989) High/Low 87/75 Normal High/Low 87/68 Record High 94 (2003) Record Low 50 (1977) Today Thu. Today Thu. Today Thu.Apalachicola 78 56 s 76 56 s Bradenton 84 67 t 81 65 s Clearwater 82 68 pc 80 66 s Coral Springs 88 71 t 84 64 s Daytona Beach 82 59 sh 79 59 s Fort Lauderdale 88 73 t 86 68 s Fort Myers 85 67 t 83 62 s Fort Pierce 88 66 t 81 60 s Gainesville 78 54 pc 76 53 s Jacksonville 78 54 c 75 53 s Key Largo 87 75 t 85 70 pc Key West 87 76 t 86 74 pc Kissimmee 84 63 t 81 60 s Lakeland 83 62 t 80 59 s Melbourne 86 65 t 81 61 s Miami 89 72 t 86 66 s Naples 87 71 t 83 66 s Ocala 80 56 pc 77 53 s Okeechobee 87 64 t 80 58 s Orlando 84 62 t 80 59 s Panama City 75 56 s 74 56 s Pensacola 73 53 s 75 54 s Pompano Beach 89 73 t 85 66 s St. Augustine 80 59 sh 76 58 s St. Petersburg 83 68 pc 80 65 s Sanford 83 61 t 80 59 s Sarasota 83 66 t 81 63 s Tallahassee 77 51 s 75 51 s Tampa 83 66 pc 80 62 s Titusville 84 62 t 79 60 s Vero Beach 86 63 t 80 57 s West Palm Beach 88 71 t 84 64 s Winter Haven 85 63 t 81 59 sToday 7:28a 1:42a 11:46p 4:15p Thu. 8:57a 3:37a --5:20p Today 6:05a 2:31p 10:23p --Thu. 7:34a 1:53a 11:03p 3:36p Today 5:10a 12:52p 9:28p --Thu. 6:39a 12:14a 10:08p 1:57p Today 8:00a 2:11a --4:44p Thu. 12:18a 4:06a 9:29a 5:49p Today 4:20a 1:10p 8:38p --Thu. 5:49a 12:32a 9:18p 2:15p WSW 6-12 1-3 Moderate NNW 8-16 3-5 Moderate 86/64 83/66 84/67 86/71 85/67 85/67 85/62 87/65 87/66 86/64 86/63 84/62 85/63 84/62 85/61 83/68 85/63 84/69 86/66 84/66 85/61 83/65 85/66 83/61 83/66 82/68 86/72 87/69 86/6683 Pollen Index readings as of Tuesday Today Thu. Today Thu. Today Thu. Today Thu.Albuquerque 75 50 s 77 50 s Anchorage 42 31 pc 44 32 c Atlanta 69 53 pc 68 50 s Baltimore 73 56 r 70 50 c Billings 75 47 pc 64 37 pc Birmingham 67 50 pc 71 48 s Boise 64 43 sh 65 46 pc Boston 75 62 c 71 58 r Buffalo 65 54 r 64 53 sh Burlington, VT 76 66 c 73 59 r Charleston, WV 66 50 sh 59 49 c Charlotte 73 51 pc 70 47 pc Chicago 56 49 sh 64 48 c Cincinnati 60 50 sh 64 49 sh Cleveland 64 49 sh 61 49 sh Columbia, SC 75 54 pc 72 50 s Columbus, OH 65 50 sh 64 50 sh Concord, NH 76 59 c 70 53 r Dallas 81 55 s 87 59 s Denver 80 47 s 69 40 pc Des Moines 65 43 pc 69 50 pc Detroit 64 50 sh 64 49 sh Duluth 57 37 s 59 44 pc Fairbanks 31 17 c 32 18 pc Fargo 69 47 s 69 43 s Hartford 76 62 c 73 57 r Helena 65 42 sh 59 34 pc Honolulu 88 75 pc 89 75 pc Houston 81 53 s 85 58 s Indianapolis 59 51 sh 64 48 c Jackson, MS 72 47 s 76 50 s Kansas City 65 43 pc 71 48 s Knoxville 62 52 sh 62 46 pc Las Vegas 87 61 pc 84 59 s Los Angeles 74 59 sh 75 58 pc Louisville 61 53 sh 65 51 c Memphis 67 49 pc 72 56 s Milwaukee 56 48 c 61 48 c Minneapolis 63 42 s 67 46 s Montgomery 73 50 s 75 48 s Nashville 60 51 sh 66 47 pc New Orleans 76 55 s 79 58 s New York City 76 65 sh 70 59 r Norfolk, VA 79 60 r 74 56 pc Oklahoma City 76 49 s 84 52 s Omaha 68 45 pc 74 48 s Philadelphia 77 64 r 72 56 r Phoenix 92 66 pc 92 66 s Pittsburgh 63 52 r 61 50 sh Portland, ME 71 58 c 66 56 r Portland, OR 61 51 r 68 52 c Providence 75 61 c 72 56 r Raleigh 73 53 r 71 50 pc Salt Lake City 75 46 pc 69 47 pc St. Louis 62 47 sh 69 53 pc San Antonio 87 57 s 89 59 s San Diego 74 64 sh 73 63 pc San Francisco 72 58 c 72 59 pc Seattle 58 51 r 65 53 c Washington, DC 75 62 r 71 56 c Amsterdam 61 51 pc 62 54 t Baghdad 93 67 pc 92 64 s Beijing 69 41 s 67 42 s Berlin 61 46 c 57 49 t Buenos Aires 77 66 pc 79 61 t Cairo 82 65 s 82 66 s Calgary 51 32 c 56 31 s Cancun 86 73 t 84 74 t Dublin 56 48 r 61 49 sh Edmonton 51 27 r 54 32 pc Halifax 71 58 pc 66 58 pc Kiev 67 47 pc 61 45 r London 61 53 r 64 55 t Madrid 64 60 pc 70 57 pc Mexico City 71 46 pc 72 52 pc Montreal 73 63 c 71 57 r Ottawa 70 59 r 69 53 r Paris 64 56 sh 67 57 c Regina 67 41 pc 51 27 r Rio de Janeiro 79 71 pc 83 72 c Rome 83 66 pc 76 65 t St. Johns 62 42 c 48 36 c San Juan 90 77 pc 89 77 pc Sydney 64 51 r 73 54 s Tokyo 62 58 r 69 58 pc Toronto 64 54 r 64 50 sh Vancouver 55 48 r 60 50 c Winnipeg 65 48 pc 60 40 c 86/64High ................ 95 at Bakers eld, CALow .................. 19 at Angel Fire, NMFt. Myers 85/67 storms all day Punta Gorda 87/65 storms all day Sarasota 83/66 storms morning Last Oct 15 New Oct 23 First Oct 30 Full Nov 6 Today 12:19 a.m. 1:56 p.m. Thursday 1:10 a.m. 2:37 p.m. Today 7:28 a.m. 7:00 p.m. Thursday 7:28 a.m. 6:59 p.m. Today 12:23p 6:11a ---6:35p Thu. 12:46a 6:57a 1:09p 7:20p Fri. 1:29a 7:40a 1:51p 8:03p MONTHLY RAINFALLMonth. 6.34 10.50 8.92 23.99/1974 Jul. 5.21 7.38 8.22 14.22/1995 Aug. 7.06 9.29 8.01 15.60/1995 Sep. 11.40 11.12 6.84 14.03/1979 Oct. 1.32 3.48 2.93 10.88/1995 Nov. 0.01 1.91 5.53/2002 Dec. 0.97 1.78 6.83/2002 Year 47.02 53.10 50.74 (since 1931)Totals are from a 24-hour period ending at 5 p.m. | HEADLINE NEWS FROM AROUND THE STATEStolen Crisco truck found ST. PETERSBURG (AP) A stolen truck loaded with Crisco has been recovered in South Florida. But St. Petersburg police say they dont know whether the 36,000 pounds of the vegetable shortening was still inside the tractor trailer truck, which was found abandoned in Hialeah late Monday. The truck was destined for a Publix distribution center in Lakeland when it was reported stolen on Sunday..Insurance fund remains strongTALLAHASSEE (AP) The Florida fund that helps private insurers pay out claims after a hurricane is remaining strong near the end of storm season. New estimates approved Tuesday show that the Florida Hurricane Catastrophe Fund should have nearly $13 billion available. Wall Street rms estimate that the fund could also borrow an additional $8.3 billion if needed. Those totals exceed the amount the Cat Fund would need. The nancial hasnt been hit by a hurricane since Wilma in 2005.Prankster fills lifeguard truck with bait fishPENSACOLA BEACH (AP) Pensacola Beachs director of public safety isnt laughing about a prank pulled on lifeguards. In fact, Bob West is still fuming after lifeguards reporting for duty on Sunday morning found the bed of one of their patrol trucks lled with dead, stinking bait sh. West told the Pensacola News Journal that for the two hours it took to clean up the bloody mess, lifeguards were not on the beach protecting swimmers. The truck had to be thoroughly cleaned because they transport patients in the back of the vehicle. West says hes not sure security cameras caught the vandalism. But hes ling a complaint with Escambia Countys beach deputies. If the culprits are caught, West says he believes they should be ordered to wash lifeguard trucks as community service.Boy, 5, fatally shot in Fort Myers FORT MYERS (AP) Police say a 5-year-old boy is dead following a shooting in a Fort Myers neighborhood. Shots red from a vehicle shortly after 6 p.m. Monday killed the boy and injured a man. Police say theyve seized a vehicle and are looking for multiple male suspects. The News-Press of Fort Myers reports the child was taken to Lee Memorial Hospital, where he died a short time later. Police say multiple shots were red from a vehicle that was parked along a street, but they offered few other details.Man accused of firing stolen gun to defend friendSOUTH DAYTONA (AP) A 19-year-old Florida man says he red a gun into the air to defend a woman who was being called names. But police arrested him after the pistol turned out to be stolen. Police say Adam Owens didnt have a license to carry a concealed weapon when he red the weapon on Saturday outside a South Daytona Wells Fargo bank. The Daytona Beach News-Journal reports nearby ofcers heard gunshots and saw a group of people standing around a car. Owens was running from the group. He was caught, and the handgun hed been seen tucking into his waistband, was found in a backyard. The gun was reported missing from Ormond Beach. Owens was released from jail on $2,000 bail. Records dont indicate whether he hired a lawyer.Judge rejects Wyllies try to get in governor debateFORT LAUDERDALE (AP) A South Florida federal judge has rejected a lawsuit led by Libertarian Party candidate Adrian Wyllie seeking to force his way into the next gubernatorial debate. U.S. District Judge James Cohn denied the emer gency motion without comment Tuesday. The next debate between Republican Gov. Rick Scott and Democratic challenger Charlie Crist is set for today at Broward College in Davie. Wyllies lawyers had argued that debate organizers raised the polling percentage he was required to meet in order to take part in the debate. The organizers countered that the 15 percent polling threshold has been in place for years. The third and nal debate in the Florida governors race is Oct. 21 in Jacksonville, again without Wyllie. Most polls show a neck-and-neck race between Scott and Crist. Wanted 486624 NOW OCTOBER 31, 2014 qtj0
PAGE 21
PORT CHARLOTTE Andrew Friedman was presented with two starkly different options this offseason. Behind door No. 1 was the comfort of home: The Tampa Bay Rays franchise hes presided over for nine seasons, the almost symbiotic relationship he shared with owner Stuart Sternberg, president Matt Silverman and manager Joe Maddon, and the daily challenge of ghting a small market, tight budget and less-than-ideal stadium situation. Behind door No. 2 was the spotlight: The glitz and glamor of the Los Angeles Dodgers, the blank-check payroll, the recognition and exposure that comes with being in one of the nations biggest sports markets, and all the pressure and expectations that go along with it. On Tuesday, Friedman chose door No. 2. The Rays announced that NUMBERS GAME$256 million: The Los Angeles Dodgers projected payroll in 2015, the highest in baseball. $77 million: The Tampa Bay Rays 2014 payroll, third lowest in baseball. 0: Seasons with finishes above .500 by the Rays in their first 10 years. 6: Seasons with finishes above .500 by the Rays under Andrew Friedman (2008-13). SPORTSWednesday, October 15, 2014 YourSun.com Facebook.com/SunCoastSports @ S unCoastSports SunCoastSportsBlog .com Sports Editor: Mark Lawrence Royals edge Orioles to take 3-0 lead in ALCS, Page 4 INDEX | Lottery 2 | Community calendar 2 | Preps 2, 6 | Golf 2 | NFL 3 | College football 3 | Baseball 4 | NHL 4 | Quick hits 5 | College basketball 5 | Scoreboard 5ARCADIA DeSoto County High School junior Bethany Bonville and sophomores Kaitlin Steyer and Cassidy Furr did all they could from the bench, but the trios absence left a gaping hole in the Bulldogs offense, and they fell to visiting Charlotte 25-20, 25-20, 25-21 on Tuesday night. Coming off of a week that included three matches at Charlotte on Saturday afternoon, Bulldogs coach Laura White was still happy with her teams effort. Lucero (Perez) played a heck of a ballgame, and we made some adjustments with our offense (because of the injuries), White said. They fought hard tonight. The rst set was giveand-take as Charlotte built a 15-7 lead only to see DeSoto County battle back with a 10-5 run behind two kills from Jayla Cowell and a urry of Tarpon errors. The three-point spread at the end was too much to overcome, however, and two kills from Hailey Whitehead put Charlotte up 1-0. The Bulldogs were rattled in the second game and the Tarpons took advantage to build a 9-1 lead and force a timeout. Charlotte held strong PREP VOLLEYBALL: Charlotte 3, DeSoto County 1SUN PHOTO BY JENNIFER BRUNODesoto County High Schools Josie Deriso attempts to block Charlottes Maddie Foley during Tuesdays match in Arcadia. The Tarpons swept the Bulldogs.Tarpons top depleted Dogs By DAWN KLEMISHSUN CORRESPONDENT TARPONS | 2 UP NEXTDeSoto County: vs. North Port (senior night), Thursday, 7:30 p.m. Charlotte: vs. Out-of-Door Academy (senior night), Thursday, 7 p.m.LIKE US ON FACEBOOKWe regularly post shot of the day, and face of the game photos at Facebook.com/ SunCoast Sports COLLEGE FOOTBALL: Notre DameFor Irish, big games usually mean big lossesSOUTH BEND, Ind. Big games have meant one thing in recent years for Notre Dame: Losses. Big losses. Really big losses. The Fighting Irish, who last won a national championship 26 years ago, havent beaten a top-ranked team since 1993. They havent beaten a No. 2-ranked team since 1990. And they are 1-16 overall against top ve teams dating back to 1998 losing those games by an average of nearly 23 points. Only two losses were by fewer than 13 points. Notre Dames only victory came in 2005 against thirdranked Michigan in Charlie Weis rst year as coach; that Wolverines team nished the season 7-5 and unranked. Every time the Irish look as though theyre close to being back on top, they have been exposed including double-digit losses in the Fiesta Bowl in 2001 and 2006, the 2007 Sugar Bowl and the 42-14 drubbing by Alabama in the national championship two seasons ago. Fifth-ranked Notre Dame (6-0) is hoping to change that when it faces No. 2 Florida State (6-0) on Saturday. Thats how youre measured as a program when youre talking top ve teams, coach Brian Kelly said Tuesday. Those are the games that you want to win, certainly. But I think before I got here, By TOM COYNEASSOCIATED PRESS IRISH AT SEMINOLESWHO: No. 5 Notre Dame (6-0) at No. 2 FSU (6-0, 4-0 ACC) WHEN: Saturday, 8 p.m. WHERE: Doak Campbell Stadium, Tallahassee TV: ABC RADIO: 820 AM, 1040 AM TICKETS: Ticketmaster.com INSIDE: Winston adviser wants explanation for late hearing, PAGE 3IRISH | 3 Brad K, Stewart finedBy JENNA FRYERASSOCIATED PRESSCHARLOTTE, N.C. NASCAR fined Brad Keselowski $50,000 and Tony Stewart $25,000 on Tuesday for their roles in the fracas at Charlotte Motor Speedway over the weekend. Both drivers also were placed on probation, with NASCAR saying the penalties are about maintaining a safe environment following the race. Matt Kenseth and Denny Hamlin were not penalized for their roles in the skirmishes after Saturday nights race. We knew that the new Chase format was likely going to raise the intensity level, and we want our drivers to continue to be themselves, said Robin Pemberton, NASCAR senior vice president of competition and racing development. However, the safety of our drivers, crew members, officials, and workers is paramount and we will react when that safety could be AUTO RACING: NASCAR Sprint Cup GEICO 500WHAT: Sixth race of Chase, playoff field trimmed to eight after race WHEN: Sunday, 2 p.m. WHERE: Talladega Superspeedway, Talladega, Ala. TV: ESPNFINED | 2KESELOWSKI STEWART MLB: Tampa BayFarewell, FriedmanBy JOSH VITALESPORTS WRITERHe leaves Rays to take job with DodgersAP FILE PHOTOAndrew Friedman is leaving the Tampa Bay Rays to take the new position of president of baseball operations with the Los Angeles Dodgers, the Rays announced Tuesday. RAYS | 4 Yvsew `'AtI z,. I .t} ti n 3 t a,-I J
PAGE 22
Page 2 SP The Sun /Wednesday, October 15, 2014 SunCoast Sports NowWhen news breaks, we blog it at Like us and share our photos on Facebook: facebook.com/ SunCoastSports Follow us on Twitter for live event updates and breaking news: @SunCoastSports Florida Lottery CASH 3Oct. 14N .......................................3-4-1 Oct. 14D .......................................2-5-2 Oct. 13N .......................................0-6-5 Oct. 13D .......................................9-5-5 Oct. 12N .......................................5-3-6 Oct. 12D .......................................3-8-9 D-Day, N-Night PLAY 4Oct. 14N ....................................9-9-7-6 Oct. 14D ....................................3-9-2-3 Oct. 13N ....................................5-0-8-2 Oct. 13D ....................................2-6-6-8 Oct. 12N ....................................6-0-8-8 Oct. 12D ....................................5-6-3-0 D-Day, N-Night FANTASY 5Oct. 14 ...........................9-11-17-23-33 Oct. 13 ...........................6-12-16-20-32 Oct. 12 .............................6-7-10-11-21PAYOFF FOR OCT. 121 5-digit winners ...............197,078.47 273 4-digit winners .....................$116 8,381 3-digit winners ...............$10.50 LUCKY MONEYOct. 14 ................................8-25-30-37 Lucky Ball ............................................8 Oct. 10 ..............................32-35-37-46 Lucky Ball ............................................8PAYOFF FOR OCT. 100 4-of-4 LB ....................................$2M 4 4-of-4 ................................$4,661.50 48 3-of-4 LB .................................$849 779 3-of-4 ....................................$155 LOTTOOct. 11 .....................7-15-20-32-41-51 Oct. 8 .......................6-16-23-34-36-52PAYOFF FOR OCT. 110 6-digit winners ........................$35M 30 5-digit winners ...............$4,981.50 1,596 4-digit winners ....................$75 31,232 3-digit winners ....................$5 POWERBALLOct. 11 .........................10-19-37-38-39 Powerball ..........................................28 Oct. 8 .............................5-16-31-46-50 Powerball ..........................................18PAYOFF FOR OCT. 110 5 of 5 + PB ...............................$80M 0 5 of 5 ...............................$1,000,000 2 4 of 5 + PB ...........................$10,000 61 4 of 5 ......................................$100ESTIMATED JACKPOT $90 million MEGA MILLIONSOct. 14 .........................11-37-46-64-68 Mega Ball ..........................................15 Oct. 10 ...........................2-32-35-50-59 Mega Ball ............................................3PAYOFF FOR OCT. 100 5 of 5 + MB ............................$150M 0 5 of 5 ...............................$1,000,000 0 4 of 5 + MB ............................$5,000 14 4 of 5 ......................................$500ESTIMATED JACKPOT $166 millionCorrectionsIt is the Suns policy to correct all errors of fact. To report an error, call the sports department or email sports@sun-herald.com.How to Submit a story idea: Email or call Mark Lawrence 941-206-1175. Must contain. | THIS WEEK ON TOURPGA TOURSHRINERS HOSPITALS FOR CHILDREN OPEN SITE: Las Vegas. SCHEDULE: Thursday-Sunday. Course: TPC Summerlin (7,255 yards, par 71). PURSE: $6.2 million. Winners share: $1,116,000. TV: Golf Channel (Thursday-Sunday, 5-8 p.m., 8:30-11:30 p.m.). DEFENDING CHAMPION: Webb Simpson. NOTES: No. 19 Hideki Matsuyama is the top-ranked player in the field. No. 21 Jimmy Walker, No. 33 Simpson, No. 34 Kevin Na and No. 39 Graham DeLaet are the only other players in the top 40 in the event. ... In 2010, Jonathan Byrd made a hole-in-one on the fourth extra hole to beat Martin Laird and Cameron Percy. ... The McGladrey Classic is next week at St. Simons Island, Ga., followed by the CIMB Classic in Kuala Lumpur, Malaysia. ONLINE: TOURVOLVO WORLD MATCH PLAY CHAMPIONSHIP SITE: Ash, England. SCHEDULE: Today-Sunday. COURSE: The London Golf Club (7,026 yards, par 72). PURSE: $2.86 million. Winners share: $826,900. TV: Golf Channel (today, 9 a.m.-noon; Thursday-Saturday, 6:30-11:30 a.m.; Sunday, 3-7 a.m., 7:30-11:30 a.m.). DEFENDING CHAMPION: Graeme McDowell. NOTES : After round-robin play in four four-man groups, the top two in each group will advance to the quarterfinals. McDowell is grouped with Alexander Levy, Joost Luiten and Mikko Illonen. U.S. Ryder Cup player Patrick Reed is in a group with Jamie Donaldson, Jonas Blixt and Paul Casey. Victor Dubuisson, second in the WGC Match Play in February in Arizona, is grouped with Stephen Gallacher, Pablo Larazzabal and Shane Lowry. ONLINE: TOURLPGA KEB-HANABANK CHAMPIONSHIP SITE: Incheon, South Korea. SCHEDULE: Thursday-Sunday. COURSE: Sky 72 Golf Club, Ocean Course (6,364 yards, par 72). PURSE: $2 million. Winners share: $300,000. TV: Golf Channel (today, 11 p.m.-3 a.m.; Thursday-Saturday, 11:30 p.m.-3 a.m.). DEFENDING CHAMPION: Amy Yang. NOTES: U.S. Womens Open champion Michelle Wie is making her first start since withdrawing during the first round of the Evian Championship in September in France after reinjuring a stress reaction in her right hand. ... Womens British Open winner Mo Martin is returning from a thumb injury. ... Eight of the top 10 players in the world No. 2 Inbee Park, No. 3 Lydia Ko, No. 4 Suzann Pettersen, No. 5 Feng, No. 7 So Yeon Ryu, No. 8 Wie, No. 9 Lexi Thompson and No. 10 Hyo-Joo Kim are in the field. ONLINE: TOURGREATER HICKORY KIA CLASSIC SITE: Conover, N.C. SCHEDULE: Friday-Sunday. COURSE: Rock Barn Golf and Spa, Jones Course (6,874 yards, par 71). PURSE: $1.6 million. Winners share: $240,000. TV: Golf Channel (Friday, 2:30-5 p.m.; Saturday, 3-5:30 a.m., 2:30-5 p.m.; Sunday, 2:30-5 p.m.; Monday, midnight-2:30 a.m.). DEFENDING CHAMPION: Michael Allen. NOTES: Charles Schwab Cup leader Bernhard Langer is skipping the tournament, giving second-place Colin Montgomerie a chance to cut his deficit. Langer has a tour-high five victories two of them majors and leads the money list. Montgomerie has two major victories this year. ... The AT&T Championship is next week in San Antonio, followed by the season-ending Charles Schwab Cup Championship in Scottsdale, Ariz. ONLINE: TOUR/ ASIAN TOURHONG KONG OPEN SITE: Hong Kong. SCHEDULE: Thursday-Sunday. Course: Hong Kong Golf Club (6,699 yards, par 70). PURSE: $1.3 million. Winners share: $216,000. TV: Golf Channel (Thursday, 11:30 a.m.-2:30 p.m.; Friday-Sunday, 11:30 a.m.-2 p.m.). DEFENDING CHAMPION: Miguel Angel Jimenez. NOTES: Jimenez won the Spanish Open in May at 50 years, 133 days to break his age record. He also won a Champions Tour event in April. ... Jimenez is in the field along with Ernie Els and Rich Beem. ... The tournament is being played for the second time on the European Tours 2013-14 wraparound schedule. ... The Perth International is next week in Australia. ONLINE: | COMMUNITY CALENDARBASEBALLGame Day Heat: 12U travel team looking for players. Practices Tuesdays and Thursdays, 6 p.m. at North Charlotte Regional Park. Call Scott, 941-421-8378. Hit Factory: Venice team seeks experienced managers, coaches for travel teams ages 9-12. Teams will train at the Hit Factory, including a strength and agility program designed for their age group. Call Dave, 941-716-4451.BADMINTONPlay dates: Tuesdays and Thursdays, 9:30 a.m.-noon, yearround,.GOLFTarpon 2-day, 2-man: Oct. 26 at Deep Creek Golf Club, Nov. 2 at Kingsway Country Club. Shotgun start at 8:30 a.m. both days. Cost: $125 per player for two rounds of golf, lunch and prizes. To register, contact Scott Harvey at 941-2045691 or harvdawg72@gmail.com. Sixth annual Elephant Scramble: Oct. 25 at St. Andrews South Golf Club in Punta Gorda. Shotgun start: 8:30 a.m. Cost: $60/ person. To register, contact Bill Dryburgh, jubilee1980@yahoo.com, or Massey Loughman, jmloughman@ comcast.net. Knights of Columbus Council 11483 fundraiser: Saturday at Bobcat Trail Golf Club/ Shotgun start: 8:30 a.m. Cost: $75/ player or $300/foursome. To register, call Al Heyman, 908-625-4940, or Joe Manna, 941-629-0436, or e-mail thewinerack@earthlink.net.HOCKEYTringali signups, open hockey: Signups for boys and girls pre-k to 17 for inline season at Tringali Recreation Center in Englewood: Saturday 8 a.m.-noon. Also looking or male or female players 18-and-over for league. Open hockey on Saturday mornings 8-10 a.m. Call 941-2446253 or email cciha2014@yahoo.com. NOKOMIS Not even the heavy rain that fell over the nal stages of Tuesdays District 3A14 tournament could keep the Venice High School girls golf team from winning its fourth consecutive district title. From start to nish I thought it was one of our most complete rounds this year, Venice coach James Slaton said. Venice junior Victoria Cangero shot an even-par 72, her best career score for an 18-hole event. Her one-stroke individual victory over Manatee senior and former individual state champion Gianna Tomeo gave Cangero her rst individual district crown. I was mainly focused on hitting one shot at a time and keeping my head in the game, said Cangero, a member at Mission Valley Country Club, where Tuesdays event was held. The mental aspect has been a problem for me lately and I just focused on it. When you focus on your shots and black out the conditions while youre over the ball it helps you execute and do well. It means a lot to win it, but Im even more proud of myself for keeping my head in it and playing a solid round. Venice earned a 28-stroke win over Manatee. Lakewood Ranch nished third for a spot at regionals after shooting a 364. North Port nished sixth with a 518. The Lady Bobcats were led by Alyssa Chippendales 106. On our home course with a chance to win our fourth straight district ... and we shoot a 329, Slaton said. Im very excited for these girls to get a chance to go to regionals for the fourth straight year. Weve challenged our girls this year by playing them in some really tough environments, so I think they were very condent and relaxed coming home for the district tournament.District 3A-14 tournamentat Mission Valley CC, Nokomis (par 72) Team scores: 1. Venice 329, 2. Manatee 357, 3. Lakewood Ranch 364, 4. Sarasota 395, 5. North Port 518, 6. Riverview NS, 7. Braden River NS. Top 5 individuals: 1. Victoria Cangero 72 (V). 2. Gianna Tomeo 73 (MAN). 3. Nicole Polivchak 75 (RIV). 4. Gabrielle Tomeo (MAN) 81. 5. Theresa Morrissey 83 (LR). Venice: Victoria Cangero 72, Celia Lau 84, Allyson Guthrie 86, Brittany Clipse 87. North Port: Alyssa Chippendale 106, Tia Bussard 119, Vinny Morgan 130, Siara Dietz 163.Indians add to their title streak GIRLS GOLF: District 3A-14 tournamentBy SCOTT LOCKWOODSPORTS WRITER to its edge, using a pair of blocks and three kills from Mykelli Taylor to keep the lead throughout and claim Game 2. DeSoto County strung together a 5-1 run at the end, using kills from Josie Deriso and Kacey Steyer, but a Taylor kill ended the threat. We played consistent, and knew we had to be ready for DeSoto to be scrappy, Charlotte coach Michelle Dill said. They dug a lot of balls up that we hit, and had to keep mixing up our shots. DeSoto County was lacking two offensive leaders but maintained its grit, and after the initial strike did not let the lead grow to more than six. Perez, the libero, had several key digs, and teammate Jayla Cowell added three kills and a block to keep things interesting in Game 2. At rst it appeared the Tarpons would make quick work with a 5-0 run to go up 8-3 in the third, but the Bulldogs refused to go away. They rallied from down 6 and 7 points, the second to push a 24-17 game to 24-21 before Taylor slammed home her nal kill to claim victory for Charlotte. Taylor led Charlotte with nine kills. Cowell led DeSoto County with six kills, two blocks and two aces.TARPONSFROM PAGE 1 SUN PHOTOS BY JENNIFER BRUNOCharlotte High Schools Mykelli Taylor tips the ball over the hands of DeSoto Countys Jayla Cowell during Tuesdays match in Arcadia. DeSoto Countys Courtney Bonville eyes the ball during Tuesdays match against Charlotte. PREP SCHEDULETODAY Volleyball Port Charlotte at Lemon Bay (senior night), 7 p.m. Swimming North Port at Lemon Bay (completion of suspended meet), 4 p.m. compromised. The sequence of events began on the cool-down lap when Hamlin admittedly brake-checked Keselowski to show his displeasure with how Keselowski raced him over the final two laps. Keselowski then tried, but failed, to spin Hamlin. He then hit Kenseths car as they traveled toward pit road in an act of retaliation, Keselowski said, for Kenseth driving across the front of his car under caution with six laps remaining in the race. Keselowski inadver tently ran into the back of Stewarts car as the entire field headed toward pit road. Stewart responded by backing his car up into Keselowskis car. Keselowski then drove around several stopped cars and into the garage, with Hamlin following in his car. The two drivers cut through an empty garage stall before coming to a stop, and Hamlin had to be restrained from confronting Keselowski. As Keselowski walked between two team haulers, Kenseth rushed in from behind and jumped him. Crew members quickly peeled Kenseth away, and he made it clear he was upset Keselowski hit him while his seatbelts were off and his window net down. Keselowski could be heard on video yelling: You hit me under yellow! Hamlin, Kenseth and Keselowski. Theres incredible pressure for everyone involved in that Chase right now, Clint Bowyer said from Tuesdays test at Phoenix. Its thats good for the sport, at least in the short term, Earnhardt said.The penalties for Keselowski and Stewart are in line with past punishments for drivers who used their cars to retaliate. NASCAR did not find that Hamlin deserved to be punished for following Keselowski through the garage in his car, an act many onlookers deemed dangerous in a crowded and dark work space.FINEDFROM PAGE 1 f. .1 A (1 t ffilU
PAGE 23
The Sun /Wednesday, October 15, 2014 SP Page 3 I dont know that we had a top 25 win, so were moving up the ladder and certainly want to get to that point where were talking about beating top ve. There hasnt been much ght in the Irish since Lou Holtz left in 1996. And before Kelly arrived in 2010, Notre Dame had lost 10 straight games to ranked teams over the previous four seasons. Under Kelly, the Irish are 8-7 against ranked opponents, with half those victories during the 12-0 regular season in 2012. But hes 0-2 at Notre Dame against top ve teams and 0-4 overall as a head coach. The Notre Dame coach who fared best against top ve opponents was Frank Leahy, posting an 11-2 record between 1941 and 1953, missing two seasons because of World War II. Holtz has the second-best record at 12-8, including going 12-3 between 1988 and 1995. Holtz said during a telephone interview that he was so successful against ranked opponents because he set high expectations. Its not rocket science. It isnt about the coaches. Give your players something they can do and demand they do it. Thats all, he said. Kelly said theres no secret to beating top teams its just about winning. You get yourself in it consistently, and then you breakthrough and you start playing at that caliber, he said. I think its a process and a journey that were on as a program. And we expect to beat Florida State. Oddsmakers dont necessarily agree, as Notre Dame is a 12-point underdog against the Seminoles. But the Irish have surprised Las Vegas before. The fth-ranked team was 11.5-point under dogs at No. 8 Oklahoma in 2012, and won 30-13. They were even bigger underdogs 21.5 points in the 20-6 win over UCLA in 2007, when the Irish lost their rst ve games and nished the season 3-9. Not surprisingly, Holtz is not only predicting a win, but a relatively easily one. I think theyll win by at least 10, Holtz said. I dont say that to put pressure on Notre Dame, but I think Notre Dame is a better football team than Florida State. Kelly said he doesnt believe a loss in Tallahassee will end Notre Dames playoff hopes. Its an important game for us. I dont think our kids look at it as a make-or-break kind of scenario, he said.IRISHFROM PAGE 1 COLLEGE FOOTBALL NOTEBOOKWinston adviser wants explanation from FSUTALLAHASSEE The adviser for the family of Jameis Winston asked Florida State why it has chosen now to engage in the Title IX process and accuses the school of trying to protect its own interests and responding to media pressure, according to a letter obtained Tuesday by The Associated Press. Florida State announced last week it will use an independent ofcial in a student code of conduct hearing. A female student said Winston sexually assaulted her in December 2012. Attorney David Cornwell notes in a letter that university and federal policy requires a timely investigation. He asks university ofcials why Florida State has ignored those guidelines and writes that Winston deserves a prompt explanation. Winston was never arrested and Florida State Attorney Willie Meggs declined to press charges against Winston last December due to a lack of evidence. No date has been set for the university hearing. Florida State has notied Winston that the hearing will be held to be deter mined if four sections of the code of conduct have been violated, two for sexual misconduct, two for endangerment. The quarterback has ve class days from last Friday to respond to the university. Florida State spokeswoman Browning Brooks declined comment beyond what the university released in its timeline last week. However, she referred to two passages in the release that she said explains the delay in which Cornwell is inquir ing about. In the release, Florida State said the athletic department did not le a report with the Title IX administrator or Ofce of Student Rights and Responsibilities after Winston and two other student-athletes that were present said the sex was consensual. The decision was based on that and the Tallahassee Police Departments decision not to press charges in January 2013. The university also said because the Victims Advocate Program continued to have condential interactions with the woman for months, they were duty-bound not to share any of the infor mation with FSU Title IX ofcials. Two Irish players done for season: Senior wide receiver DaVaris Daniels and defensive end Ishaq Williams, two of five suspended players involved in the academic fraud investigation at Notre Dame, will not play for the Irish this season. Williams would like to return to the team next season, coach Brian Kelly said. Daniels could leave Notre Dame and pursue other options, DaVaris and his father, Phillip, originally said on Twitter. Later, Phillip Daniels said the family is considering an option to return in 2015. A source confirmed to the Chicago Tribune multiple reports that said the pair received two-semester bans from the school. Last week, cornerback KeiVarae Russell said he was suspended for two semesters, but will return to Notre Dame in 2015. Kelly said both Russell and Williams will not be allowed to attend classes at Notre Dame the rest of the semester even though all five players are technically still enrolled at the school. Slive to retire in July: Southeastern Conference Commissioner Mike Slive will retire next summer after 13 years leading the league to unprecedented success and prosperity. The 74-year-old Slive said his retire ment will take effect July 31, and also announced he plans to begin treatment for a recurrence of prostate cancer. Slive has become one of the most powerful figures in college sports. Under his leadership, the SEC became the nations premier football confer ence, dug out from under a pile of NCAA compliance issues and won seven consecutive BCS titles. Overall, the SEC won 67 national championships in 15 of its 21 sponsored sports since he took over in 2002. Florida wants clear No. 1 QB: Florida offensive coordinator Kurt Roper isnt giving out much information about exactly how the Gators plan to use junior QB Jeff Driskel and freshman Treon Harris, but Roper hopes one will emerge as a clear frontrunner in Saturdays game against Missouri. Jeffs going to start, but this week obviously is an important week to see how each guy prepares and does all those things, Roper said. Hopefully we do get a hot hand and do well the whole game. Id like to get a hot hand for sure. Roper said that Driskel would get most of the first-team reps in practice, but Harris will get more than he normally would with the first team.FROM WIRE REPORTSSECs Slive to retire in JulyDAVIE ve seasons with the Denver Broncos. Starting running back Lamar Miller jogged on the side at the beginning of practice with an unspecied injury, which left undrafted rookie Damien Williams working with the rst team. Veteran Daniel Thomas is listed third on the depth chart. Weve got some good running backs here, and we can get the job done, Miller said. Moreno led the NFL with 134 yards rushing in Week 1. He missed two subsequent games with an elbow injury, and sat out the start of training camp after undergoing arthroscopic surgery on his left knee in June. He can become a free agent again in March. The Dolphins lled Morenos roster spot by reinstating reserve defensive lineman Derrick Shelby from his suspension, which came after he was arrested on misdemeanor charges of resisting arrest and trespassing at a nightclub. The running game has been a strength for the Dolphins (2-3), who play Sunday at Chicago. They rank third in the NFL in yards per play and sixth in yards per game. NFL, union discuss personal conduct policy: NFL Commissioner Roger Goodell and players union chief DeMaurice Smith agreed to continue discussing changes to the leagues personal conduct policy following a four-hour session in New York. In an email to player representa tives afterward, Smith said he made it clear to the league that the union wants due process. While the league currently has great concern for its brand, fairness and justice for our members is more important, Smith said. Cowboys RB Randle arrested: Dallas Cowboys running back Joseph Randle was arrested on a shoplifting charge, accused of taking $123 worth of cologne and underwear from a suburban Dallas department store and telling a police officer he thought to himself, all right, yall got me, after a security guard stopped him. Randle, who is charged with a Class B misdemeanor theft between $50 and $500, was detained Monday evening by store security and later taken to the Frisco city jail before posting bond early Tuesday, police Sgt. Brad Merritt said. Around the league: Denver Broncos linebacker Danny Trevathan was placed on recallable injured reserve. That means the teams top tackler from last year cant practice until Nov. 26 and isnt eligible to play in a game until Denver visits San Diego on Dec. 14. ... The Los Angeles City Council gave developer AEG another six months to lure a professional football team to the nations second-largest city, which has lacked one for two decades. Without discussion, the council extended AEGs 2012 agreement to build a downtown stadium and convince an NFL team to move there. The original deal was set to expire on Saturday but the new deadline to obtain a team commitment is April. ... The San Francisco 49ers re-signed reserve quarterback Josh Johnson after releasing him last week. Johnson is behind starter Colin Kaepernick and backup Blaine Gabbert on the depth chart. ... The Cleveland Browns placed defensive end Armonty Bryant on injured reserve and signed defensive lineman Sione Fua. ... The Cincinnati Bengals placed receiver Marvin Jones on the injured reserve list on and signed former Browns receiver Greg Little, who hasnt played since the preseason with Oakland. ... The hearing on whether to remove the judge in the felony child abuse case against Minnesota Vikings star Adrian Peterson has been has been rescheduled for Oct. 22. Moreno out for seasonBY THE ASSOCIATED PRESS NFL NOTEBOOK AP FILE PHOTOThe Miami Dolphins Knowshon Moreno went on injured reserve with a knee injury on Tuesday. He is sidelined for the rest of the season. To place your ad here, please call 941-429-3110 Golf Directory 50429514 Mon F riday Seminole Lakes Country Club 1/2 mile south of Burnt Store Rd. on US 41 in Punta Gorda 941-639-5440 18 Holes w/ cart $26 $23 $19 9 Holes w/ cart $18 $15 $14 After 3 pm All Day Sat., Sun. After 12pm Daily Open to the Public OPEN TO THE PUBLICTEE TIMES0941-625-0680IF0(I ril sipf
PAGE 24
Page 4 SP The Sun /Wednesday, October 15, 2014 their longtime executive vice president of baseball operations would be leaving the organization to take the president of baseball operations job with the Dodgers, ending a 10-year tenure with a franchise he helped build from basement-dweller to contender. Silverman will take over as the Rays president of baseball operations, and president of business oper ations Brian Auld has been named team president. As I embark upon my next journey, I have only thanks and gratitude to the Rays organization and the Tampa Bay region for a wonderful 10 years together. I am truly grateful for the opportunity to have been part of something so special, Friedman said in a statement. The Rays organization is loaded with talent from ownership to players and everyone between. We were able to create together an unbelievable culture that no doubt will continue, and I am absolutely condent that the successes we achieved will continue into the future. The rumors that the Dodgers were interested in Friedman rst surfaced after their exit from the postseason last week, and Sternberg said he and the Rays were in contact with Friedman throughout the process. Sternberg also said it was clear to him that Silverman would be the guy to replace Friedman in the event that he left. The former team president has worked closely with Friedman and the rest of the baseball operations team over the years, so he said he has a lot of familiarity with the inner workings of trade negotiations and free agent acquisitions. Personally, this is a very difcult day for me. Its one lled with sadness, as one of my best friends in life has moved away and taken a different job, Silverman said. Im pretty sure Ill feel differently a couple days from now or a couple weeks from now, and Ill be invigorated by the challenge we face, just like I am every October when we turn the page and look toward the next season. Ive had a unique vantage point for nine years watching Andrew, observing and pitching in when necessary. Im prepared for the challenge. Friedmans departure also created rumors that he might attempt to bring Maddon who has one year remaining on his contract to Los Angeles with him, but Maddon told the Tampa Bay Times, Im a Ray, Ive said it all along, I want to continue to be one. For Friedman, the Dodgers offer an historic franchise in a huge market with massive television deal and a stadium that attracted more than 2.3 million more fans than Tropicana Field did in 2014. They have an owner ship group led by longtime sports executive Stan Casten and Los Angeles Lakers legend Magic Johnson that has shown a willingness to spend, as the Dodgers $239 million payroll was the highest in baseball in 2014. Friedman has long been the object of other organizations affections, and Sternberg believes Tuesdays move a case of the timing being just right. If you ask him tomor row, hell probably say that he wants the Rays and the Dodgers to meet in the World Series next year, Silverman said. And I would be up for that, too.Contact Josh Vitale at 941-206-1122 or jvitale@sun-herald.com.RAYSFROM PAGE 1 AP PHOTOSan Franciscos Gregor Blanco is safe at rst as an errant throw by St. Louis reliever Randy Choate gets away from Kolten Wong, allowing Brandon Crawford to score the winning run in Game 3 of the NL Championship Series on Tuesday. SAN FRANCISCO A wild pitch, a wide throw and an 18-inning marathon. These playoff-tested Giants keep nding ways to win in. Everybodys saying: How are the Giants doing it? How are the Giants winning games? said Gregor Blanco, who laid down the sacrice. We just really believe in each other. We play together. Crawford drew an eight-pitch walk from Choate to begin the inning, ending a stretch of 16 straight Giants retired since Tim Hudsons twoout single in the fourth. After failing on two sacrice attempts, Juan Perez singled to bring up Blanco. Blanco fouled off a bunt try, too, but then pushed one to the thirdbase side of the mound and the left-handed Choates side-arm throw sailed past lunging second baseman Kolten Wong, who was covering rstseven series is tonight, with Ryan Vogelsong pitching for the Giants against fellow righty Shelby Miller. Choate blamed himself. He has done pitcher elding practice for decades. He did exactly what I wanted him to do, the pitcher said. It was easy. It was right there and I blew it. The ball just sailed on me. This walkoff win came 12 years to the day after Kenny Loftons single in the ninth inning ended the 2002 NLCS against the Cardinals and sent the Giants to the World Series. It also came on a day Hall of Famer Willie McCovey surprised play ers with his return to the ballpark after a long stint in the hospital nursing an infection.By JANIE MCCAULEYASSOCIATED PRESS MLB PLAYOFFS: San Francisco 5, St. Louis 4Errant throw on bunt gives San Francisco series leadGiants find a new way to win TAMPA. With Lightning star Steven Stamkos serving a minor penalty, Cammalleri gave New Jersey a 2-1 lead from near the post at 11:19 of the third. The Lightning had the rst seven shots, including a wraparound by Nikita Kucherov that Schneider and forward Tuomo Ruutu combined to stop along the goal line. The no-goal call was upheld by a video review. Islanders 6, Rangers 3: In New York, Kyle Okposo scored his 100th NHL goal to snap a tie 48 seconds into the third period, and the undefeated Islanders netted four goals on seven shots in the final frame to beat the sliding Rangers. Stars 4, Blue Jackets 2: In Columbus, Ohio, Tyler Seguin scored three goals, including the tiebreaker with 7:44 remaining in the third, lifting Dallas to its first win of the season. Maple Leafs 3, Avalanche 2, OT: In Toronto, Phil Kessel scored 34 seconds into overtime to give the Maple Leafs a victory against Colorado. Ducks 4, Flyers 3, SO: In Philadelphia, William Karlsson and Jakob Silfverberg each scored in the shootout to lift Anaheim to a win over the Flyers. Sharks 6, Capitals 5, SO: In Washington, Matt Irwin and John Scott were unlikely goal-scorers, and the previously stingy San Jose Sharks finally sprung a leak or two before coming away with a shootout victory over the Capitals. Low attendance due in part to policy changes: Before the season, Florida Panthers owners Vinnie Viola and Doug Cifu decided to eliminate disparities in ticket pricing that alienated season-ticket holders in the past, included a lot of discounted tickets and ticket giveaways. They knew that attendance would suffer, and might not improve until the team was consistently winning. But even they couldnt have envisioned Monday nights all-time franchise low of an announced 7,311 for a 1-0 loss to the Ottawa Senators or the record-low home-opening crowd of 11,419 on Saturday. We could get 15,000 people into the arena if we gave away 5,000 seats, Cifu said. Thats not fair to the community, to the players and the folks paying $100 sitting next to a guy paying 10.Devils zap Lightning NHL ROUNDUPFROM WIRE REPORTS PANTHERS AT SABRESWHO: Florida (0-2-1) at Buffalo (0-3-0) WHEN: Friday, 7 p.m. WHERE: First Niagara Center, Buffalo, N.Y. TV: Fox Sports FloridaLIGHTNING AT CANUCKSWHO: Tampa Bay (2-1-1) at Vancouver (3-1-0) WHEN: Saturday, 10 p.m. WHERE: Rogers Arena, Vancouver, B.C. TV: Sun Sports RADIO: 620 AM | BASEBALL SCOREBOARD NLCSSAN FRANCISCO 2, ST. LOUIS 1(Best-of-7; x-if necessary) Saturday: San Francisco 3, St. Louis 0 Sunday: St. Louis 5, San Francisco 4 Tuesday: San Francisco 5, St. Louis 4, 10 innings Today: St. Louis (Miller 10-9) at San Francisco (Vogelsong 8-13), 8:07 p.m. (FS1) Thursday: St. Louis at San Francisco, 8:07 p.m. (FS1) x-Saturday: San Francisco at St. Louis, 4:07 p.m. (Fox) x-Sunday: San Francisco at St. Louis, 7:37 p.m. (FS1)GIANTS 5, CARDINALS 4, 10 INNINGSSt. Louis AB R H BI BB SO Avg. M.Carpenter 3b 5 0 1 0 0 2 .231 Jay cf 5 2 3 0 0 0 .545 Holliday lf 5 1 1 0 0 0 .077 Ma.Adams 1b 4 0 0 0 0 0 .091 Jh.Peralta ss 4 0 1 1 0 1 .222 Wong 2b 4 0 2 2 0 0 .300 Pierzynski c 4 0 0 0 0 1 .000 Grichuk rf 4 1 1 1 0 2 .182 Lackey p 1 0 0 0 0 1 .000 a-Descalso ph 1 0 0 0 0 0 .000 Gonzales p 0 0 0 0 0 0 --Neshek p 0 0 0 0 0 0 --Maness p 0 0 0 0 0 0 --c-Bourjos ph 1 0 0 0 0 0 .000 Choate p 0 0 0 0 0 0 --Totals 38 4 9 4 0 7 San Francisco AB R H BI BB SO Avg. G.Blanco cf 4 0 0 0 0 2 .143 Panik 2b 4 0 0 0 0 0 .154 Posey c 4 1 1 0 0 0 .154 Sandoval 3b 3 1 1 0 0 0 .417 Pence rf 4 1 1 1 0 1 .182 Belt 1b 3 1 0 0 1 1 .286 Ishikawa lf 3 0 1 3 0 0 .500 Aeldt p 0 0 0 0 0 0 --S.C asilla p 0 0 0 0 0 0 --b-Morse ph 1 0 0 0 0 0 .500 J.Lopez p 0 0 0 0 0 0 --Romo p 0 0 0 0 0 0 --B.Crawford ss 3 1 0 0 1 0 .000 T.Hudson p 2 0 1 0 0 0 .500 J.Perez lf 2 0 1 0 0 0 .500 Totals 33 5 6 4 2 4 St. Louis 000 201 100 0 4 9 1 San Francisco 400 000 000 1 5 6 0 No outs when winning run scored. a-grounded out for Lackey in the 7th. b-grounded out for S.Casilla in the 9th. c-grounded out for Maness in the 10th. EChoate (1). LOB St. Louis 5, San Fran cisco 5. 2BWong (1), Pence (1), Ishikawa (2). 3BWong (1). HRGrichuk (1), o T.Hudson. RBIs Jh.Peralta (1), Wong 2 (3), Grichuk (2), Pence (2), Ishikawa 3 (4). S G.Blanco. Runners left in scoring positionSt. Louis 2 (Pierzynski 2); San Francisco 1 (B.Crawford). RISPSt. Louis 2 for 7; San Francisco 2 for 3. Runners moved upHolliday, Ma.Adams. GIDPM.Car penter. DP San Francisco 1 (T.Hudson, B.Crawford, Belt). St. Louis IP H R ER BB SO NP ERA Lackey 6 5 4 4 1 3 79 6.00 Gonzales 1 0 0 0 0 1 14 0.00 Neshek 1 0 0 0 0 0 13 0.00 Maness 1 0 0 0 0 0 6 0.00 Choate L, 0-1 0 1 1 0 1 0 1613.50 San Francisco IP H R ER BB SO NP ERA T.Hudson 6 7 4 4 0 5 89 5.68 Aeldt 1 1 0 0 0 0 16 0.00 S.Casilla 1 0 0 0 0 1 9 0.00 J.Lopez 1 0 0 0 1 7 0.00 Romo W, 1-1 0 0 0 0 0 613.50 Choa te pitched to 3 batters in the 10th. IBBo Lackey (Belt). HBPby Lackey (Sandoval), by T.Hudson (Lackey). UmpiresHome, Gerry Davis; First, Mark Carl son; Second, Greg Gibson; Third, Bill Miller; Right, Bill Welke; Left, Paul Emmel. T 3:10. A 42,716 (41,915).ALCSKANSAS CITY 3, BALTIMORE 0Best-of-7; x-if necessary All AL games televised by TBS Friday: Kansas City 8, Baltimore 6, 10 innings Saturday: Kansas City 6, Baltimore 4 Monday: Baltimore at Kansas City, ppd., rain Tuesday: Kansas City 2, Baltimore 1 Today: Baltimore (Gonzalez 10-9) at Kansas City (Vargas 11-10), 4:07 p.m. x-Thursday: Baltimore at Kansas City, 4:07 p.m. x-Friday: Kansas City at Baltimore, 8:07 p.m. x-Saturday: Kansas City at Baltimore, 8:07 p.m.ROYALS 2, ORIOLES 1Baltimore AB R H BI BB SO Avg. Markakis rf 4 0 1 0 0 0 .267 De Aza lf 4 0 0 0 0 0 .308 A.Jones cf 4 0 0 0 0 1 .214 N.Cruz dh 4 0 0 0 0 0 .308 Pearce 1b 4 1 1 0 0 0 .077 J.Hardy ss 3 0 1 1 0 0 .182 Flaherty 3b 1 0 0 0 2 1 .333 Hundley c 3 0 0 0 0 2 .143 Schoop 2b 3 0 0 0 0 1 .100 Totals 30 1 3 1 2 5 Kansas City AB R H BI BB SO Avg. A.Escobar ss 4 0 1 0 0 0 .214 Aoki rf 3 0 1 0 0 0 .333 1-J.Dyson pr-cf 1 1 0 0 0 1 .000 L.Cain cf-rf 4 1 2 0 0 1 .667 Hosmer 1b 3 0 2 0 0 0 .417 B.Butler dh 1 0 0 1 1 0 .300 A.Gordon lf 3 0 0 1 0 1 .273 S.Perez c 3 0 0 0 0 0 .091 Infante 2b 3 0 1 0 0 1 .273 Moustakas 3b 3 0 0 0 0 1 .273 Totals 28 2 7 2 1 5 Baltimore 010 000 000 1 3 0 Kansas City 000 101 00x 2 7 0 1-ran for Aoki in the 6th. LOB Baltimore 4, Kansas City 4. 2BPearce (1), J.Hardy (1). RBIs J.Hardy (1), B.Butler (3), A.Gordon (5). SF B .Butler. Runners left in scoring posi tionBaltimore 1 (Schoop); Kansas City 2 (S.Perez 2). RISPBaltimore 1 for 3; Kansas City 0 for 2. Runners moved up Hundley, A.Gordon. GIDPMoustakas. DP Baltimore 1 (Schoop, J.Hardy, Pearce). Baltimore IP H R ER BB SO NP ERA W.Chen L, 0-1 5 7 2 2 1 4 80 3.38 Gausman 2 0 0 0 0 1 33 0.00 Kansas City IP H R ER BB SO NP ERA Guthrie 5 3 1 1 2 2 94 1.80 Frasor W, 1-0 1 0 0 0 0 0 11 0.00 K.Herrera H, 1 1 0 0 0 0 2 14 0.00 W.Davis H, 1 1 0 0 0 0 1 13 0.00 G.Holland S, 3-3 1 0 0 0 0 0 6 3.00 Inherited runners-scoredGausman 2-1. UmpiresHome, Joe West; First, Ron Kulpa; Second, Mark Wegner; Third, Brian Gorman; Right, Marvin Hudson; Left, Dan Iassogna. T 2:55. A 40,183 (37,903).World SeriesBest-of-7; x-if necessaryOn this date1917 The Chicago White Sox won the World Series when the New York Giants left home plate uncovered and Eddie Collins dashed home with third baseman Heinie Zimmerman chasing him in helpless pur suit. 1925 Kiki Cuylers bases-loaded double in the eighth inning gave the Pittsburgh Pirates a 9-7 victory over Walter Johnson and the Washington Senators in Game 7 of the World Series, capping a comeback from a 3-1 decit. 1946 Enos Slaughter scored from rst on Harry Walkers double to give the St. Louis Cardinals to a 4-3 victory and the World Series title in the seventh game against the Boston Red Sox. KANSAS CITY, Mo. The Kansas City Royals have embraced the bloop, bunt and sacrice y all postseason. Add in more spar kling defense and that dominant bullpen, and the wild-card Royals are suddenly one win from the World Series. Billy Butler drove in the go-ahead run with a sacri ce y in the sixth inning, and the Royals steel-cur tain seven this year. Making its rst playoff appearance in 29 years, the only thing thats slowed Kansas City so far was a rainout Monday. Kansas City will send Jason Vargas to the mound for Game 4 today, trying to advance to its rst World Series since 1985. Miguel Gonzalez will try to help the Orioles stave off elimination. The Royals Jeremy Guthrie dueled Orioles Wei-Yin Chen for ve y ball to left eld for the tiebreaking run the latest example of Kansas City doing the little things right. One of the best bullpens in baseball took care of the rest. The relievers combined with Guthrie to retire Baltimores nal.By DAVE SKRETTAASSOCIATED PRESS MLB PLAYOFFS: Kansas City 2, Baltimore 1Royals triumph, take command rff rfntbbnn rfrfntttbfb bnr fbntbbrf brffntnb nnrffntnb fn r 50470055 YOUTH PLAY FREE with each paid adult round (Ages 17 and under) Thru October. 31, 2014 Not valid with other offers. 7-Day Advance Tee Times (941) 423-6955 EXP. 10/31/14. Not Valid With Other Offers. $ 29 before 7:30am $150 $ 39 between 7:30am-12pm $ 29 after 12pm $ 149 HERON` CREEK-----------------------------------------------------------------------------------
PAGE 25
The Sun /Wednesday, October 15, 2014 SP Page 5 Sports on TVGOLF9 a.m. TGC European PGA Tour, Volvo World Match Play Championship, rst day group matches, at Kent, England 4 p.m. TNT PGA of America, PGA Grand Slam of Golf, nal day, at Southampton, Bermuda (same-day tape) 11 p.m. TGC LPGA, KEB HanaBank Championship, rst round, at Incheon, South KoreaMAJOR LEAGUE BASEBALL4 p.m. TBS Playos, ALCS, Game 4, Baltimore at Kansas City 8 p.m. FS1 Playos, NLCS, Game 4, St. Louis at San FranciscoNHL HOCKEY8 p.m. NBCSN Boston at DetroitSOCCER3 a.m. FS1 Womens national teams, CONCA CAF Championship/qualier for World Cup, group stage, United States vs. Trinidad & Tobago, at Kansas City, Kan. (delayed tape)Pro basketballNBA PRESEASON EASTERN CONFERENCE Atlantic Division W L Pct GB Brooklyn 1 0 1.000 Toronto 3 1 .750 Boston 2 2 .500 1 New York 2 2 .500 1 Philadelphia 1 3 .250 2 Southeast Division W L Pct GB Washington 3 1 .750 Charlotte 2 1 .667 Atlanta 2 1 .667 MAGIC 2 1 .667 HEAT 0 4 .000 3 Central Division W L Pct GB Cleveland 2 0 1.000 Detroit 2 1 .667 Chicago 2 2 .500 1 Indiana 1 2 .333 1 Milwaukee 1 3 .250 2 WESTERN CONFERENCE Southwest Division W L Pct GB Houston 3 1 .750 New Orleans 2 2 .500 1 Dallas 1 2 .333 1 Memphis 1 3 .250 2 San Antonio 0 0 .000 1 Northwest Division W L Pct GB Utah 3 0 1.000 Oklahoma City 2 1 .667 1 Minnesota 1 1 .500 1 Portland 1 2 .333 2 Denver 1 3 .250 2 Pacic Division W L Pct GB Golden State 3 0 1.000 Phoenix 1 1 .500 1 Sacramento 1 2 .333 2 L.A. Lakers 1 2 .333 2 L.A. Clippers 0 3 .000 3 Mondays results Charlotte 99, MAGIC 97 Toronto 81, New York 76 Chicago 110, Denver 90 Houston 95, Phoenix 92 Utah 102, L.A. Clippers 89 Tuesdays results New York 84, Philadelphia 77 Cleveland 106, Milwaukee 100 Atlanta 109, HEAT 103 New Orleans 117, Houston 98 Oklahoma City 117, Memphis 107 Todays games Sacramento vs. Brooklyn at Beijing, 7:30 a.m. Detroit at Charlotte, 11 a.m. Indiana vs. Cleveland at Cincinnati, 7 p.m. Toronto vs. Boston at Portland, Maine, 7:30 p.m. Thursdays games Boston at Philadelphia, 7 p.m. Atlanta at Chicago, 8 p.m. Oklahoma City at New Orleans, 8 p.m. Denver vs. Golden State at Des Moines, Iowa, 8 p.m. San Antonio at Phoenix, 10 p.m. Utah vs. L.A. Lakers at Anaheim, Calif., 10 p.m.Pro footballNFL AMERICAN CONFERENCE East W L T Pct PF PA New England 4 2 0 .667 160 129 Bualo 3 3 0 .500 118 126 DOLPHINS 2 3 0 .400 120 124 N.Y. Jets 1 5 0 .167 96 158 South W L T Pct PF PA Indianapolis 4 2 0 .667 189 136 Houston 3 3 0 .500 132 120 Tennessee 2 4 0 .333 104 153 JAGUARS 0 6 0 .000 81 185 North W L T Pct PF PA Cincinnati 3 1 1 .700 134 113 Baltimore 4 2 0 .667 164 97 Cleveland 3 2 0 .600 134 115 Pittsburgh 3 3 0 .500 124 139 West W L T Pct PF PA San Diego 5 1 0 .833 164 91 Denver 4 1 0 .800 147 104 Kansas City 2 3 0 .400 119 101 Oakland 0 5 0 .000 79 134 NATIONAL CONFERENCE East W L T Pct PF PA Philadelphia 5 1 0 .833 183 132 Dallas 5 1 0 .833 165 126 N.Y. Giants 3 3 0 .500 133 138 Washington 1 5 0 .167 132 166 South W L T Pct PF PA Carolina 3 2 1 .583 141 157 New Orleans 2 3 0 .400 132 141 Atlanta 2 4 0 .333 164 170 BUCS 1 5 0 .167 120 204 North W L T Pct PF PA Detroit 4 2 0 .667 116 82 Green Bay 4 2 0 .667 161 130 Chicago 3 3 0 .500 143 144 Minnesota 2 4 0 .333 104 143 West W L T Pct PF PA Arizona 4 1 0 .800 116 106 San Francisco 4 2 0 .667 141 123 Seattle 3 2 0 .600 133 113 St. Louis 1 4 0 .200 101 150 Thursdays result Indianapolis 33, Houston 28 Sundays results Tennessee 16, JAGUARS 14 Detroit 17, Minnesota 3 Baltimore 48, BUCS 17 Denver 31, N.Y. Jets 17 New England 37, Bualo 22 Carolina 37, Cincinnati 37, OT Cleveland 31, Pittsburgh 10 Green Bay 27, DOLPHINS 24 San Diego 31, Oakland 28 Dallas 30, Seattle 23 Arizona 30, Washington 20 Chicago 27, Atlanta 13 Philadelphia 27, N.Y. Giants 0 Open: Kansas City, New Orleans Mondays result San Francisco 31, St. Louis 17 Thursdays game N.Y. Jets at New England, 8:25 p.m. Sundays games Seattle at St. Louis, 1 p.m. DOLPHINS at Chicago, 1 p.m. Carolina at Green Bay, 1 p.m. Atlanta at Baltimore, 1 p.m. Tennessee at Washington, 1 p.m. Cleveland at JAGUARS, 1 p.m. Cincinnati at Indianapolis, 1 p.m. Minnesota at Bualo,, BUCS Mondays game Houston at Pittsburgh, 8:30 p.m. MONDAYS LATE SUMMARY49ERS 31, RAMS 17San Francisco 0 10 14 7 31 St. Louis 14 0 0 3 17 First Quarter StL Cunningham 1 run (Zuerlein kick), 7:55. StL Kendricks 22 pass from A.Davis (Zue rlein kick), :53. Second Quarter SFFG Dawson 54, 7:07. SFLloyd 80 pass from Kaepernick (Daw son kick), :14. Third Quarter SFBoldin 11 pass from Kaepernick (Daw son kick), 9:58. SFCrabtree 32 pass from Kaepernick (Dawson kick), :13. Fourth Quarter StL FG Zuerlein 38, 2:24. SFD.Johnson 20 interception return (Dawson kick), :53. A 56,851. SF StL First downs 17 19 Total Net Yards 432 309 Rushes-yards 30-89 24-93 Passing 343 216 Punt Returns 5-29 2-12 Kicko Returns 0-0 2-54 Interceptions Ret. 1-20 0-0 Comp-Att-Int 22-36-0 21-42-1 Sacked-Yards Lost 0-0 5-20 Punts 5-43.0 8-43.9 Fumbles-Lost 1-1 1-0 Penalties-Yards 5-23 8-38 Time of Possession 28:38 31:22 INDIVIDUAL STATISTICS RUSHINGSan Francisco, Gore 16-38, Kaepernick 3-37, Hyde 11-14. St. Louis, Mason 5-40, Cunningham 7-21, Stacy 8-17, Austin 3-16, A.Davis 1-(minus 1). PASSINGSan Francisco, Kaepernick 2236-0-343. St. Louis, A.Davis 21-42-1-236. RECEIVINGSan Francisco, Boldin 7-94, S.Johnson 5-53, Crabtree 3-49, V.Davis 3-30, Lloyd 1-80, V.McDonald 1-21, Miller 1-15, Hyde 1-1. St. Louis, Cook 4-74, Austin 4-35, Britt 3-39, Pettis 3-15, Stacy 2-17, Cun ningham 2-12, Kendricks 1-22, Mason 1-12, Quick 1-10. MISSED FIELD GOALSNone.Pro hockeyNHL EASTERN CONFERENCE Atlantic Division GP W L OT Pts GF GA Montreal 4 3 1 0 6 11 14 LIGHTNING 4 2 1 1 5 13 8 Ottawa 3 2 1 0 4 6 5 Toronto 4 2 2 0 4 14 14 Detroit 2 1 1 0 2 4 4 Boston 4 1 3 0 2 4 9 Bualo 4 1 3 0 2 8 17 PANTHERS 3 0 2 1 1 3 9 Metropolitan Division GP W L OT Pts GF GA New Jersey 3 3 0 0 6 13 6 N.Y. Islanders 3 3 0 0 6 15 9 Pittsburgh 2 2 0 0 4 11 6 Columbus 3 2 1 0 4 10 7 Washington 3 1 0 2 4 10 8 N.Y. Rangers 4 1 3 0 2 11 19 Philadelphia 4 0 2 2 2 11 16 Carolina 3 0 2 1 1 9 13 WESTERN CONFERENCE Central Division GP W L OT Pts GF GA Nashville 3 2 0 1 5 9 6 Minnesota 2 2 0 0 4 8 0 Chicago 2 2 0 0 4 9 4 Dallas 3 1 1 1 3 7 9 Colorado 4 1 2 1 3 4 12 St. Louis 2 1 1 0 2 6 4 Winnipeg 3 1 2 0 2 7 9 Pacic Division GP W L OT Pts GF GA San Jose 3 3 0 0 6 13 5 Anaheim 4 3 1 0 6 16 12 Vancouver 2 2 0 0 4 9 6 Calgary 4 2 2 0 4 11 12 Los Angeles 3 1 1 1 3 6 8 Arizona 2 1 1 0 2 5 8 Edmonton 2 0 1 1 1 6 10 NOTE: 2 points for a win, 1 point for OT loss. Mondays results Colorado 2, Boston 1 Anaheim 5, Bualo 1 Ottawa 1, PANTHERS 0 LIGHTNING 7, Montreal 1 Tuesdays results Anaheim 4, Philadelphia 3, SO San Jose 6, Washington 5, SO Bualo 4, Carolina 3, SO Calgary 3, Nashville 2, SO N.Y. Islanders 6, N.Y. Rangers 3 Dallas 4, Columbus 2 Toronto 3, Colorado 2, OT New Jersey 2, LIGHTNING 1 Edmonton at Los Angeles, late Todays games Boston at Detroit, 8 p.m. Calgary at Chicago, 8 p.m. Edmonton at Arizona, 10:30 p.m. Thursdays games San Jose at N.Y. Islanders, 7 p.m. Dallas at Pittsburgh, 7 p.m. New Jersey at Washington, 7 p.m. Carolina at N.Y. Rangers, 7 p.m. Boston at Montreal, 7:30 p.m. Colorado at Ottawa, 7:30 p.m. St. Louis at Los Angeles, 10:30 p.m.SoccerMLS EASTERN CONFERENCE W L T Pts GF GA x-D.C. 16 9 7 55 49 35 x-New England 15 13 4 49 48 45 x-Sporting K.C. 14 11 7 49 47 37 x-New York 12 9 11 47 52 47 Columbus 12 10 10 46 47 40 Toronto FC 11 14 7 40 43 52 Houston 11 15 6 39 37 54 Philadelphia 9 11 12 39 48 48 Chicago 5 9 18 33 38 48 Montreal 6 18 8 26 36 56 WESTERN CONFERENCE W L T Pts GF GA x-Seattle 19 10 3 60 61 48 x-Los Angeles 17 6 9 60 67 33 x-Real Salt Lake 14 8 10 52 52 39 x-FC Dallas 15 11 6 51 54 43 Vancouver 11 8 13 46 41 40 Portland 11 9 12 45 59 52 Colorado 8 16 8 32 43 60 Chivas USA 8 18 6 30 28 59 San Jose 6 15 11 29 35 49 NOTE: 3 points for victory, 1 point for tie. Thursdays game New England a t Houst on, 8 p.m. Fridays game Real Salt Lake at Portland, 10 p.m. Saturdaysays games Columbus at New York, 3 p.m. Seattle FC at Los Angeles, 8:30 p.m.TennisKREMLIN CUP At Olympic Stadium, Moscow Purse: Men, $776,620 (WT250); Women, $710,000 (Premier) Surface: Hard-Indoor Singles Men First Round Ricardas Berankis, Lithuania, def. Aslan Karatsev, Russia, 6-3, 6-4. Evgeny Donskoy, Russia, def. Dudi Sela, Israel, 6-4, 6-0. Sam Groth, Australia, def. Andrey Rublev, Russia, 7-6 (4), 7-5. Ivan Dodig, Croatia, def. Pere Riba, Spain, 6-4, 6-2. Juan Monaco, Argentina, def. Paolo Lo renzi, Italy, 6-3, 5-7, 6-3. Mikhail Kukushkin, Kazakhstan, def. Kar en Khachanov, Russia, 6-7 (3), 6-0, 6-2. Women First Round Anastasia Pavlyuchenkova (6), Russia, def. Ana Konjuh, Croatia, 6-3, 6-4. Aleksandra Krunic, Serbia, def. Caroline Garcia (8), France, 6-4, 6-2. Vitalia Diatchenko, Russia, def. Olga Gov ortsova, Belarus, 6-2, 2-1, retired. Kateryna Kozlova, Ukraine, def. Aliaksandra Sasnovich, Belarus, 6-3, 6-2. Katerina Siniakova, Czech Republic, def. Elena Vesnina, Russia, 6-2, 6-2. Ajla Tomljanovic, Croatia, def. Alexandra Panova, Russia, 6-4, 4-6, 6-3. Camila Giorgi, Italy, def. Lesia Tsurenko, Ukraine, 6-0, 6-3. ATP ERSTE BANK OPEN At Wiener Stadthalle, Vienna, Austria Purse: $660,000 (WT250) Surface: Hard-Indoor Singles First Round Jan-Lennard Stru, Germany, def. Guiller mo Garcia-Lopez (7), Spain, 6-3, 6-4. Thomaz Bellucci, Brazil, def. Paul-Henri Mathieu, France, 6-1, 6-4. Benjamin Becker, Germany, def. Victor Hanescu, Romania, 4-6, 6-1, 6-3. Ivo Karlovic (6), Croatia, def. Federic Delbonis, Argentina, 6-7 (1), 7-6 (9), 7-6 (2). Robin Haase, Netherlands, def. Dominic Thiem (8), Austria, 6-3, 3-6, 6-3. Vasek Pospisil, Canada, def. Daniel Brands, Germany, 6-3, 6-7 (3), 7-6 (2). Viktor Troicki, Serbia, def. Victor Estrella Burgos, Dominican Republic, 6-0, 6-3. Jurgen Melzer, Austria, def. Norbert Gom bos, Slovakia, 6-3, 4-6, 6-3. ATP STOCKHOLM OPEN At Kungliga Tennishallen, Stockholm, Sweden Surface: Hard-Indoor Purse: $660,000 (WT250) Singles First Round Leonardo Mayer (5), Argentina, def. Don ald Young, United States, 6-4, 6-4. Matthias Bachinger, Germany, def. Igor Sijsling, Netherlands, 2-6, 7-6 (3), 6-4. Adrian Mannarino, France, def. Marcos Baghdatis, Cyprus, 2-6, 6-2, 6-4. Fernando Verdasco (7), Spain, def. Marinko Matosevic, Australia, 6-3, 3-6, 6-3. Marius Copil, Romania, def. Joao Sousa (8), Portugal, 7-6 (4), 4-6, 6-4. Jeremy Chardy (6), France, def. Elias Ymer, Sweden, 6-3, 6-4. WTA LUXEMBOURG OPEN At CK Sportcenter Kockelsheuer, Lux embourg Purse: $250,000 (Intl.) Surface: Hard-Indoor Singles First Round Alize Cornet (2), France, def. Lucie Hra decka, Czech Republic, 6-2, 7-6 (6). Sabine Lisicki (3), Germany, def. Daniela Hantuchova, Slovakia, 7-5, 6-0. Kiki Bertens, Netherlands, def. Anna-Lena Friedsam, Germany, 2-6, 6-2, 6-4. Polona Hercog, Slovenia, def. Marina Era kovic, New Zealand, 6-3, 6-4. Alison Van Uytvanck, Belgium, def. Ste fanie Voegele, Switzerland, 5-7, 6-2, 6-2. Annika Beck, Germany, def. Timea Bac sinszky, Switzerland, 7-6 (6), 6-3. Johanna Larsson, Sweden, def. Kristen Flipkens (7), Belgium, 7-6 (50, 6-1. Pauline Parmentier, France, def. Andrea Petkovic (1), Germany, 6-4, 6-2. Denisa Allertova, Czech Republic, def. Ons Jabeur, Tunisia, 6-1, 3-6, 6-2. Varvara Lepchenko (5), United States, def. Julia Goerges, Germany, 6-3, 5-7, 6-2.TransactionsBASEBALL American League TAMPA BAY RAYS Named Matt Silver man president of baseball operations and Brian Auld team president. National League LOS ANGELES DODGERS Named Andrew Friedman president of baseball operations. Announced general manger Ned Colletti will stay on as a senior adviser to team president and CEO. Announced OF Roger Bernadina has elected to become a free agent.BASKETBALLNational Basketball Association TORONTO RAPTORS Exercised their fourth-year team options on C Jonas Valan ciunas and F Terrence Ross for the 2015-16 season. WASHINGTON WIZARDS Exercised their fourth-year contract option on G Bradley Beal and their third-year option on F Otto Porter. Womens NBA NEW YORK LIBERTY Announced they will not renew the contract of coach and general manager Bill Laimbeer.FOOTBALLNational Football League ARIZONA CARDINALS Signed LB Kaelin Burnett and CB Ross Weaver to the practice squad. Released LB Jonathan Brown from the practice squad. CHICAGO BEARS Signed LB Terrell Manning to the practice squad. CINCINNATI BENGALS Placed WR Marvin Jones on the injured reserve list. Signed WR Greg Little. Waived LB Khairi Fortt. Released WR Colin Lockett from the practice squad. Signed WR Cobi Hamilton to the practice squad. CLEVELAND BROWNS Signed DL Sione Fua. Placed DL Armonty Bryant on injured reserve. Released WR Lee Doss from the practice squad. DENVER BRONCOS Placed LB Danny Trevathan on recallable injured reserve. GREEN BAY PACKERS Signed TE Ike Ariguzo to the practice squad. Released G Jordan McCray from the practice squad. MIAMI DOLPHINS Reinstated DL Derrick Shelby from the suspended list. Placed RB Knowshon Moreno on injured reserve. SAN FRANCISCO 49ERS Re-signed QB Josh Johnson. Released S Bubba Ventrone.HOCKEYNational Hockey League BOSTON BRUINS Signed F Simon Gagne to a one-year contract. Waived F Bobby Robins for purpose of assignment. Sent F Jordan Caron to Providence (AHL). DALLAS STARS Recalled LW Curtis McKenzie from Texas (AHL). MINNESOTA WILD Named Richard Park player development coach. Reas signed D Stu Bickel to Iowa (AHL). American Hockey League MILWAUKEE ADMIRALS Assigned F Josh Shalla, D Jaynen Rissling and D Mikko Vainonen to Cincinnati (ECHL).ECHLECHL Suspended Elmiras Matt Tassone two regular-season games and ned him an undisclosed amount for his actions in an Oct. 11 preseason game at Reading. Suspended Gwinnetts Tristin Llewellyn one regular-season game and ned him an un disclosed amount for his actions in an Oct. 12 preseason game against Greenville.MOTORSPORTSNASCAR Fined Brad Keselowski $50,000 and Tony Stewart $25,000 for their post-race conduct on Oct. 11 at Charlotte Motor Speedway.SOCCERMajor League Soccer PORTLAND TIMBERS Announced the formation of Timbers 2, a professional team that will compete in USL PRO starting in 2015. SEATTLE SOUNDERS FC Announced the formation of Sounders 2, a professional team that will compete in USL PRO starting in 2015.COLLEGESOUTHEASTERN CONFERENCE An nounced the retirement of commissioner Mike Slive, eective July 31, 2015. NEW JERSEY CITY Named Rell Smith womens bowling coach. RICHARD STOCKTON Announced mens soccer coach Je Haines will retire at the conclusion of the 2014 season and will become an assistant athletic director.Glantz-Culver LineMAJOR LEAGUE BASEBALL PLAYOFFS National League FAVORITE LINE UNDERDOG LINE at San Francisco -110 St. Louis +100 American League at Kansas City -115 Baltimore +105NCAA FOOTBALLFAVORITE O T O/U UNDERDOGThursday at Pittsburgh +3 1 Virginia Tech Utah 1 2 at Oregon St. Friday at Boise St. 15 17 Fresno St. at Houston 6 7 Temple Saturday Marshall 21 21 at FIU Syracuse 3 4 at Wake Forest at N. Illinois 14 13 Miami (Ohio) Akron 4 3 at Ohio at Minnesota 13 12 Purdue at Maryland 3 4 Iowa Baylor 9 8 at West Virginia at Duke 4 3 Virginia Georgia Tech 1 2 at North Carolina at Louisville 14 17 NC State at UMass 12 16 E. Michigan at Bowling Green 3 2 W. Michigan at Cent. Michigan 7 9 Ball St. Georgia 3 3 at Arkansas-x San Jose St. Pk 1 at Wyoming at Air Force 11 9 New Mexico South Florida +1 2 at Tulsa at Louisiana Tech 7 7 UTSA at North Texas 10 10 Southern Miss. Cincinnati 14 14 at SMU at Troy 6 7 Appalachian St. at BYU 11 10 Nevada Army 5 5 at Kent St. Stanford 4 3 at Arizona St. at Oregon 19 21 Washington UCLA 8 7 at California UAB +1 1 at Middle Tenn. at Ohio St. 18 19 Rutgers at Alabama 12 11 Texas A&M at Southern Cal 20 19 Colorado Michigan St. 15 14 at Indiana Clemson 7 5 at Boston College at Oklahoma 9 8 Kansas St. at Idaho 4 4 New Mexico St. at South Alabama 17 17 Georgia St. W. Kentucky 3 6 at FAU at Colorado St. 5 5 Utah St. at Mississippi 17 16 Tennessee at Texas 12 12 Iowa St. at Florida 4 5 Missouri at Texas Tech 14 14 Kansas at TCU 9 9 Ok lahoma St. a t UCF 19 19 Tulane Nebraska 7 6 at Northwestern at LSU 11 9 Kentucky at Florida St. 12 12 Notre Dame at San Diego St. 9 9 Hawaii x-at Little Rock, Ark.NFLThursdayFAVORITE O T O/U UNDERDOG at New England 8 9 (45) N.Y. JetsSundayat Indianapolis 3 3 (49) Cincinnati at Washington 4 5 (46) Tennessee at Chicago 3 3 (49) Miami Cleveland 4 5 (45) at Jacksonville Seattle 6 6 (43) at St. Louis at Green Bay 7 7 (49) Carolina at Baltimore 7 7 (49) Atlanta at Bualo 4 4 (43) Minnesota at Detroit 2 3 (49) New Orleans at San Diego 5 4 (44) Kansas City at Dallas 4 5 (48) N.Y. Giants Arizona 4 3 (44) at Oakland at Denver 7 6 (50) San FranciscoMondayat Pittsburgh 4 3 (44) HoustonNHLFAVORITE LINE UNDERDOG LINE at Chicago -250 Calgary +210 at Detroit -110 Boston -110 at Arizona -170 Edmonton +150 OOpen; T Today; O/U Over/under | SCOREBOARD | QUICK HITSNBA TO EXPERIMENT SHORTENING GAMES BY FOUR MINUTESNEW YORK (AP) The NBA is going to evaluate if a shorter game could be a better one. The Brooklyn Nets and Boston Celtics will play a 44-minute preseason game on Sunday as the league tests a format that features fewer minutes and fewer mandatory timeouts. The contest will be four minutes shorter than the NBAs standard 48-minute game. The league said Tuesday that the presea son game will feature four 11-minute quarters, one minute shorter than normal. Acting on a suggestion by coaches to tighten up the games, the league will use the matchup at Barclays Center to examine if the shorter model ows better. No long-term changes are currently being considered, but shorter games could be a way to keep players healthier, since there are no plans to shorten the season. A 44-minute game would bring the NBA closer to college and international play, where the games are 40 minutes. It also would add up to 328 less minutes over the course of an 82-game season, which would translate to about seven fewer games.GOLFAmericans try to solve Ryder Cup with task force: Tiger Woods and Phil Mickelson were among 11 players, captains and PGA of America officials appointed to the Ryder Cup Task Force that will look at everything from qualifications to captains picks and even practice schedules during the matches. Europe has won the Ryder Cup eight of the last 10 times, including a comfortable victory last month at Gleneagles that was remembered as much for Mickelson indirectly criticizing U.S. captain Tom Watsons leadership style in the closing press conference. See This Week on Tour, Page 2SOCCERDrone, banner force end to Euro qualifier: In Belgrade, Serbia, a small drone dangling an Albanian banner and circling the soccer field touched off fighting between Serbian and Albanian players and fans, forcing a European Championship qualifier to be called off. Albanian fans had been warned against attending the match because of turbulent relations between the rival Balkan nations. In Boca Raton, Maynor Figueroa scored off a header in the 86th minute, pulling Honduras into a 1-1 tie against the Americans in an exhibition game. Jozy Altidore, who grew up in Boca Raton, scored for the U.S. in the 10th minute for his 24th international goal, tying Joe-Max Moore for fifth place on the career list. ORLANDO Take a scan down Central Florida mens basketball roster, and the rst reaction is to notice whats missing. Gone are Isaiah Sykes, Tristan Spurlock and Calvin Newell, who combined to average 38.3 points last year 53 percent of UCFs scoring output for a team that nished ninth in the American Athletic Conference. Those points wll not be easy to replace. But there was an optimism this team could surprise as the young roster mingled with the media on Tuesday. I think our strength is our unity, said forward Kasey Wilson, a North Port High School graduate and one of two seniors on the roster. This is probably the closest team Ive ever been on. Were really close now. Said sophomore center Justin McBride: Honestly, this is the closest Ive felt to my teammates since Ive been playing basketball. We have this family atmosphere going on right now and its amazing. That may be more of an indictment of last years team, which endured a nine-game losing streak in January and February and won four AAC games. But if a fresh outlook is what the Knights need, it appears theyre off on the right foot. Its my fth year, but it is a new era, coach Donnie Jones said. VCU picked to win Atlantic 10: Virginia Commonwealth, led by preseason all-conference picks Treveon Graham and Briante Weber, is the favorite to win the Atlantic 10 conference. The Rams received all 28 first-place votes in a poll of the conferences coaches and selected media. George Washington was picked second followed by Dayton, which reached the NCAA Tournament regional finals in March.UCFs young squad looking to surprsie fansBY THE ASSOCIATED PRESS COLLEGE BASKETBALL NOTEBOOK 50470133 Introducing The Cove Player Card Buy this card and save $$$$! 25 Rounds of Golf (including greens fee and cart) $500 plus tax The fine print The Cove will sell only 50 cards. When they are gone they are gone. Dont miss out! Cards expire December 31, 2015. 12455 S Acess Road Rotonda, Florida 941-697-3900 J(1/ L ..C':mil M}
PAGE 26
Page 6 SP The Sun /Wednesday, October 15, 2014 NUMBERS GAME6DeSoto Countys offense had its problems against Frostproof on Friday night, but field position wasnt one of them. The Bulldogs had six possessions that entered Frostproof territory, but got nothing for it. That stretch started on DeSoto Countys first possession, when it couldnt convert fourth-and-1 at the Frostpoof 5.91 Lost in the finish of Charlottes 29-12 loss to American was a decent effort by the Tarpons defense. Charlotte held the Patriots to 91 total yards and four first downs in the contest. Usually, when defenses post numbers like that, teams expect to win.CONVENTIONAL WISDOM1. DeSoto County (5-1)Last week: Lost at Frostproof, 20-15. This week: At Southeast. The buzz: The loss to Frostproof stung a bit, but if quarterback Reggie Jones plays on Friday night, the Bulldogs chances look a lot better. Even without him, DeSoto County almost beat Frostproof to stay unbeaten.2. Port Charlotte (5-2)Last week: Defeated North Port, 53-13. This week: At Riverdale. The buzz: Port Charlotte is still in the postseason picture in District 7A-11. A victory over Riverdale on Friday night would set up a huge rivalry game against Charlotte on Halloween night. The Pirates have one of the best running games in the area.3. Charlotte (3-2)Last week: Lost to American, 29-12. This week: Vs. Fort Myers. The buzz: Charlottes last four minutes against American were nothing short of disastrous three turnovers returned for touchdowns to wreck what would have been a nice nondistrict victory. But a win over Fort Myers on Friday would trump that.4. Lemon Bay (3-3)Last week: Lost to Cape Coral, 41-18. This week: At Mariner. The buzz: Losing to Cape Coral hurts, pushing Lemon Bay out of the playoff picture. But the Mantas can still keep their streak of consecutive years without a losing season alive. Its currently at three. 5. North Port (1-6)Last week: Lost to Port Charlotte, 53-13. This week: At Sarasota. The buzz: Its that week for the Bobcats the week of the dreaded Sarasota County streak. North Port is 0-21 against school from its own county since it started playing varsity football. Could this be the year?THE POWER OF THREEBrayden Curry, LEMON BAYThe sophomore slotback had a big night in the Mantas 41-18 loss to Cape Coral, racking up a career-high 156 yards on 19 carries. It bodes for big things for Curry in the coming years at Veterans Stadium.Anthony Stephens, PORT CHARLOTTEThe Pirates star rusher had another big game with 105 yards and a touchdown in a 53-13 win over North Port on a scant six carries. Stephens 55-yard touch down in the second quarter was the start of Port Charlotte pulling away.Deionte Turner, DESOTO COUNTYThe Bulldogs defensive tackle had a monster game in DeSoto Countys 20-15 loss at Frostproof, notching a sack with four tackles for losses. At times, he looked nearly unblockable up front.GAME OF THE WEEKFort Myers at Charlotte: This traditional matchup has the added bonus of being a key cog in deciding District 7A-11. If the Green Wave win, Fort Myers would go a long way to its first district title since 2011. A Tarpons victory would set up crucial rivalry game against Port Charlotte in two weeks.KEEP AN EYE ONViera at Melbourne: Is it time to start looking at playoff matchups? This looks like the years premier matchup in District 7A-12, which will again be paired with the 7A-11 group featuring Charlotte and Port Charlotte. Viera is unbeaten, but Melbourne is the defending champ. STATE RANKINGSCL ASS 8A Rec. Pts Prv 1. Dr. Phillips (12) 6-0 151 1 2. First Coast (1) 6-0 143 2 3. Charles Flanagan (2) 7-0 128 3 4. West Orange 7-0 110 4 5. Plant 6-1 86 5 6. Lake Mary 6-0 71 6 7. Miramar (1) 5-2 61 7 8. Columbus Catholic 6-1 42 8 9T. Monarch 6-0 30 10 9T. Manatee 6-1 30 9 Others receiving votes: Miami Killian 13, Vero Beach 10, Apopka 4, Wellington 1. CLASS 7A Rec. Pts Prv 1. East Lake (11) 6-0 150 1 2. St. Thomas Aquinas (5) 5-1 145 2 3. Niceville 6-1 121 3 4. Lakeland 7-0 113 4 5. Kissimmee Osceola 6-1 89 5 6. Dwyer 6-1 84 6 7. Fort Myers 6-0 54 8 8. Oakleaf 7-0 41 10T 9. Countryside 6-0 23 NR 10. Viera 6-0 18 10T Others receiving votes: Lincoln 12, Royal Palm Beach 11, Oak Ridge 8, Braden River 6, Fletcher 4, American 1. CLASS 6A Rec. Pts Prv 1. Mainland (11) 7-0 154 1 2. Miami Central (5) 6-1 145 2 3. Armwood 6-0 132 3 4. Boynton Beach 7-0 103 4 5. Venice 7-0 88 5 6. Hallandale 6-0 70 7 7. Naples 5-1 67 6 8. Ed White 5-1 41 NR 9. South Lake 6-0 36 NR 10. Winter Haven 6-1 22 NR Others receiving votes: Escambia 9, Miami Northwestern 4, Navarre 4, St. Augustine 3, South Fort Myers 1, Hillsborough 1. CLASS 5A Rec. Pts Prv 1. South Sumter (13) 7-0 155 1 2. Cardinal Gibbons 6-0 137 2 3. Suwannee 6-0 115 3 4. Plantation Am. Heritage (3) 4-2 112 4 5. Bishop Moore 6-0 99 5 6. Clay 6-1 88 6 7. Palm Bay 4-1 50 9 8. Island Coast 6-1 35 NR 9. Titusville 4-1 24 NR 10. Cape Coral 6-1 21 NR Others receiving votes: Godby 17, West Florida 11, Wakulla 5, DeSoto County 5, Lake Wales 3, Merritt Island 2, Tarpon Springs 1. CLASS 4A Rec. Pts Prv 1. Miami Washington (16) 7-0 160 1 2. Clewiston 6-0 141 2 3. Cocoa 5-1 128 3 4. Glades Central 5-2 102 5 5. Florida 5-1 51 NR Others receiving votes: Raines 34, Bolles School 18, Fort White 6. CLASS 3A Rec. Pts Prv 1. Clrwtr Cent. Catholic (12) 6-0 155 1 2. Trinity Christian-Jax (2) 4-1 142 2 3. Delray Am. Heritage (2) 5-1 115 5 4. Westminster Christian 6-1 106 3 5. Berkeley Prep 6-0 98 4 Others receiving votes: Ocala Trinity Catholic 18, First Academy-Orlando 6. CLASS 2A Rec. Pts Prv 1. Indian Rocks (14) 7-0 158 1 2. Glades Day (2) 7-0 146 2 3. Victory Christian 5-1 134 3 4. Warner Christian 5-1 97 5 5. Champagnat Catholic 3-2 69 4 Others receiving votes: First Baptist 18, Cam bridge Christian 18. CLASS 1A Rec. Pts Prv 1. Dixie County (16) 6-0 160 1 2. Trenton 6-1 138 3 3. Baker School 6-0 116 4 4. Hamilton County 5-2 110 2 5. Northview 4-1 77 5 Others receiving votes: South Walton 25, Union County 7, Port St. Joe 7. | AREA STATS RUSHINGPlayer Att. Yds Avg. TD Anthony Stephens, PC 65 684 10.5 7 Brennan Norus, PC 79 653 8.3 10 Anthony Marinola, LB 91 500 5.5 7 Reggie Jones, DeS 61 492 8.1 10 Elijah Mack, Cha 86 420 4.9 7 Jeremy Snook, LB 63 404 6.4 3 Martin Luther, PC 38 338 8.9 5 Victor Mellor, LB 58 323 5.6 3 Zack Beeles, DeS 57 277 4.9 4 Zefen Bruno, NP 70 263 3.8 2 Brayden Curry, LB 36 240 6.7 0 Grady Wells, PC 17 160 9.4 3 Maleek Williams, Cha 25 159 6.4 1 DVonte Price, Cha 24 146 6.1 0 Matthew Laroche, NP 31 145 4.7 1 Tajahs Jackson, DeS 54 130 2.4 3 Brian McGill, LB 13 100 7.7 2 Christian Coelletto, PC 43 95 2.2 4 Niron Washington, DeS 18 93 5.2 2 Tony Lee, DeS 8 86 10.8 0 Sean Connaghan, LB 25 81 3.2 3 Marquell Platt, Cha 16 73 4.6 0PASSINGPlayer Comp. Att. Yds TD Int. Brennan Simms, Cha 37 89 619 6 8 C. Van Der Veer, NP 33 78 617 4 3 Mike Innello, NP 39 73 384 3 3 Jeremy Snook, LB 29 62 346 0 4 Christian Coelletto, PC 17 23 293 3 0 Anthony Stephens, PC 12 26 116 1 2 Reggie Jones, DeS 14 33 103 4 0RECEIVINGPlayer Rec. Yds Avg. TD Stantley Thomas, NP 23 525 22.8 3 Trevor Laurent, Cha 22 407 18.5 2 Nic Mostyn, LB 17 216 12.7 0 Brandon Caster, NP 16 173 10.8 1 Paulsin Heitter, PC 14 283 20.2 4 Teddy Deas, NP 12 235 19.6 2 Juvens Delise, NP 10 53 5.3 0 Tony Lee, DeS 8 136 17.0 3 PLAYER OF THE WEEK MARTIN LUTHER, PORT CHARLOTTE The Pirates running back, who had 108 yards and a TD on eight carries in a 53-13 victory against North Port, was selected the Suns Player of the Week in voting at Facebook.com/SunCoastSports. The results with 1,304 votes cast through 6 p.m. Tuesday: Martin Luther, Port Charlotte 51.7% Deionte Turner, DeSoto County 38.3% Braydon Curry, Lemon Bay 8.4% Brandon Davis, Venice 1.6% Catch as catch can SUN PHOTO BY TOM ONEILL Port Charlotte High School wide receiver Paulsin Heitter hauls in a touchdown pass against North Port during the second quarter of Fridays game at Port Charlotte. SUNCOAST SPORTS NOWWhen news breaks, we blog it. You can also find expanded prep football coverage online. TODAY: Rob Shore keeps an eye on your teams upcoming opponent in The Intelligence Report today at suncoastsportsblog.com. FRIDAY NIGHT LIVE: Follow us on Twitter for live game updates @SunCoastSports. FACEBOOK FOOTBALL FINAL: Join us after Friday nights games for scores, game balls and photos at Facebook.com/SunCoastSports. FRIDAY NIGHT RECAPS: See recaps on each of the areas games, including expanded game stats, at suncoastsportsblog.com. PREP SCORES: See a complete list of state prep football scores at suncoastsportsblog.com. READY FOR TAKEOFFENGLEWOOD The play is called jet sweep a common play for many football teams that run the spread attack. For D.J. Ogilvies Lemon Bay team, its a staple. With the quarterback in a shotgun formation, one of the slotbacks inside the wide receivers starts in motion at full speed. The ball is snapped just in time for the quarterback to handoff to the sprinting slotback. If the defense is not prepared at the edge, that slotback can sometimes turn the corner for a big gain. Sophomore Brayden Curry used that play on Friday against Cape Coral to run for a career-high 156 yards. Youve just got to follow your blockers and not hesitate, Curry said. Youve got backs like Sean Connaghan (and blockers) Jimmy Hinck, Stephen (Swierkosz), Quinn Morrow. Just follow those guys. Its not an easy play to defend. If opposing teams spreak themselves too thin to guard the edges, either the quarterback (Jeremy Snook or Victor Mellor) or Connaghan run through the gaps in the middle. Or Anthony Marinola could run the jet sweep the other way. The Mantas ran for 375 yards in their 41-18 loss to Cape Coral. Marinola also ran for 66 yards in the contest. Really, its a three-back offense, including our quarterback, Ogilvie said. If youre just one-dimensional or can only run it one way, then its easy for a defense to prepare for you. To have Brayden step up, especially as a sophomore, really gives another dimension to our offense. Curry had the big night against Cape Coral, but others have stepped up in other weeks. Anthony Marinola leads the Mantas this season with 500 rushing yards and seven touchdowns but the diversity of the attack means anyone could have a big night. Its just part of the deal being a part of this offense. Coach told us that its not all about one person on the team, Marinola said. You cant be selsh. Its all about the team and if one persons nding holes and getting yardage, well stick with it.Contact Rob Shore at 941-206-1174 or shore@sun-herald.comBy ROB SHORESPORTS WRITERJet sweep fuels rushing attack for Mantas PREP FOOTBALL: Lemon Bay SUN PHOTO BY JENNIFER BRUNOLemon Bay High Schools Anthony Marinola picks up some rushing yards during the Mantas game on Sept. 26 against Dunbar. Marinola leads Lemon Bay with 500 rushing yards. FOURTH DOWN BOOK SIGNINGDavid Dorsey will be signing copies of his book Fourth Down in Dunbar on Friday at Copperfish Books in Punta Gorda at 5 p.m., prior to Charlotte High Schools home game against Fort Myers. Fourth Down In Dunbar examines the Fort Myers neighborhood that begat such notable football players as Deion Sanders, Earnest Graham, Robert Pompey Green and Johnny Wright. Copperfish Books is located at 1205 Elizabeth St. rff rfntbbnn rfrfntttbfb bnr fbntbbrf brffntnb nnrffntnb fn r 50470131 YOUTH PLAY FREE with each paid adult round (Ages 17 and under) Thru October. 31, 2014 Not valid with other offers. 7-Day Advance Tee Times (941) 423-6955 $ 29 before 7:30am $150 $ 39 between 7:30am-12pm $ 29 after 12pm $ 149 $ 99 4 EXP. 10/31/14. Not Valid With Other Offers. AFTER 12:00 PLAYER SPECIAL 50473065 TEE TIMES 888-663-2420 Visit us at SunnybreezeGolf.com October 2014 New Greens Open This Month!! Welcome Back Winter Residents! Memberships Available sun 6_HERON CREEK.i.,//, cl>. ,,..,r,/ 1./.,/.
PAGE 27
Your Weekly Guide to Entertainment, Travel and Arts rfnt rfnt rfnt bfn rf ntb bt rfffrntbnt n tfrt 25 t OCTOBER 15, 2014 Your Weekly Guide to Entertainment, Travel and Arts Sun Fiesta Sun Fiesta Sun Fiesta to the Arcadia Englewood Fort Myers North Port Port Charlotte Punta Gorda Sarasota Venice 486822 2550 River Road Englewood $ 5 OFF Regular Green & Cart Fee Until October 17 th (not valid with other offiers) Includes tax and golf cart! Bring this ad to get the Special Rate! 50471737 Wednesday through Saturday The Sarcastic Wit of Brian Bradley plus Gid Pool COMING SOON October 22nd-25th Grandma Lee Shes 80 years old and still has a potty mouth! Tuesday, October 21st Former Members of The Crests and The Marcels Barry Newman and Richie Merritt 1Emma
PAGE 28
2 Lets Go! E/N/C/V October 15 21, 2014 OUT AND ABOUTDJ SCUBE STEVE, 8 p.m. close. Rattlers Old West Saloon, 111 W. Oak St., Arcadia. BISCUIT MILLER & THE MIX, (live music), Englewoods on Dearborn, 362 W. Dearborn St., Englewood. 941-475-7501. BLACK VELVET, (live music), 6 p.m. 10 p.m. Englewood Moose Lodge, 55 West Dearborn St., Englewood. 941-473-2670. FREE TRIVIA, 7:30 p.m. Pig N Whistle, Placida Plaza, Gasparilla Rd., Englewood. 941-698-0021. FREE YOGA AT ENGLEWOOD BEACH, 8:30 a.m. and 6:30 p.m. Englewood Beach. JAZZ JAM, 6:30 p.m. 9:30 p.m. Cactus Jack Southwest Grill, 3448 Marinatown Lane, North Fort Myers. 239-652-5787. GRAND SLAM, (live music), 7 p.m. Zig Zag Lounge at Seminole Casino Immokalee, 506 S. 1st St., Immokalee. 239-658-1313. BELLY DANCING, 6:45 p.m. Greek Grill and Gallery, 14828 Tamiami Trail, North Port. 941-423-6400. BRIAN LOWE, (live music), 6 p.m. 9 p.m. AMVETS, 7050 Chancellor Blvd., North Port.ARAOKE, 6 p.m. 10 p.m. Boomers Sports Bar & Night Club, 2360 Tamiami Trail, Port Charlotte. 941-743-4140. KITT MORAN, (jazz), 6 p.m.-9 p.m. J.D.s Bistro Grille, 1951 Tamiami Trail, Port Charlotte 941-255-0994. WINE DOWN WEDNESDAY, 6 p.m. 8 p.m. live music by Claire. Wine tasting at DVines Wine & Gift Emporium, 701 JC Center Ct., Port Charlotte. BIG DOGS LIVE TRIVIA CHALLENGE, 7 p.m. 9:30 p.m. Chubbyz Tavern, 4109 Tamiami Trail, Port Charlotte 941-613-0002. PUB RUN, 6 p.m. for runners/walkers, will end in downtown pub or restaurant, begins at The Foot Landing, 117 Herald Court, Suite 1112, Punta Gorda. 941-347-7751. KARAOKE WITH WAM AL & MARILYN, 6:30 p.m 9:30 p.m. Punta Gorda Elks, 25538 Shore Dr., Punta Gorda. 941-637-2606. ST. CREDIBLE, (live music), 8:30 p.m. 12:30 a.m. Deans South of the Border, 130 Tamiami Trail, Punta Gorda. 941-575-6100. TRINITY 7, (live music), 6 p.m. 10 p.m. Hurricane Charleys, 300 W. Retta Esplanade at the Punta Gorda Waterfront Hotel, Punta Gorda. 941-639-9695.. FREE TEXAS HOLD EM BY POCKET ROCKETS POKER LEAGUE, 5:30 p.m. close. Flanagans Pub, 761 Venice Bypass, Venice. 941-240-2675. FREE YOGA AT VENICE BEACH PAVILION, 8 a.m. and 6:15 p.m. Venice. PAUL ROUSH, (live music), 6 p.m. The New Faull Inn, 2670 Placida Rd., Englewood. 941-697-8050. HARPER & THE MIDWEST KIND, (live music), Englewoods on Dearborn, 362 W. Dearborn St., Englewood. 941-475-7501. BINGO, 7:15 p.m. Rotonda Elks, 303 Rotonda Blvd. East, Rotonda. 941-697-2710. TEXAS HOLD EM POKER, 6:15 p.m. Englewood Moose 1933, 55 W. Dearborn St., Englewood. 941-473-2670. FREE YOGA AT ENGLEWOOD BEACH, 8:30 a.m. Englewood Beach.. Sons of Italy, 3725 Easy St., Port Charlotte. 941-764-9003. KARAOKE WITH DJ DON QUIEDO, 7 p.m. 10 p.m. The Portside Tavern, 3636 Tamiami Trail, Port Charlotte. 941-629-3050. CEMETERY CLUB, 7:30 p.m. show, Langdon Playhouse at Charlotte Players Community Theater Center, 1182 Market Circle, Port Charlotte. 941625-4175, ext. 220. NEXXLEVEL, (live music), 8:30 p.m. 12:30 a.m. Deans South of the Border, 130 Tamiami Trail, Punta Gorda. 941-575-6100. GUCCI, (live music), 8 p.m. Celtic Ray, 145 E. Marion Ave., Punta Gorda. WINE & CHEESE RECEPTION, 5 p.m. 7 p.m. complimentary reception to showcase Beth Ann Morrison photography at Kays-Ponger & Uselton Funeral Homes and Cremation Services, 635 E. Marion Ave., Punta Gorda. HIGH TIDE BEACH PARTY, (live music), 6 p.m. 10 p.m. Hurricane Charleys, 300 W. Retta Esplanade at the Punta Gorda Waterfront Hotel, Punta Gorda. 941-639-9695. VENICE MUSICALE PRESENTS POTPOURRI OF MUSIC, (variety), 11 a.m. Venice Public Library, 300 S. Nokomis Ave., Venice. 941-488-4902. GULF COAST BANJO SOCIETY, (live music), 11 a.m. 1:30 p.m. Snook Haven Restaurant, 5000 E. Venice Ave., Venice. 941-485-7221. ESCAPE, (live music), 6 p.m. 9 p.m. 6:15 p.m. Venice. SWINGIN HARPOON BLUES BAND, (live music), Englewoods on Dearborn, 362 W. Dearborn St., Englewood. 941-475-7501. BLACK VELVET, (live music), 6:30 p.m.10:30 p.m. Englewood Eagles 3885, 250 Old Englewood Rd., Englewood. 941-474-9802. WALLY RUTAN, (live music), 8 p.m. 11 p.m. End Zone, 2411 S. McCall Rd., Englewood. KIM JENKINS, (live music), 7 p.m. Beyond the Sea Restaurant and Supper Club, 3555 S. Access Rd., Englewood. 941-474-1400. IT TAKES TWO, (live music), 6 p.m. 10 p.m. Englewood Moose Lodge, 55 West Dearborn St., Englewood. 941-473-2670.. Englewood Elks, 401 N. Indiana Ave., Englewood. 941-474-1404. FREE YOGA AT ENGLEWOOD BEACH, 8:30 a.m. Englewood Beach. TWICE AS NICE, (live music), Rotonda Elks, 303 Rotonda Blvd. E., Rotonda. 941-697-3376. POCKET CHANGE, (live music), 8 p.m.. COUNTRY EXPRESS BAND, (country), 6 p.m. 9 p.m. Unity Church of Peace Fall Festival, 1250 Rutledge Blvd., North Port. 941-423-8171. KARAOKE, 7 p.m. 10 p.m. The Olde World Restaurant, 14415 Tamiami Trail, North Port. 941-426-1155. BINGO, 11 a.m.. CEMETERY CLUB, 7:30 p.m. show, Langdon Playhouse at Charlotte Players Community Theater Center, 1182 Market Circle, Port Charlotte. 941625-4175, ext. 220. KARAOKE WITH RON, 7 p.m. John Halls Goal Post, 3575 Tamiami Trail, Port Charlotte. 941-979-9933. 6 p.m. 9 p.m. Port Charlotte E lks 20225 Kenilworth Blvd., Port Charlotte. 941-625-7571. SOUTH AMERICAN WINE TASTING, 7 p.m. 9 p.m. live music by Peg & Emery of Home Grown Sounds. DVines Wine & Gift Emporium, 701 JC Center Ct., Port Charlotte. CHEESE & KRACKERS, (live music), 5 p.m. 8 p.m. on the patio. LESLIE DACOSTA, (live music), 6 p.m. Pressellers Restaurant, 209 W. Olympia Ave., Punta Gorda. SOUTHERN DRAWL, (live music), 8:30 p.m. 12:30 a.m. Deans South of the Border, 130 Tamiami Trail, Punta Gorda. 941-575-6100. KARY & GARY, (live music), 7 p.m. 11 p.m. Wyvern Hotel Rooftop, 101 E. Retta Esplanade, Punta Gorda. 941-639-7700. BANDANA, (live music), 8 p.m. 12 a.m. Hurricane Charleys, 300 W. Retta Esplanade at the Punta Gorda Waterfront Hotel, Punta Gorda. 941-639-9695. MICHAEL HIRST, (guitarist), 11 a.m. 2 p.m., Fishermens Village, 1200 West Retta Esplanade #57A, Punta Gorda. FREMONT JOHN, (guitarist), 5 p.m. 9 p.m., Fishermens Village, 1200 West Retta Esplanade #57A, Punta Gorda. BRIAN & MARY, (live music), 6:30 p.m. 10:30 p.m. Punta Gorda Elks, 25538 Shore Dr., Punta Gorda. 941-637-2606. HYMN FOR HER, (live music), 9 p.m. Celtic Ray, 145 E. Marion Ave., Punta Gorda. THE FLASHBACKS/SONNY & SABLE, (live music), 7 p.m. 10 p.m. Venice American Legion 159, 1770 E. Venice Ave., Venice. 941-488-1157. KARAOKE WITH DJ JOHN, 9 p.m. midnight. Applebees Venice, 4329 Tamiami Trail, Venice. 941-497-7740. OPEN MIC/KARAOKE WITH POPCORN & IZZY, 7 p.m., The Oce Pub, 1195 U.S. 41 Bypass S., Venice. 941-445-5973. VALLERIE AND NEALE, (live music), 6:30 p.m. 9:30 p.m. The Allegro Bistro, 1740 E. Venice Ave., Venice. 941-484-1889. FREE YOGA AT VENICE BEACH PAVILION, 8 a.m. and 6:15 p.m. Venice. GATOR CREEK BAND, (live music), 6:30 p.m.10:30 p.m. Englewood Eagles 3885, 250 Old Englewood Rd., Englewood. 941-474-9802. DENNY PEZZIN, (live music), 6:30 p.m. 9:30 p.m. Beyond the Sea Restaurant and Supper Club, 3555 S. Access Rd., Englewood. 941-474-1400. MARTY STOKES & THE CAPTIVA BAND, (live music), Englewoods On Dearborn Restaurant & Bar, 362 West Dearborn St., Englewood. 941-475-7501. TWICE AS NICE, (live music), 6 p.m. 10 p.m. Englewood Moose Lodge, 55 West Dearborn St., Englewood. 941-473-2670. KARAOKE, 7 p.m. Pig N Whistle, Placida Plaza, Gasparilla Road, Englewood. 941-698-0021.. BINGO, 1 p.m. VFW, 550 N. McCall Rd., Englewood. 941-474-7516. GIVE EM HELL HARRY!, 7:30 p.m. show, Lemon Bay Playhouse, 96 W. Dearborn St., Englewood. 941-475-6756.. KARAOKE WITH WAM AL & MARILYN 7 p.m. 10 p.m. American Legion Post #113, 3436 Indiana Rd., Rotonda. 941-697-3616. FALL FOR THE ARTS FAMILY FESTIVAL 10 a.m. 3 p.m. Free fest to feature live music, arts, games, food and more. Alliance for the Arts, 10091 McGregor Blvd., Fort Myers. 239-939-2787. POCKET CHANGE, (live music), 8 p.m. Zig Zag Lounge at Seminole Casino Immokalee, 506 S 1st St., Immokalee. 239-658-1313. PAUL ROUSH, (trop rock), 2 p.m. 5 p.m. Nav-A-Gator, 9700 SW Riverview Cir., Lake Suzy. WEDNESDAY FRIDAY SATURDAY THURSDAYOUT AND ABOUT | 4 486845 362 W DEARBORN ST. ENGLEWOOD 941.475.7501 RESTAURANT & BAR Wed. Biscuit Miller & The Mix Thu. Harper & The Midwest Kind Fri. Swingin Harpoon Blues Band Sat. Marty Stokes & The Captiva Band 54488012 6:00 pm Dinner Show 7:30 pm Dinner & Show $33 + tax Saturday, Oct. 18 th 7:00 pm No Cover Johnny Cash & Friends Tribute and Dinner Show Thurs., Nov. 6 th Keith Colemans Tribute to Johnny Cash and Ruby Tuesday as Dolly Parton, Cher, and Marilyn Monroe. Friday Oct. 17th 7:00 pm No Cover "wpmrYCASH
PAGE 29
October 15 21, 2014 E/N/C/V Lets Go! 3 Yes, Ill be honest and say its not an easy task to sort through 80 or so emails on a daily basis, but its better than having zero. I would rather get your email twice than not at all. With fall events in full swing, now is the time to stay on top of everything that is happening in Southwest Florida. An unfortunate thing happened this weekend technology failed me and many emails were lost. To be exact, emails received via LetsGo@sun-herald.com and gramirez@ sun-herald.com from Sept. 26 through Oct. 10. So if youre reading this and you know you submitted an event during that time, I would dig that email up and forward it to me again just to be sure. I dont know if Ill be able to recover those emails but I will try! On a happy note, Im going to start running a list of fall events weekly in which I will run anything from pumpkin patches to fall festivals and other Halloween-related events to keep you in the spirit of Fall. Check them out this week on page 7. If you would like to submit your event as always send it via email to letsgo@sun-herald.com. G ABRIELA M ENDOZA Lets Go! Editor October is Sun Fiesta month in Venice. When this party began in 1973, it was a celebra tion of the end of summer and the eminent arrival of seasonal visitors. Many businesses closed for the summer in those days. Before they reopened for tourist or snowbird season they held a last-hurrah-style party. These days, Venice stores are open all year, although some have summer hours. That celebration was moved to October. Known these days as Sun Fiesta, it is open to everyone who enjoys a good party, festival food and nearly nonstop entertainment. Ten years ago, a companion party was added the Sertoma Wine Festival, held on the Thursday night preceding Sun Fiesta. Also a fundraiser, but for the other Sertoma club in Venice, the Wine Festival is on South Nokomis Avenue, between Miami and West Venice avenues. Several restaurants provide tasty samples of their fare. Venice Wine & Coee coordinates the wines. Tickets are $65 per person, all inclusive, to enjoy generous tastings of food and wine. This years festival will be from 6 p.m. to 9 p.m. on Oct. 16. For tickets, which usually sell out, call Venice Wine & Coee at 941-484-3667 or email venicewinefest@gmail.com. Guests must be 21 and older to attend. Sun Fiesta begins the next evening in Centennial Park. This 42nd annual edition will be open from 5 p.m. to 9 p.m., with nonstop entertainment, festival food and drink plus craft vendors and the famous Sertoma rae. Bids can be placed right up until Sunday afternoon for an amazing assortment of items displayed in the gazebo. Even if you are there Friday night, go back bright and early Saturday morning. Bed races begin at 8 a.m. on the north side of Venice Avenue as teams race their decorated beds down the street. Heat winners compete for the prestigious championship. The Sun Fiesta Parade follows at 9 a.m. featuring the high school marching band, Shriners on their parade cycles, veterans and even the famed kitchen band from Country Club Estates. Be sure to purchase a T-shirt and poster as both will become collectors items. Like us on Facebook: SunCoastLetsGoYour weekly guide to entertainment, travel and arts in Southwest Florida. Its better to have 80 plus emails than none at all K ImM C OOL Features Editor happening in Southwest Florida. An unfortunate thing Party in Venice this monthfr ntb frn rfnntrr tnt rrfr ff nt rrf rrf rttrf rrfrf nn r f Venice Community Concert Series rfntbfnr nnfr rff nrffff tbnrbrf ftnrr r nrrnnf nrrf tnr rr frf nn 487672 rrfnnn nt r n nff frff rfrrftrr ffnrr fr bfnt nrr f n bbrr fb rfnr f rr rrf AAnn^nr1^ :1n ` `YIwor'. J CIS=v' venicevaIcs'_dL 4laaDuo)
PAGE 30
4 Lets Go! E/N/C/V October 15 21, 2014 OUT AND ABOUTDOOWOP DENNY, (oldies), 7 p.m. 10 p.m. Saltwater Cafe, 1071 N. Tamiami Trail, Nokomis. 941-488-3775. GOLF TOURNAMENT, 7:30 a.m. Knights of Columbus hosting tourney at Bobcat Trail Golf Club, 1350 Bobcat Trail, North Port. 941-629-0436. CEMETERY CLUB, 7:30 p.m. show, Langdon Playhouse at Charlotte Players Community Theater Center, 1182 Market Circle, Port Charlotte. 941625-4175, ext. 220.. ANIMAL WELFARE LEAGUE SPORTS MEMORABILIA AUCTION, 3 p.m. 6 p.m. Fundraiser for AWL, silent auction, live auction at 5 p.m., wine tasting, entertainment by Beth Marshall at 8 p.m. DVines Wine & Gift Emporium, 701 JC Center Ct., Port Charlotte. LATIN DANCE NIGHT, 9 p.m. 2 a.m. Morales Cuban Restaurant, 3492 Tamiami Trail, Port Charlotte. 941-627-9355. COUNTRY EXPRESS BAND, (country), 7 p.m. 10 p.m. Port Charlotte Eagles, 23111 Harborview Rd., Port Charlotte. 941-661-8627. ALZHEIMERS WALK, 9 a.m. Gilchrist Park, Punta Gorda. 941-625-1110. 5TH ANNUAL FALL FESTIVAL & PUMPKIN PATCH, 10 a.m. 6 p.m. free admission, silent auction, pony rides, food, games, and more. Christ Community United Methodist Church, 27000 Sunnybrook Rd., Harbour Heights, Punta Gorda. 941-629-1593. PUNTA GORDA FARMERS MARKET, 8 a.m.12 p.m. Taylor Street and W. Olympia Avenue, Punta Gorda. OUTDOOR FLEA MARKET, 9 a.m. 1 p.m. Train Depot Antique & Collectibles Mall, 1009 Taylor Rd., Punta Gorda. 941-639-6774. CRASH VEGAS, (live music), 8:30 p.m. 12:30 a.m. Deans South of the Border, 130 Tamiami Trail, Punta Gorda. 941-575-6100. ST. CREDIBLE, (live music), 8 p.m. 12 a.m. Hurricane Charleys, 300 W. Retta Esplanade at the Punta Gorda Waterfront Hotel, Punta Gorda. 941-639-9695. FLAMENCO BY GERARDO, (live music), 6 p.m. 9 p.m. Pressellers Restaurant, 209 W. Olympia Ave., Punta Gorda. BRIGIDS CROSS, (live music), 2 p.m. Celtic Ray, 145 E. Marion Ave., Punta Gorda. ELLIE LEE BAND, (live music), 9 p.m. Celtic Ray, 145 E. Marion Ave., Punta Gorda. KOLLECTIONS, (live music), 7 p.m. 11 p.m. Wyvern Hotel Rooftop, 101 E. Retta Esplanade, Punta Gorda. 941-639-7700. MICHAEL HIRST, (guitarist), 5 p.m. 9 p.m., Center stage in Fishermens Village, 1200 West Retta Esplanade #57A, Punta Gorda. KARAOKE WITH BRUCE SHELLY, American Legion NO-VEL Post 159, 1770 Venice E. Blvd., Venice. 941-485-4748. THE FLASHBACKS/SONNY & SABLE, (live music), 7 p.m. 10 p.m. Allegro Bistro, 1740 E. Venice Ave., Venice. 941-484-1889. VENICE FARMERS MARKET, 8 a.m.noon. On Tampa Avenue, between Nokomis and Nassau avenues in Historic Downtown Venice. FREE YOGA AT VENICE BEACH PAVILION, 8 a.m. KARAOKE WITH ANN AND SONNY, 4 p.m. 7 p.m. VFW, 550 N. McCall Rd., Englewood.. BLUEGRASS CONCERT, 2 p.m. 5 p.m. featuring New Creek, Larry Wilson & Thunder Mountain Railroad, and Swinging Bridge at Alliance for the Arts, 10091 McGregor Blvd., Fort Myers. 239-939-2787. FREE TEXAS HOLD EM BY POCKET ROCKETS POKER LEAGUE, 12:30 p.m. 4 p.m. Olde World Restaurant, 14415 Tamiami Trail, North Port. 941-426-1155. CROSSTOWN GYPSY, (live music), 6:30 p.m. 9:30 p.m. Portono Waterfront Dining, 23241 Bayshore Rd., Port Charlotte. 941-743-2800. COUNTRY EXPRESS BAND, (country), 1 p.m. 5 p.m. Port Charlotte Eagles, 23111 Harborview Rd., Port Charlotte. 941-661-8627. THE FLASHBACKS/SONNY & SABLE, (live music), 12 p.m. 3 p.m. Sun Flea Market, 18505 Paulson Dr., Port Charlotte. 941-255-1151. CHARLOTTE HARBOR YACHT CLUB COOKOUT, 11 a.m. 2 p.m. Serving burgers and hot dogs at open house, Charlotte Harbor Yacht Club, 4400 Lister St., Port Charlotte. 941-629-5131. 5TH ANNUAL FALL FESTIVAL & PUMPKIN PATCH, 10 a.m. 6 p.m. free admission, silent auction, pony rides, food, games, and more. Christ Community United Methodist Church, 27000 Sunnybrook Rd., Harbour Heights, Punta Gorda. 941-629-1593. FARMERS MARKET, 9 a.m. 2 p.m. History Park, 501 Shreve St., Punta Gorda. 941-380-6814. GARDEN TOURS, 2 p.m. History Park, 501 Shreve St., Punta Gorda. 941-380-6814. OPEN MIC, 9 p.m. Celtic Ray, 145 E. Marion Ave., Punta Gorda. CHRIS SACKS, (live music), 7 p.m. 11 p.m. Deans South of the Border, 130 Tamiami Trail, Punta Gorda. 941-575-6100. SOUTHERN DRAW, (live music), 4 p.m. 8 p.m. Hurricane Charleys, 300 W. Retta Esplanade at the Punta Gorda Waterfront Hotel, Punta Gorda. SHRIMPBOAT STEVE ARVEY, (blues), 1 p.m. 4 p.m. Tillys Tap, 3149 Duncan Rd. Hwy 17, Punta Gorda. 941-505-0798. FREE YOGA AT VENICE BEACH PAVILION, 8 a.m. Venice TRIVIA, 6 p.m. 10 p.m. The End Zone, 2411 S. McCall Rd., Englewood. 941-473-ZONE. FREE YOGA AT ENGLEWOOD BEACH, 8:30 a.m. and 6:30 p.m. Englewood Beach. FREE TEXAS HOLD EM BY POCKET ROCKETS POKER LEAGUE, 6 p.m. close. Olde World Restaurant, 14415 Tamiami Trail, North Port 941-426-1155. THE FLASHBACKS/SONNY & SABLE, (live music), 6:30 p.m. 9:30 p.m. LaCasa Mobile Park, 200 El Prado, North Port. 941-426-0663. TEXAS HOLD EM POKER, Port Charlotte VFW Post 5690, 23204 Freedom Ave., Port Charlotte 941-467-4447. BINGO, 6 p.m. American Legion Post 110, 3152 Harbor Blvd., Port Charlotte. 941-629-7446. FUN WITH MUSIC, 1 p.m. 3:30 p.m. Cultural Center, 2280 Aaron St., Port Charlotte. 941-625-4175. KARAOKE, 6 p.m. 10 p.m. Boomers Sports Bar & Night Club, 2360 Tamiami Trail, Port Charlotte. 941-743-4140. LADIES NIGHT OUT, 4:30 p.m. 7 p.m. Spa-like atmosphere free for women against breast cancer. Bayfront Health, 2500 Harbor Blvd., Port Charlotte. 941-637-2497. MARCIA MUCCI, (live music), 7 p.m. 11 p.m. Deans South of the Border, 130 Tamiami Trail, Punta Gorda. 941-575-6100. JEFF HUGHES, (live music), 6 p.m. 10 p.m. Hurricane Charleys, 300 W. Retta Esplanade at the Punta Gorda Waterfront Hotel, Punta Gorda. 941-639-9695. FREE YOGA AT VENICE BEACH PAVILION, 8 a.m. and 6:15 p.m. Venice. QUIET FIRE, (live music), 6:30 p.m.9:30 p.m. Englewood Eagles 3885, 250 Old Englewood Rd., Englewood. KARAOKE WITH WAM AL & MARILYN, 6:30 p.m. 9:30 p.m., Englewoods On Dearborn Restaurant & Bar, 362 West Dearborn St., Engle wood 941-475-7501. FREE TEXAS HOLD EM POKER, 5 p.m. 10 p.m. Bay City Grille, 115 W. Dearborn St., Englewood. 941-240-2675. FREE BLUEGRASS MUSIC, 6 p.m. 8 p.m. Bay Heights Park, 1000 S. Indiana Ave., Englewood. TRIVIA, 6 p.m. Englewoods on Dearborn, 362 W. Dearborn St., Englewood. 941-475-7501. FREE Y OGA AT ENGLEWOOD BEACH, 8:30 a.m. Englewood Beach.. KARAOKE, 6 p.m. 10 p.m. Boomers Sports Bar & Night Club, 2360 Tamiami Trail, Port Charlotte. SHAWN BROWN, (live music), 5 p.m. 9 p.m. on the patio of The Portside Tavern, 3636 Tamiami Trail, Port Charlotte. 941-629-3050. BINGO, 11 a.m. Port Charlotte Elks Lodge 2153, 20225 Kenilworth Blvd., Port Charlotte 941-627-4313, ext. 115. REMEDY, (live music), 8:30 p.m. 12:30 a.m. Deans South of the Border, 130 Tamiami Trail, Punta Gorda. 941-575-6100. STEVE CHADBOURNE, OUT AND ABOUTFROM PAGE 2 SUNDAY MONDAY TUESDAY 5 0 4 7 3 0 7 7 50473077 50471742 1 0 % 1 0 % 1 0 % O F F O F F O F F W i t h A d W i t h A d W i t h A d W e d d i n g s W e d d i n g s W e d d i n g s P r i v a t e P a r t i e s P r i v a t e P a r t i e s P r i v a t e P a r t i e s H a l l o w e e n H a l l o w e e n H a l l o w e e n T e e n D a n c e s T e e n D a n c e s T e e n D a n c e s 9 4 1 2 7 6 0 6 5 9 9 4 1 2 7 6 0 6 5 9 9 4 1 2 7 6 0 6 5 9 D J F r a n c o 4 0 s 4 0 s 4 0 s T H R U T H R U T H R U T O D A Y T O D A Y T O D A Y D J R o n 486925 The Fishery Restaurant Old Florida Waterfront Dining Old Florida Waterfront Dining 11:30 am 9:00 pm 11:30 am 9:00 pm Come by Land or Sea Come by Land or Sea ONE BITE AND YOURE HOOKED 13000 Fishery Rd Placida, FL 33946 (941) 679-2451 Come And Enjoy The Arts And Crafts Vendors Every Weekend Fresh Seafood and Live Entertainment on the deck at the Tiki Bar Every Friday and Saturday '!I rtheDA, FlItD0 flPRESF-'-1 Y. / 1 1I I I 1 1 1: 1 J -[RI : 1 1 broadway palm children's +hea-F Better 18for `HAS Asotilunch and ; !FIELD DAyLate show alb ,ages! ` r .^ .; -BROADWAYPALMSouthwest Florida's Premier Dinner TheatreJ 1380 Colonial Boulevard, Fort Myers239-278-4422 t I II 4 0'T 0 D A'li}j
PAGE 31
October 15 21, 2014 E/N/C/V Lets Go! 5 ON THE COVER: SUN FIESTAFor four decades, Sun Fiesta has been the biggest party of the year for Venice residents, especially the year-round residents. Sponsored by Womens Sertoma since 1994, the 41st incarnation of the event begins at 5 p.m. Friday at Centennial Park in downtown Venice. As it did back in 1974, the event signals the beginning of the tourist or snowbird season. Back in those days, when many merchants closed for the summer because there were so few residents, the party also was considered the last hurrah before everyone went back to work. These days the last hurrah is a three-day event that includes bed races, a parade, lots of entertainment, a Miss Venice scholarship event and a Venice Idol contest. The event even inspired a companion event The Venice Wine Festival, Thursday evening before the festival. It is sponsored by Sertoma which also stas a beer and burger booth at the Womens Sertoma event. Sertoma members x the burgers your way. Both events benet local charities and scholarships, including the Hearing and Speech Clinic project of Womens Sertoma. The wine tasting, at $65 per person, is always a sell-out because space is limited to the one-block stretch of South Nokomis Avenue between Miami and West Venice avenues. Vendors will set up for Sun Fiesta before noon Friday. The north side of West Venice Avenue will be closed all day Friday and at least until noon on Saturday because of the Fiesta Bed Races at 9 a.m. Saturday followed by the annual Sun Fiesta Parade. Sun Fiesta posters and T-shirts are the hot items to buy at the festival. Many people have posters dating back 20 or more years which they have framed to hang proudly in their homes. Womens Sertoma members will be wearing and selling T-shirts so that by Sunday it might appear to be a Venice uniform. Shirts come in every size and generally in at least two styles T and tank. You cant miss the T-shirt booth. Look for giant piles of shirts. Also popular is the rae goods, merchandise and possibly even a trip or two. Stop by the Centennial Park Gazebo to place your bids. Winners will be announced Sunday afternoon near the end of the weekend festival. The festival opens Friday at 5 p.m. with mostly nonstop entertainment all weekend. In case of rain, the festival will be Oct. 24-26. Bed races and the annual Sun Fiesta parade merit getting up early on Saturday morning. Both are on the north side of West Venice Avenue which is closed to trac until after the parade. The rst heat of the bed races will be at 9 a.m. These are no ordinary beds, by the way. The parade generally begins about 10 a.m. At noon, head over to the Showmobile area for the Miss Venice contest. That too is the site for the Venice Idol contest and exhibitions by local dance students. Food booths, arts and craft vendors, nearly non-stop entertainment, a bounce house plus games, crafts and contests for children make Sun Fiesta the perfect event for all ages as well as a money-maker for the Sertoma speech and hearing clinic, college scholarships, Our Mothers House and so many other local charities. Saturday hours for the festival are 9 a.m. to 10 p.m. Sunday hours are 9 a.m. to 7 p.m. Sunday, the Boy Scout pancake breakfast operates from 9 a.m. to 11 a.m. The festival will continue until 5 p.m. Be it the last hurrah or the rst, Sun Fiesta is always a fun event. For information, visit Sun-Fiesta/SunFiesta2014.Sun Fiesta is summers last hurrah in VeniceBy KIM COOLFEATURES EDITOR As it did back in 1974, the event signals the beginning of the tourist or snowbird merchants closed for the summer because there were so few residents, the party also three-day event that includes bed races, a parade, lots of entertainment, a Miss Venice scholarship event and a Venice Idol contest. event The Venice Wine Festival, Thursday evening before the festival. It is sponsored by Sertoma which also stas a beer and burger booth at the Womens Sertoma event. Sertoma styles T and tank. You cant miss the T-shirt booth. Look for giant piles of shirts. PHOTOS PROVIDEDVendors will set up for Sun Fiesta before noon Friday. The north side of West Venice Avenue will be closed all day Friday and at least until noon on Saturday. races will be at 9 a.m. These are no ordinary beds, by the way. The parade generally begins about 10 a.m. At noon, head over to the Showmobile area for the Miss Venice contest. That too is the site for the Venice The Sun Fiesta festival opens Friday at 5 p.m. with entertainment all weekend. In case of rain, the festival will be Oct. 24-26. Sun Fiesta is summers last hurrah in Venice The Sun Fiesta three-day event includes bed races, a parade and lots of entertainment. 486793 ROTARY CLUB OV PI,ACIDAX014 SHRIMPTOBER FESTC OBER 18 & 1910 AM-5PMON THE GROUNDS OF THE FISHERY RESTAURANTLIVE MUSTC!CRAB RA ,SKIDS ZONENAUTICAL yE ND 0 RS 4AP PARE LARTS AND CRAFTSDISHING DEMONSTRATIONSBEERtSEAFOOD'tSHRIMPFREE ADMISSIONDONATIONS ACCEPTEDPARKING $2.IIORMATION 941-270-2220NO COOLERS-NO OUTSIDE BEVERAGESGPS ADDRESS 13020 FISHERY ROAD PLACIDA 33946
PAGE 32
6 Lets Go! E/N/C/V October 15 21, 2014 MOVIESOPENING THIS WEEKThe Best of MeRuntime: 1 hr. 58 min. | Rated PG-13 | For violence, brief strong language, some drug content and sexuality A pair of former high school sweethearts reunite after many years when they return to visit their small hometown.The Book of LifeRuntime: 1 hr. 25 min. | Rated PG | For mild action, brief scary images, rude humor and some thematic elements The Book of Life is the journey of Manolo, a young man who is torn between fulfilling the expectations of his family and following his heart. Before choosing which path to follow, he embarks on an incredible adventure that spans three fantas tical worlds where he must face his greatest fears.FuryRuntime: 2 hr. 14 min. | Rated R | For some grisly images, language throughout and strong war violence April, 1945. As the Allies make their final push in the European Theatre, a battle-hard ened.MOVIES NOW PLAYINGAddictedRuntime: 1 hr. 45 min. | Rated R | For strong sexual content, brief drug use, nudity and language A womans sex addiction threatens to ruin her family life.Alexander and the Terrible, Horrible, No Good, Very Bad DayRuntime: 1 hr. 21 min. | Rated PG | For some reckless behavior, rude humor and language Eleven-year-old Alexander (Ed Oxenb.PLEASE NOTE MOVIE SHOWTIMES ARE NOT AVAILABLE BY PRESS TIMEAlso, not all movies will be available in your area, and there are more movies showing at local theaters than those listed. Please check your local theater for listings and showtimes. Regal To wn. European Theatre, a battle-hard Wardaddy (Brad Pitt) commands a Sherman tank and her five-man crew on a deadly mission behind enemy lines. Outnumbered and outgunned, and with a rookie soldier thrust into their platoon, Wardaddy and his men face overwhelming AP PHOTO In this image released by Universal Pictures, Luke Evans appears in a scene from Dracula Untold.The fact Dracula Untold is opening in early October tells you everything you need to know about this latest retelling of Bram Stokers bloodsucker story. Most of the special eects are good, but they are not grand enough to justify a summer opening. The monster moments are there, but they are far from scary enough to merit the lm opening on Halloween. Dracula Untold is entertaining, just not memorable. It eventually will become the kind of heavily repeated feature lm that cable channels use to ll weekend afternoons when theres nothing original to air. The untold part of the title is that Vlad the Impaler (Luke Evans) has given up his spiking ways to be a kind and caring ruler. His peaceful ways are dashed when a Turkish army shows up request ing 1,000 boys from Vlads kingdom including his wimpy son to be part of the Turk ghting machine, Vlad turns to a dark force to give him the power he needs to defend his people. Although it seems much longer, the last hour of the lm. Vlad knows hes worthless in daylight, but instead of taking advantage of every second of night to kill the invading soldiers he waits around for the army to arrive just moments before dawn. First-time director, Gary Shore stumbles between the graphically stunning style of lmmaking used by Zack Snyder in and the choppy computer-generated work of a cheesy video game. Since the direction is so mundane, the lm needed its actors to turn in compelling performances. Evans has neither the charisma nor the muscle to make Vlad the same kind of captivating character that Dracula has been portrayed in the past productions. Sarah Gadons work as Vlads wife is so colorless she often blends into the scenery. Correction of any of these weaknesses would have taken Dracula out of the darkness of a forgettable fall release. As is, the lm is just a little too anemic for a Halloween creep.By RICK BENTLEYTHE FRESNO BEE Dracula Untold says Dont go Friday, October 24, 2014Tenth Anniversary DINNER DANCEWe look forward to you joining us for a lovely evening of dining, dancing and fun! rfnrfnCHARLOTTE HARBOR EVENT AND CONFERENCE CENTER 75 TAYLOR STREET PUNTA GORDA, FLORIDA 33950tbffbDINNER AND ONE COCKTAIL INCLUDEDbfbbfffbbnf ntbnnTEAM PUNTA GORDA IS A 501(C)3 NON-PROFIT ORGANIZATION b Tenth Anniversary DINNER DANCE YOU ARE CORDIALLY INVITED TO ATTEND THE bfbb 50475239 Hurry! Ticket Sales Close 10/15 Closed on Mondays 70 North Indiana Avenue For Reservations Call: 941-473-0171 W E R E O P E N Serving B r e a k f a s t L u n c h & D i n n e r We invite you to see the all new Howards Restaurant Come for DINNER and select from freshly prepared Sauts, Steaks & Seafood Happy Hour 2 to 5 Coldest Beer Guaranteed! Imported & Craft Beer Expansive Wine Selection Frosty Chilled Cocktails 486838 EN G L EW OO D E L KS 401N.IndianaAve.Info:474-1404 r f n t fb r r n ff f r r n PleaseJoinUs! 486846 wI9II 0219N VBreakfast Lunch Dinner...........................YMURMAY MUMMYMac -Cqm,-ad mmm & m2hvpaumh ...YQM Foa...M an2 pm...Fah Fny...Gomm2ATURDAY2..c.(L..C:. tiOsffio 8tea....APO wa nru {w BONGO/ r per.TEAM.1 !.AM P=taGordaotheryom ochre es MOma o xHAYES top JERRY NCHORTURNSRbMNCANCHOR947-456-1755+f:
PAGE 33
October 15 21, 2014 E/N/C/V Lets Go! 7 PUNTA GORDA5th Annual Fall Festival and Pumpkin PatchGet ready to welcome fall. Christ Community United Methodist Church invites everyone to join them this weekend at their 5th Annual Fall Festival and Pumpkin Patch. The event takes place from 10 a.m. to dusk on Saturday and Sunday, Oct. 18 and 19 at the church, 27000 Sunnybrook Road, Harbour Heights, Punta Gorda. There will be a silent auction, assorted vendors, bounce houses, pony rides, food and games, a bake sale, climbing wall, bungee jumping and lots more. The event will be fun for all ages and admission is free. The pumpkin patch is open from 10 a.m. to 6 p.m. Oct. 15-31. For more information, call 941-629-1593.The Tales of Indian Spring Cemetery Walking TourCharlotte County Community Services invites you to enter The Tales of Indian Spring Cemetery: A Historical Walking Tour Saturday, Oct. 25 from 5 p.m. to 8 p.m. at Indian Spring Cemetery in Punta Gorda. Visitors of all ages will enjoy this unique walking tour showcasing Charlotte Countys haunting and intriguing past. Advance tickets for this fun-filled family program are available now through Oct. 17 at the Charlotte County Historical Center for $10 per person; children under 5 free. Advanced sales will be assigned a tour time. Tickets purchased at the gate on night of tour will be $13 per person, children under 5 free but there will not be a guaranteed time when those tours will begin that night. Charlotte County Historical Centers highly trained living historians will host the tour and lead visitors along cemetery paths as they illuminate tales of the countys sometime tragic past. On the tour, guests will meet local historical characters such as Marshal John Bowman, Mary Lula Sandlin, Joel Bean, Virginia Taylor Trabue and more; each character brought to life by volunteers from local organizations. Participants become witnesses to history as the tragedies and triumphs faced by these pioneering spirits are revealed. The 40-acre Indian Spring Cemetery, located off Taylor Road in Punta Gorda, is Charlotte Countys second oldest public cemetery. Donated by James Sandlin, a prominent Punta Gorda resident in the early 1880s, the first interment recorded was in 1886 of 12-year-old F. Peabody McLane. Local real estate dealer and citrus grower Albert Gilchrist originally surveyed the cemetery in the 1880s for Sandlin. Gilchrist later became the 20th governor of Florida and is buried at Indian Spring Cemetery. Owned and maintained by Charlotte County since 1948, the cemetery contains over 2,000 verified interments. The Charlotte County Historical Center is located at 22959 Bayshore Road in beautiful Charlotte Harbor. The Center is open Tuesday trhough Friday, from 1 p.m. to 5 p.m. and Saturday, from 10 a.m. to 3 p.m. and closed on Sunday and Monday. For more information about the tour, contact the Historical Center at 941-629-7278) or visit ountyFL.gov. SARASOTAA Night of Fun, Fish & FrightIts A Night of Fun, Fish & Fright at Mote Aquarium. Kids of all ages are invited to dress up in costume from 6:30 p.m. to 9 p.m. Friday, Oct. 17. Sail the spooky seas and discover creatures from the deep in a safe and fun trick-or-treating zone and explore our haunted house, Dr. Frankin-Fishs Lab of Horrors (recommended for children 8 and older). Unearth shark teeth in Coffin Creek and enjoy deep sea delights in the Diner of the Dead. And dont miss Motes signature underwater pumpkin carving in their spooktacular shark tank. Admission is $12 per person non-member at the door. Special member rate is $10 per person at the door. Online advance purchase is $8 starting Oct. 1. Children under 4 are free. Mote Aquarium is at 1600 Ken Thompson Parkway, Sarasota. Also,. Frightmares Haunted HouseGet your scare on this Halloween season starting Thursday, Oct. 16. The Frightmares Haunted House moves back to its original location at the Sarasota County Fair Grounds. With over 12,000 square feet of extreme haunted house, or as theyre calling it: one mega giant haunt that creates Floridas best haunted attraction, this haunted house promises to take you to the edge of fear and push you over. Tickets are two prices: $16 and its $30 for fast passes. Tickets are sold at the door. Dates and hours are as follows: from 7:30 p.m. to 10:30 p.m. Oct. 16, 23, and 26; from 7:30 p.m. to 11:30 p.m. Oct. 17-18, 24-25, 30, and Nov. 1; from 7:30 p.m. to midnight Oct. 31. The fairgrounds are at 3000 Ringling Blvd., Sarasota. For more information, visit www. frightmareshauntedhouse.com. Fall eventsPlanning a fall festival or Halloween event this month? Let us know at letsgo@sun-herald.com 5th Annual Fall Festival living historian along cemetery paths as they illuminate tales of the The Rotary Club of Placida presents Shrimptober Fest this weekend. This event will take place on the grounds of The Fishery Restaurant o Placida Road in Placida. There will be live music, featuring Kenny & Keys Duo, The Jack Mosley Band and Lucky 7. There will also be crab races, a kids zone, nautical vendors, apparel, arts and crafts, shing demos and more. It wouldnt be a Shrimp Fest, without shrimp, seafood and beer as well. Parking is $2 and admission in free. Dont miss out on this great way to spend the weekend and its all for a good cause. The fun starts at 10 a.m. through 5 p.m. on both Saturday and Sunday, Oct. 18 and 19. No coolers or outside beverages are permitted. The Fishery is at 13020 Fishery Rd., Placida. For more information, call 941-270-2220.Shrimpotober Fest is hereSPECIAL TO THE SUN intriguing past. are available now through Oct. 17 at the Charlotte County Historical Center for $10 per person; children time. Tickets purchased at the gate on night of tour will be $13 per person, children under 5 free but there will not be a guaranteed time when those tours will begin that night. Saturday and Sunday, No coolers or outside beverages are permitted. The Fishery is at 13020 Lucky 7. There will also be crab races, a kids zone, nautical vendors, apparel, arts and crafts, shing demos and more. It wouldnt be a Shrimp Fest, without shrimp, seafood and beer as well. 50471739 FOODS DRINKS LIVE MUSIC COMMUNITY BUSINESS, CRAFT VENDORS, NON-PROFIT ORGANIZATIONS WILL BE THERE on Aaron Street between Harbor & Olean Blvds FACEBOOK: TEAM PARKSIDE Forms, Event Guidelines & Sponsorship Information or CONTACT Pat Garriton 941.661.7994 11AM-5PM Promenades Mall *TEAM Port Charlotte is a 501(c)3 Teamportcharlotte@gmail.com 11:00-11:30 Welcome from ROTC 11:30-12:30 All American Banjo Team 12:30-1:30 Veterans Recognition and Awards 1:30-2:30 American Made Classic Rock Band 2:30-3:30 Hot Dog Eating Contest 3:30-4:30 The Crashers Sylvia Orr Gary L. Berger, M.D. 486869 Join Big Brothers Big Sisters of the Sun Coast for a culinary extravaganza with leading local chefs and restaurants. Enjoy delicious culinary samplings created by our guest Chefs de Cuisine, musical entertainment by Rick Krieger and Henry Monzello, plus a silent auction. Saturday, Oct. 25, 2014 6PM-9PM Englewood Event Center 3069 S. McCall Rd, Englewood An evening benefitting one-to-one mentoring programs and the children of Englewood. Tickets $30 per person To reserve tickets call Mary Beth at 764-5812 or visit. Participating chefs include: Beyond the Sea, Englewood Sun, Dans Clan, Farlows On the Water, Linda Bonwill, Prime Time Steak & Spirits, Swirls-N-Curls, Hooters, Zydeco Grille, Sterling House, Lock And Key Restaurant, Placida Grill, The Cove Bistro, The Hills Restaurant, Ephesus Mediterranean Grill, Rum Bay Restaurant, Johnny Leverocks, Jessica Fediuk, Caribbean Pie Company and Jamaican Taste Island Grill Big Thanks to our spoonsors 486869 CHEFS'COOKINGs PEdwardJones' Englewood Sun"Ted S. Kern / Financial Advisorm"aawma1inrUr fir mMN111 Tm[ON veSr.y+rr50FORI DBIGD [IYA16 Private Capital ruan r.u Ler[p, p., .......,r . .......CHAR ]TIE 50 1'ESEilCSQ000 o co"A SALUTE TO VETERANS"VADMISSION/ETERANS WITHPROOF OF ID9 CHILDRENUNDER 12FLOKI..._. AAYIO RLFIN. IRA Fat' a \Iaauri i I Iu, it:r._.UAWEEKLY MARC A. IRESLER. IAAS U 1 Jy y ` Bayfront HealthRUSSELL 1. RIASI1 omcast ". C.rre, ( oun`y"ord L ATTORNEY AT LAW Sr-:-1uuITVFW POST 5690
PAGE 34
8 Lets Go! E/N/C/V October 15 21, 2014 EVENTS THIS WEEKAuf gehts! It is once again that time of year mid October is here and Southwest Florida is looking forward to the largest party of the year the Cape Coral Oktoberfest. Hosted by the German American Social Club, now for the 29th time, it is the event for fun, good food, freshly poured domestic and German beer, live music on several stages, laughter, dancing with or without the chicken hat simply put its the famous German Gemtlichkeit that we love to celebrate every year on the last two weekends of October. The big tent is going up, banners are being hung,. This years dates are the weekends of Oct. 17-19 and all of the other musicians, watch the Ukrainian dancers, see all of the colorful Dirndls the women are wearing, or the Lederhosen and hats the men have. Enjoy a Bratwurst from the Rheinhaus, some potato pancakes, Schweinshaxen from the Alpiner Haus, freshly made sandwiches from the Black Forest Haus, or any of the other delicacies oered by the many international vendors. Or, you are more than welcome to enjoy a sit-down dinner in the Von Steuben Hall, where you can enjoy Schnitzel or Sauerbraten with red cabbage, potato dumplings or potato salad. The music never stops in the big tent, with stages on each end of the giant dance oor. Every year, the GASC invites a brass band directly from Germany. This year, the Bodensee Perlen will be ying in directly from Lake Constance a beautiful lake bordering Germany, Austria and Switzerland. The band consists of 22 enthusiastic full-blooded musicians, all with a love and passion for brass band music, featuring an emcee and solo singers. The bands live program is interesting, entertaining, with comedic elements, and enriched with numerous solos. The bands repertoire ranges from Bohemian brass band music to wellknown contemporary music, spiced up with modern lively arrangements. The Bavarian Gardens also feature non-stop music, in part performed by the clubs very own Hafenkapelle, made up of 20-25 members. This group has played at Oktoberfest every year since its inception. But you will also not want to miss the many other club favorites, such as Peter Dee, Manni Daum and Peter & Edith. The amazing thing about the German American Social Clubs hugest event of the year every bit of it, from start to nish, is put together by club members, each one of them tirelessly dedicating their time and eort to the cause. All of them volunteers. This year is a very special year for the club, marking its 50th anniversary. Oktoberfest has always played a small part in the clubs history, but the large commercial festival oered to the public was the brainchild of Klaus Kohl back in the mid-1980s and the huge eort for the colossal event was rst expended 29 years ago back in 1985. The German American Social Club is at 2101 SW Pine Island Road, Cape Coral. For more information, call 239-283-1400.is taking place in Cape CoralSPECIAL TO THE SUN Southwest Florida is looking forward to the largest party of the year the Cape Southwest Florida is looking forward to the largest party of the year the Cape with or without the chicken hat simply put its the famous German Gemtlichkeit that we love to celebrate every year on the last two weekends of October. is taking place in Cape Coral PHOTOS PROVIDEDThis years Oktoberfest will be held during the weekends of Oct. 17-19 and Oct. 24-26. Southwest Florida is looking forward to the largest party of the year the Cape Coral Oktoberfest. rfntbtn nnn 487170 54488010 All Star Comedy Night Saturday, Oct. 18 th Tim Pulnik Geno The Garbage Man Williams & Drew Schlatter Doors 7:00pm Show 8:00pm General Admission $15 All Star Comedy Night Full Bar & Food Service Available 3069 S McCall Rd, Englewood, Fl 941-270-3324 Office Open: M-F 9am-4:30pm 2101 Pine Island Rd., Cape Coral 50473097 29 th rf TWO WEEKENDS OF FUN! October 17-19 & 24-26 Breakfast Lunch Daily from 8:00 am 2:00 pm Closed Sundays 11.01.14 Dinner available again American Austrian Restaurant 41 N. Indiana Ave. Englewood, FL 34223 (Publix Plaza on Dearborn) 941-473-9439 Special: Schnitzel Goulash Spaghetti 486843 ViznnaC, w 001;t. \t1K kk Ax AxLITTLEORROMuyCr?cbBook as by H oward Rshm
PAGE 35
October 15 21, 2014 E/N/C/V Lets Go! 9 EVENTS THIS WEEKDowntown Arcadia is all decked out for fall, inviting you to come experience this charming, historic city. The downtown sidewalks are decorated with more than 25 scarecrows created by area organizations, businesses and individuals. There are historic scarecrows, including Acrefoot Johnson, who in the late 1800s delivered mail on foot from Fort Ogden to Fort Meade some 75 miles on foot. He earned his nickname for his size 12 shoes and stood some 6 feet, 7 inches tall. Theres another historic scarecrow named for Arcadia Albritton, after whom the town formerly known as Tater Hill Blu was named. A a child, she baked a birthday cake for visiting preacher James Madison Hendry, who was so appreciative he later named the town, built around his sawmill, after her. The Sheris oce has a prisoner decked out in traditional black and shite stripes, a local bank has Rich Moneybags with pockets stued with cash (all fake, of course), and several sport the local school mascot, the Bulldog. A farmers market is held on the third Saturday in the Tree of Knowledge Park, at the heart of downtown at W. Oak Street and U.S. Highway 17 south. Lots of homegrown and homemade goodies abound. For details, call 863-494-2020. Stick around downtown for the monthly classic car show from 5 p.m. to 9 p.m. There are trophies and door prizes, and some sweet classic rides on display. Oct. 18 is a great day to visit as there are several events taking place. The Pine Level Art and Archaeology Day will be held at Pine Level United Methodist Church, 9596 N.W. Pine Level St., Arcadia. (Take Kings Highway/Co. Road 769 to the intersection with State Route 72, turn left, and turn right onto N.W. Tom Mizell Avenue, and follow it to the bend where it turns into Pine Level Street) From 11 a.m. to 2 p.m., the DeSoto County Historical Society is celebrating the recent designation of the Pine Level town site once the DeSoto County seat on the National Register of Historic Places, while the DeSoto County Arts Council has an exhibit of fat quarter quilts made of fabrics reproduced from the period, along with artifacts found at the site, and art on what Pine Level may have looked like in the late 1800s. Friends of Arcadia Airport begin the season of yin breakfasts. Aviators and visitors can enjoy their choice of one of three special breakfasts for only $6. Visit for more information. The Wagon Wheel Saloon is sponsoring the Freedom Isnt Free motorcycle run, with proceeds helping to bring the Traveling Vietnam Wall to DeSoto County in December. Registration begins at 10 a.m. at the corner of W. Pine St. and S. Polk Avenue. For details visit wagon.wheel.524 or call Celina at 863-491-0608. Arcadia Main Street is sponsoring a golf tourna ment at The Blus Golf Course on Oct. 18; $50 per player. Registration begins at 7 a.m., shotgun start at 8 a.m. Four-man scramble, includes lunch and prizes. Call 863-494-2020 for information. Of course, the charming antiques stores along West Oak Street and adjoining avenues oer much for the casual shopper and the bargain hunter. And when you get hungry, Arcadia oers many choices, from a Victorian tearoom to seafood to authentic southern barbecue.Arcadia scarecrows line the streets for fallBy SUSAN E. HOFFMANSTAFF WRITER SUN PHOTOS BY SUSAN E. HOFFMANThe DeSoto Arts and Humanities Councils Day of the Dead scarecrow haunts West Oak Street in front of the historic train depot, one of more than 25 scarecrows festooning the streets of Arcadia this Fall. Acrefoot Johnson and Arcadia Albritton, historic gures from DeSoto Countys past, are recreated as scarecrows in downtown Arcadia. See them and more than 25 more scarecrows this weekend. rfnntrbfn ntn bb tfbnn 50467651 rfnt rfntrb 50473052 486926 We Are OPEN! 50473057 Music Art Demos Shops Galleries Restaurants We have all made it through the summer and now its time for you all to come down and see whats new! Thursday, October 16 th EVERY THIRD THURSDAY 5 PM TILL 8 PM UMB Y1s F S T A U R A N T { L S T A U F A N1I JI IftMM MW 11 Maw C wmaoA'' SososoloPunta GordaChamber of Commercek 1` I f I9'r /Ii `+IIJI1%GVic'1. AV/p,c:' Ip`f1 o rte 0 .,`e ,'(11 1J1IV PIllUAM *Ow" C*l wf&w Coll fto)IimYil(Atm FPms zo i i0 aWffj00 ' U OO Iu 1OWU Ull u-d MMUM M I O R P I FQ***0 0 00"o "16WAgymIPM -umd9000011The Punta GordaDowntown MerchantsAssociationawvtIng on the Harbor Packs eBook nowt! pac ncludeaIght stay 's w8m wlniilolnts by She r iWn PalYifaOfleral Admi caunt!aunted0FOUR.:o i POINTSBY22FQ+7ONon 3gm ua at the TWO i`ar for theff ST Mafgween Party in Punta GardaCostume Contest at iriidniSht'Most Original Costume Pri*ea fqBest couples Costume*Scariest Costume *Manager's FavoriteOR
PAGE 36
10 Lets Go! E/N/C/V October 15 21, 2014 SUN PHOTO BY PETER ARATARIMargaret Shepard, Joanne Shepard and Larry Shepard enjoying a family dinner together at Beyond The Sea in Englewood. SUN PHOTO BY PETER ARATARIBrenna, Chloe, and Kendra Mills enjoying the atmosphere at the Charlotte Tarpon Football home opener game in Punta Gorda.SUN PHOTO BY PETER ARATARINicole, Cameron, Alayna and Dennis Carpenter enjoying a night out for dinner at the White Elephant Pub in Englewood.SUN PHOTO BY PETER ARATARICal Drasher, Jackie Roelandt and Jeanne Drasher enjoying a family lunch together at The Clock Restaurant in Venice. SUN PHOTO BY PETER ARATARIRich Sexton and Christy P sharing a smile at Abbes Donuts in North Port.SUN PHOTO BY PETER ARATARIAt right: Ann Hilliard and Marion Glandon getting ready to enjoy brunch at Mary Margarets Tea and Biscuit in Arcadia.SUN PHOTO BY PETER ARATARIMembers of the Fraternal Order of Police Lodge 66 enjoying a night of entertainment during a fundraiser which took place at Visani Comedy Theater in Port Charlotte.AROUND TOWN October 15 21, 2014 E/N/C/V Lets Go! 11 SUN PHOTO BY PETER ARATARIKat Morehouse smiling for a photo during an evening of hard work at TGI Sundae in Englewood.SUN PHOTO BY PETER ARATARI Brenna, Chloe, and Kendra Mills enjoying the atmosphere at the Charlotte Tarpon Football home opener game in Punta Gorda. SUN PHOTO BY PETER ARATARI Nicole, Cameron, Alayna and Dennis Carpenter enjoying a night out for dinner at the White Elephant Pub in Englewood. SUN PHOTO BY PETER ARATARIDynasty Allred and Kayla Brantley sharing a smile before the ladies enjoy lunch together at Wheelers Cafe in Arcadia.SUN PHOTO BY PETER ARATARIRay Renfroe and Devan Edwards sharing a smile at Deans South of the Border on a busy weekend night. SUN PHOTO BY PETER ARATARIRich Sexton and Christy P sharing a smile at Abbes Donuts in North Port. SUN PHOTO BY PETER ARATARIJoan Tincher, Denise Barlow, Dennis Tyson, Irina Pickens and Peggy Bauer sharing a smile before the ladies enjoy lunch at Mary Margarets Tea and Biscuit in Arcadia.SUN PHOTO BY PETER ARATARIAt left: Daria Nafziger, AJ Somodi, and RJ Nafziger sharing a smile at Ciao Gelato in Venice.SUN PHOTO BY PETER ARATARIJayla Thomas, Sam McFadden, Ocer Joe Ange lini, Tatyana Hoyt, Chloey McFadden, Courtney Van Nostrand, Kevin Van Nostrand and Riley Bircheld at the Annual Kids Day at Sallie Jones Elementary School.SUN PHOTO BY DAN MEARNSOlde World server Kelly Neri raises a dirty martini prepared by Sue Young in North Port. 50473076 50472542 Thanks for voting us BEST MANUFACTURED HOME COMMUNITY for the 18 th year. 2014 Its not just a home, its a lifestyle. Our resident-owned golf community offers a wide variety of activities for the over-55 retiree. To me ntion a few: 18 hole golf course, tennis, bocce, shuffleboard, lawn bowling courts, sauna, spa and fitness center, 4 clubhouses, 4 pools, and over 65 clubs offering a plethora of things to do and learn. But see for yourself. Drop by our gated community at 2100 Kings Highway, or call our sales staff at 941-629-0219 for a look at our ready-to-move-in furnished homes. 5+ CHO/CF4.qtr 4--) aCharlotte SunejI FA ., Readers' Choice!.7h>' 'w M(.ol/ Country (.7trh 'stV A ResuksS Ow nest Coninaunife/ '1A6MW I IOPEN HOUSEa,i { ,rfr r,}Sunday, November 911_ 111`' ; lj .see for yourself: why we were votedZ-1[ill-f lii {, i tlip{ lllllllll I i rrnun IIU i I' .diI d.{ a i f ` .._millBuffet`rs },Y AID { ii\ -11--10'4 $ 18. InclusiveReservations Required1780 W. MARION AVE.(941) 639-7551
PAGE 37
12 Lets Go! E/N/C/V October 15 21, 2014 DINING OUT WITHSince she took over the reins of Friendly Floors more than 20 years ago, Marjorie Benson not only wanted to be the best ooring company in Charlotte County, but she also wanted to create relationships with her customers especially women who may not be familiar with purchasing or installing them. All our installers are male but we have six sales personnel and management sta that are all women, she said. Its funny because the ooring business is usually a male-dominated industry. But everybody is wonderful. We have a great sta; we are just like family. Benson selects her eating establishments in the same manner as she operates her business, by develop ing lasting relationships. That is why Opus Restaurant is her favorite dining spot for lunch or dinner. Their best luncheon dish, in my opinion, is the Hazelnut Chicken Salad, she said. The Lawson Burger is awesome as well. It has caramelized onions but I usually substitute the bleu cheese with goat cheese. Benson said she loves the sh items on the menu because they are all cooked just the way she enjoys them and seasoned perfectly. They have the best sh here, she said. They are coming out with fresh pasta dishes. I cant wait to try them. John Ellis has been the head chef at Opus for the last nine months and said the lunch menu is not too fancy because many customers have an hour to eat and need to return to work. Dinner, on the other hand, is fun, and we try to be creative, he said. We have specials every week and are coming out with a new menu. Ellis said the new menu will be oering various types of seafood including swordsh, cod, halibut sea bass and lionsh the evasive species from Asia. The meat of the lionsh is very tasty and of excellent quality, according to the Florida Fish and Wildlife Conservation Commission. In addition to their seafood, Opus will have lets, rib eye steaks, rack of lamb and short ribs on the menu as well. Like Opus, Benson said she wants her customers to feel comfortable by oering them the best service that she can. That was the creed of Friendly Floors when it was founded by Bensons parents in 1986 and she has carried on that tradition. They sell area rugs, carpeting, ceramic and porcelain tile, glass tile, hardwood, laminate and natural stone. As I said, we cater to a lot to women who come in and are not familiar with ooring products or how they are installed, she said. We want an educated con sumer. We want to put the right ooring in someones home, and at the same time, we consider a customers lifestyle and their budget. Its all important. Benson said she is proud to have been voted the best ooring and carpet store in Charlotte County by the Sun for the past 11 years. What makes it so special for us is that our customers voted for us, she said. And that is why we have a lot of repeat customers. Friendly Floors is located at 3785 Tamiami Trail in Port Charlotte. Their hours are Monday through Friday, 10 a.m. until 5:30 p.m., Saturdays 10 a.m. until 3 p.m. and evenings by appointment. For more information, visit or call 941-623-9994. Opus Restaurant is located at 201 W. Marion Ave., Punta Gorda. Lunch is served from Monday through Friday, 11:30 a.m. until 2 p.m. Dinner hours are Monday and Tuesday from 4:30 until 8 p.m. and Wednesday through Saturday from 4:30 until 9 p.m. Happy Hours is from 4 p.m. to 7 p. m., Monday through Saturday. For more information and to make reservations, visit or call 941-575-2352.Marjorie Benson of Friendly Floors at Opus RestaurantBy AL HEMINGWAYSUN CORRESPONDENT Customers can enjoy indoor and outdoor ne dining at Opus Restaurant in downtown Punta Gorda. John Ellis, executive chef at Opus, has prepared a new menu that will include fresh pasta dishes.SUN PHOTOS BY SUE PAQUINMarjorie Benson, owner of Friendly Floors in Port Charlotte, develops lasting relationships with her customers. Dining Out With Marjorie Benson of Friendly Floors at Opus Restaurant r fnfnftfr bfnr tf ff bntfrb ff fnn fr ff bnrf n nrrrrfnt nbf fffn ffn Visit: Symphony.Shenyun.com/sarasota Call: 888.974.3698 | 941.953.3368 fftr bnrfff f October 27 Van Wezel Hall, Sarasota DISCOVER A BREAKTHROUGH IN CLASSICAL MUSIC 50474985 Make your list, check it twice and come enjoy a wonderful, interesting, and unique shopping experience. You will find the perfect handcrafted, one-of-akind gifts, made by some of the best Artists and Crafts People around. 50473072 Who says you need snow and cold weather to get in the holiday spirit? rfntbt Presented by Punta Gorda Isles Civic Association and The Gifted Gator Boutique Punta Gorda Isles Civic Center Auditorium 2001 Shreve Street, Punta Gorda47304 5 941-916-9115 www. Celti cRay. net Thursday, Oct. 16 th ~ Tucci, 8pm Saturday, Oct. 18 th ~ Brigids Cross, 2pm Elly Lee, 9pm Sunday, Oct. 19 th ~ Open Mic, 9pm Friday, Oct. 17 th ~ Hymn for Her, 9pm =a f-77,i'r-', del !,{ r 7x_'11 rre-,.Ai.Oil@;AS IATI N ..,,.
PAGE 38
October 15 21, 2014 E/N/C/V Lets Go! 13 SIDE DISHWayne and Valerie Mercer get up at 4:30 every morning. No wonder they like coee so much, you say? Its WAY more than that. Slipping into an Arcadian drawl that could only have come from his dad, Wayne Mercer rhapsodizes on childhood memories of coee, the way one might go on about a hometown soda shop. My dad, David, was an old cowboy working at Lykes Brothers east of Babcock Ranch. Hed pour coee in a little bowl to cool o for me. He was a range rider, moving cattle, sleeping under the stars. He had a coee can and this stage with a bar acrost it. Hed put the coee in a wired-up can with water and brew it over the re. He still does it thattaway in a percolator with the works taken out. Waynes dad, now 88, comes into Mercers and says, simply, I need coee. He allows as how he likes the Sumatra. All his life hes had cowboy coee; now he gets the good stu, Wayne smiles. Valerie Mercers fondest memory is going to Buds Donuts in Alpena, Mich., every Saturday with her father, for homemade doughnuts and coee. Life centered around a cup of coee, morning and night. Some women dream of having a quaint little bookstore; Vals dream was always a coee shop. Though she works full time as a cardiac tech, coees her passion. Wayne and Val were meant for each other. They met at a coee shop. Traveling for her job, Valerie always brought home beans from dierent coee shops. When they heard about the roast your own move ment, Wayne got a little roaster, just big enough for a pot, for good! Can you bring us some of that? Pretty soon they burned through the half-pound roaster and got a 2.5-pounder. Wayne ran 220 out to the lanai to roast out there. People would come by and pick up bags like it wasnt legal. They educated themselves, visiting coee houses, reading up on coee. Cigars, wine, coee, all oer subtleties that acionados know how to savor, and they were fast becoming connoisseurs. When they felt ready, they opened a little shop in Punta Gorda and sold at the Farmers Market. Three years ago, they moved into their caf on Tamiami Trail in Port Charlotte, where they also serve breakfast and lunch. Now they have a 5-pound and an 11-pound roaster, called Big Daddy. They dont buy coee by the pound anymore; they buy it in 150-pound sacks from all over the world. For a place that runs on caeine, Mercers is remarkably mellow, with private alcoves, shaded lamps, leather couches, and tapestry cushions. To achieve the laid-back ambiance, Val and Wayne have expanded three times, importing all their own living room furniture and coee-themed dcor, and buying new ones for home. And coee shops attract acoustic musicians. If you build one, they will come in droves. Bill and Mary, who used to have their own coee shop, came in one Saturday. Sometime would you mind if we came in and played a little bit? they asked Wayne. I said sure, why not? I gured theyd come in one day the next week. Three hours later they showed up and said, Is now a good time? Then they said, How bout next week? And they brought another person with them, then there were six, then 12, and now theyre here every Saturday from 12 to 5. Basses, violins, Indian utes, guitars, all jammed in, lined up out the door. Kumbaya, everybody! If you dont bar-hop, where do you go for music, good conversation, and peace? The coee culture a community where friends and work connections are made, rst dates are had, and people show up for all kinds of good reasons. Know a restaurant or bar with a good story to tell? Sue Wade wants to hear about it, at sue.gleasonwade@contractor.cengage.com.Were gonna need a bigger roaster come in droves. Bill and Mary, who PHOTO PROVIDEDA typical Saturday afternoon folk jam at Mercers, where you can play, sing, or just listen. ment, Wayne got coee-themed dcor, and buying new ones for home. And coee shops attract acoustic musicians. If you build one, they will come in droves. own coee shop, came in one Saturday. Sometime would you mind if we came S UE W W ADE ADE Sun Correspondent Sun Correspondent SIDE DISH room furniture and Were gonna need a bigger roaster room furniture and WHEN YOU GOMercers Fresh Roasted Coee, 4678 Tamiami Trail, Port Charlotte (941-286-7054). Open Monday-Friday 6:30 a.m. to 7 p.m., Saturday 7 a.m. to 8 p.m. SUN PHOTOS BY SUE WADEValerie and Wayne Mercer, proprietors of Mercers. about the roast your own and pick up bags like it wasnt legal. houses, reading up on coee. Cigars, wine, coee, all oer subtleties that acionados know how to savor, and they were fast becoming connoisseurs. shop in Punta Gorda and sold at the Farmers Market. Three years ago, they moved into their caf on Tamiami Trail in Port Charlotte, where they also serve breakfast and lunch. Mercers Fresh Roasted Coee. Wayne Mercer and Big Daddy, the 11-pound roaster. 50473062 131 West Marion Ave., Punta Gorda 941-639-9080 131 West Marion Ave., Punta Gorda 941-639-9080 The Gi ft BUY ONE GET ONE DINNER ONLY Must menti on BOGO or present coupon before orderi ng. Must order a beverage wi th each di nner. Inhouse di ning only. Ni ghtly Speci als not i ncluded i n promotion. Expi res Oct ober 31st 2014. rfntbtr To help keep our LOYAL STAFF ( Fami ly) employed, f eedi ng thei r f ami li es, and payi ng thei r bi lls. To show a sense of COMMUNITY & GRATITUDE t o our LOCAL CUSTOMERS duri ng the summer season. BOGO Available every night beginning at 5pm BOGO Available every night beginning at 5pm 50470132 Bi gIM ; nl! &'liftHERON CRE E K1B C D E G H I f't7 226 IN IJ7 117 tll al bs UI 1 Round}of Golf After I pm,Bakers Dozen-13 monthsI the price of 12..4 t Annual$50 off Practice{ 1{Facility MembershipR II Sleeve I Balls & Glovec r iA B C D t: F I Giving1 lag ISa I11a 2a9 IH I3' Greatla 131 IM 212 NI I.tas 111 1% NJ 213 1a7 U,4 18 LU 177 Ua Ilo rdaEn to Q..Q.li t.77 IW IS 171 127 III arc from oamba cd pmts11 111 ICI 123 123 M u is dicatcd on prldICc r PRACTICEttc Macs.North Port's Premier Practice Facility FACILITY60 Hitting StationsPGA & LPGA Certified Instructors MEMBERSHIPVoted Best Course & PracticeFacility in North Port SPECIALCall Richelle today for details 941-240-51005301 Heron Creek Blvd. North Port, FL 34287. 10-31-14
PAGE 39
14 Lets Go! E/N/C/V October 15 21, 2014 DINING OUT Terry and Dianne Burkholder invited pizza lovers to fill their plates with as many free pizza slices as they could hold prior to the official opening of Marco's Pizza in Englewood on Sept. 29. According to Terry, offering free pizza and drinks before opening is a Marco's tradition. His dad, Ronald, helped by dispensing soft drinks. "We greet customers personally and allow them to view our entire facility, see our extensive menu, and taste slices of our specialty pizza. We want them to feel at home here," Terry said. At this point the Burkholders have hired 30 new em ployees, all from the Englewood area, and more may be needed in the months ahead. "Our restaurant seats 85 people comfortably," Dianne said, "and we're planning to install outside tables and umbrellas soon." The new Marco's in Englewood, with two flashy menu boards, four huge flat-screen TVs, drivethrough window service, and online email club offerings isn't your typical pizza parlor. However, authentic family recipes and traditions passed down from Pasquale "Pat" Giammarco, an Italian immigrant who opened his first Marco's Pizza in Oregon, Ohio, in 1978, are strictly adhered to in every Marco's franchise. "We're from Ohio and know that customers appreciate Marco's authentic touches," said Terry. "We make our pizza dough daily, right in the store, and our signature, hand-blended sauces and fresh toppings are prepared on-site as well." The Burkholders oer 10", 12", 14", and 16" pizzas with names that include: Deluxe Uno, Meat Supremo, Chicken Fresco, Hawaiian Chicken, White Cheezy, Garden, and Pepperoni Magnico. Customers can choose whatever toppings they desire. Employee Becca Cassidy believes that fresh toppings make the difference. "The pizza crust is hand-tossed, not too thick, and the toppings are extra delicious," she said. Marco's general menu includes antipasto, chicken Caesar, garden, Greek, and chef salads. Freshly baked Italiano, steak and cheese, ham and cheese, chicken club, meatball, veggie, or turkey club subs on rustic wheat or Italian white bread come in 6" or 12" sizes. Other "extra fun" items include meatball bake with signature sauce and cheese blend, meaty chicken wings with tangy BBQ sauce, chicken dippers with a choice of dipping sauces, and cheezybread strips with three kinds of cheeses and garlic butter that's topped with Parmesan se asoning and served with pizza or ranch dipping sauce. Their one and only dessert CinnaSquares consists of butter baked pastries topped with cinnamon, sugar, and optional vanilla icing. Shirley Burggraf, an employee who also hails from Ohio, encourages customers to join Marco's email club so that they can receive coupons straight into their inbox. "On their birthdays, customers will receive special surprises and be eligible to receive a free cheezybread (pickup only) with the purchase of any pizza," she said. Find out more about Marco's email club, their weekly specials, and view their entire menu online at. Place orders online or call them at 941-475-8800. Hours are from 11 a.m. to 10 p.m. Sunday through Thursday, and from 11 a.m. to 11 p.m. on Friday and Saturday. Marcos Pizza is at 1970 S. McCall Road, Englewood. Ah! Thentic Italian pizzas and more at Marco's in EnglewoodBy CHRIS KOURAPISSUN CORRESPONDENT here," Terry said. At this point the Burkholders have hired 30 new em ployees, all from the Englewood area, and more may be needed in the months Dianne said, "and we're planning to install outside tables and umbrellas soon." The new Marco's in Englewood, with two flashy menu boards, four huge flat-screen TVs, driveSUN PHOTOS BY CHRIS KOURAPISEnglewood residents, Jill and Jim Trodo and visitors from the UK, Carol and Jim Hollamby (seated by the window) sampled a variety of pizzas at Marcos Pizza. Terry and Dianne Burkholder treated neighbors and friends to free pizza at Marcos Pizza on Sept. 28, prior to their ocial opening on Sept. 29. slices as they could hold prior to the official opening of Marco's Pizza in Englewood on Sept. 29. pizza and drinks before opening is a Marco's tradition. His dad, Ronald, facility, see our extensive menu, and taste slices of our specialty pizza. We want them to feel at home here," Terry said. here," Terry said. 54488011 ntnb tnr 11 am 3 pm LUNCH MENU SPECIALS $4.99 $7.99 Early Birds 3-5 pm 16oz. NY Strip Steak Dinner $ 16 99 (dine in only) 50472070 rfn rrtntbtnr nnfntbnnbnb 487667 boys & Girls Clubs of Charlotte County abd Bacon's FUrflltare Presents-'REVER E. R.AFFLE_ it II I -_ Ia The winning ticket holder will receive a$2,000 SHOPPING SPREE ATBACONS FURNITURE!LIMITED TO 150 TICKETSCocktail ReceptionLel us take you away ell d delightful affair full of amazing food,drinks, entertammelL furl and prizes!PURCHASE A LIMITED REVERSE ILAEELE TICKET FOR P)and enjoy complimentary hors d'oeuvres flour 5 dilereni localrestaurants around Charlotte County, craft beer and wine paging,Recqticl Al X25To find out more information please visit wwwbecokc.orgor call (941) 235-2412PeaceRi*er ftaDistributin EilFURNITURE & DESIGN g3 `li)r' s Sont6ern Sn' 1 YoDd c D CA-!v'$10-LIL. JIMGomm;armNW-4Ma iOVAJSNLC'A6TOEESH .
PAGE 40
October 15 21, 2014 E/N/C/V Lets Go! 15 DINING OUTThroughout history, the soda fountain has served as a place to catch up on all the local news, enjoy time with friends and family and savor a delightful array of ice cream products. Though in most cases, the soda fountain has been replaced by the coee shop, the emotions it elicits of memories from simpler times still resonate with a certain generation. The beautiful thing about The Soda Fountain in Venice is that it not only has that "malt shop" atmosphere, it also has some delicious food to go along with that. But when Ken and Susan Heitel, longtime owners of Heitel Jewelers, bought The Soda Fountain about six and a half years ago, their restaurant experience was mostly limited to being the landlords of one they own the building where it is located. "I had worked at the World's Fair in New York as a waitress in 1964, and Ken made Belgian waffles there," Susan said. "That was the extent of our restaurant knowledge." At the time they took over the restaurant, though, the Heitels did have more than three decades of retail experience in their own jewelry store, making them experts in customer service. Ken said that they really liked the existing theme of the store, but knew it was important to make some changes and hire a highly experienced staff. "It's a very neat concept, so we kept that and took the first two years creating an iconic part of West Venice Avenue," he said. "People love the old-fashioned look and we serve good food in large portions at a reasonable price." The Soda Fountain menu includes family favorites like pound hot dogs, overstuffed sandwiches and soups and sandwiches. But at a place like this, the true stars are the handmade ice cream specialties, like phosphates, ice cream sodas, floats, sundaes, cones, milkshakes and real malted milks, which you just can't find at most places. About four years ago, the Heitels enclosed what used to be the breezeway between their jewelry store and the restaurant and created a companion restaurant, Venice Avenue Pizza. The dining room itself only has about 20 seats in it, and shares a kitchen with The Soda Fountain, but its small size makes it an ideal space to rent out for small dinners and special events. And you can order from both restaurants' menus at either location. "We feature hand-tossed, New York-style pizza, which is cooked on a stone, unlike most pizza today," Ken said. "We get rave reviews on it, and feel our pizza is the best in town." Each night, except for Sunday, the restaurants oer specials that will appeal to a variety of tastes: Munchie Monday is for pizzas, Tuesday features live music, Wednesday is pizza and beer, Thirsty Thursday spotlights beer specials, Friday is pizza and beer and Shakin' Saturday oers great prices on shakes and malts. Having lived through an era when the soda fountain was especially popular, Ken says the appeal of that friendly, hometown feel to today's customers is easy to comprehend. "It's a place where a family can get a good meal at a reasonable price," he said. The Soda Fountain and Venice Avenue Pizzeria are at 349 West Venice Ave., Venice, and are open Monday through Saturday, 11 a.m. to 9 p.m., and Sunday, noon to 4 p.m. For more information, visit the Facebook page or the website at www. SodaFountainofVenice.com, or call 94-488-7600.The Soda Fountain lets you relive the good ol daysBy DEBBIE FLESSNERSUN CORRESPONDENT not only has that "malt shop" atmosphere, The Soda Fountain lets you relive the good ol days The Soda Fountain lets you relive the good ol days The Soda Fountain lets you relive the good ol days SUN PHOTOS BY DEBBIE FLESSNERThe Soda Fountain has a friendly sta reminiscent of its old-fashioned atmosphere. From left, Derek Wigginton, Dena McCartney, Carolin Bassino and David Maietta. The Soda Fountain and Venice Avenue Pizzeria are owned by Ken and Susan Heitel, of Heitel Jewelers, which is in the same building. The restaurants casual atmo sphere make it a great place for the whole family. 487630 54488017 TWIN LOBSTERS Seafood Market 2700 Placi da Rd. Eng. (941) 6988946 HOURS: SUNDAY 10-2 MONDAY SATURDAY 10-5 While they last! Li ve or St eamed Lobst er $9.99 per lb 3 lb. Mussels $9.99 Faroe Island Salmon Fi llet s $ 12 99 lb. FULL SLAB PRICE $ 10 99 per lb. HEAT & EAT Stuffed Haddock $6.99 each NE or Manhatten Clam Chowder $6.50 / pint MondaySaturday Night Soup or Salad plus 2 sides 1/2 Rack Full Rack All You Can Eat $ 9 99 $ 14 99 $ 21 99 (In House Only -No Carry OutWhile They Last) Daily Breakfast, Lunch & Dinner Specials Beer & Wine Take-Out Orders Welcome Fried Chicken Nightly Homemade Desserts (regular & sugar-free) Fried Green Tomatos A w a r d W i n n i n g R i b s ! A w a r d W i n n i n g R i b s ! October Rib Fest Like Us On Facebook 486952 Shaved Prime Rib Sandwich 0''CafeOlmmifr7 IBIInmicdl OileFL ARTClasses, Exhibitions, Lectures, Cafe, Gift Shop & Special EventsWhat's going on at the Venice Art Center?"Maxi & Mini-Members Show" "The Human Condition, FacesOctober 10 thru November 6 and Forms"Reception October 10, 5 7pm December 19 thru January 16Reception December 19, 5 7pm"Sarasota Chalk Festival Artists" Bling Thing Jewelry Show and SaleNovember 11 thru November 21 January 10 & 11 2015"Pop Art/Pop Culture, You Decide" "Let's Get Wild, All About Animals"November 28 thru December 12 January 23 thru February 13Reception November 28 5 7pm Reception January 23 5 7pmPAIN OR N PART BY SARASOTA COUNTYTAT Visit our website for additional exhibitions,classes, concerts & events!TOURST OEVELCPMENT IAX KW NOES390 Nokomis Ave. S. ,>,_
PAGE 41
16 Lets Go! E/N/C/V October 15 21, 2014 LIVE MUSICTommy DeSantis, founder of the Doo-Wop and oldies group Uptown Express, said music has been in his blood all his life. Doo-Wop was the music of my time, DeSantis said. Once I heard vocal harmonies the human voice making those chords its something that drew me in and never left. Ive listened to other music, but my heart has always been with the sound of group harmony. DeSantis, 69, started Uptown Express in 1984, a few years after moving to Southwest Florida from New York City, where he sang in a Doo-Wop group called The Enchantment from 1961 to 1979. I put an ad in the paper and wound up bringing in three or four extra guys, DeSantis said. It blossomed from there. We sing songs from the 50s and 60s. Uptown Express has changed its face somewhat over the years, but the current mix boasts DeSantis and Joe Russo, 67, Gary Knight, 75, and Bob Stewart, 68 all from the Port Charlotte/Punta Gorda area along with Robert Atmore, 74, of Estero, has adopted a following of several thousand over the years performing the songs of Johnny Maestro, The Moonglows, The Four Seasons, The Drifters, Smokey Robinson and the Miracles, The Temptations and many more. Musicians John Cortese, Ron Casella and Lou Casanova back up the singers. There are three things that set us apart from other groups in this category, DeSantis said. First, weve been together longer than any of them in Southwest Florida. Were going on our 31st year together. Second of all, were probably one of the only groups currently working in Southwest Florida that has live musicians behind us. All the other groups have karaoke music backing them up. And third, and most importantly, every one of our singers has performed in an oldies group from the late s and early s. Although the group plays many of their gigs in Fort Myers, they frequently head into the Charlotte County/ Sarasota County area. They will be playing from 7 p.m. to 10 p.m. on Friday, Oct. 24 and Friday, Dec. 12 at the Plantation Golf & Country Club in Venice; from 7 p.m. to 10 p.m. on Wednesday, Dec. 17 at Kings Gate Country Club in Port Charlotte; and on Tuesday, Dec. 23 at Visani Comedy Club in Port Charlotte. For more information on Uptown Express, including sample videos from their concerts and a full touring schedule, visit Express a one-way ticket down memory laneBy STEVEN J. SMITHSUN CORRESPONDENT the years, but the current mix boasts DeSantis and Joe Russo, the years, but the current mix boasts DeSantis and Joe Russo, Florida. Were going on our 31st year together. Second of all, LIVE MUSIC Uptown Express member Lou Casanova plays keyboard. Uptown Express member John Cortese plays the drums. Uptown Express member Ron Casella plays guitar. PHOTOS PROVIDEDPictured are members of the Uptown Express. Top left, Bob Stewart, top right Joe Russo. Bottom from left: Tommy DeSantis, Gary Knight and Robert Atmore. Upbeat focuses on pop and rock music of the 1960s, 1970s and 1980s. By Tom Lovasko, Sun Correspondent Top of Billboard Chart 1962 Sherry by the 4 Seasons 1972 Ben by Michael Jackson 1982 Jack & Diane by John CougarCover Lovers Originals and covers, have you heard both? Black Magic Woman (Fleetwood Mac, 1968, and Santana, 1970) California Sun (Joe Jones, 1961, and the Rivieras, 1964) Dancing in the Moonlight (Thin Lizzy, 1977, and Smashing Pumpkins, 1993) Downtown Train (Tom Waits, 1985, and Rod Stewart, 1990) Got To Get You Into My Life (Beatles, 1966, and Earth, Wind & Fire, 1978) I Fought The Law (Bobby Fuller Four, 1965, and the Clash, 1978) Jailhouse Rock (Elvis Presley, 1957, and Je Beck Group, 1969) Mr. Tambourine Man (Bob Dylan, 1964, and the Byrds, 1965) Reason to Believe (Tim Hardin, 1966, and Rod Stewart, 1971) Roll Over Beethoven (Chuck Berry, 1956, and Beatles, 1963) Tainted Love (Gloria Jones, 1964, and Soft Cell, 1981) Last week, the trivia question asked: Who are the s singing duo who later inspired the Blues Brothers with songs such as Soul Man and Hold On, Im Coming?Answer: Sam & Dave. Our weekly winners are : Gerry Baker, Mary Gustafson, Jack Melton, Dennis Menhart, Kathy Peltier, Michael McGarry, Cassandra Esposito and Wayne Hamilton from Port Charlotte. Will Johnson, Gus Franz, Jim Hunt and Paul Wainman from Punta Gorda. Bill Morris from Venice, Nadine Kubisch from Englewood, James Thomas from Gulf Cove, Ann Rankin from Rotonda West and Penny Eraca from North Port. THIS WEEKS QUESTION: Who is the session musician that shares song credits with the Beatles on Get Back, and also had two top hits in the s, Nothing from Nothing and Will It Go Round in Circles? Everyone who answers correctly will be named in this section next week. Make sure to include your answer, your name and the city you reside in. Email responses to upbeat@sun-herald.com by noon Friday. READERS ROCK! N e w C l a s s S e s s i o n S t a r t s O c t o b e r 2 7 2 1 0 M a u d S t r e e t P u n t a G o r d a F L C h e c k t h e V i s u a l A r t s C e n t e r w e b s i t e ( w w w V i s u a l A r t C e n t e r o r g ) o r c a l l ( 9 4 1 6 3 9 8 8 1 0 ) f o r d e t a i l s 2 1 0 M a u d St r e e t P u n t a Gord a F L 3 3 9 5 0 H o u r s : 9 4 M o n F r i ; 1 0 2 S a t Register today in person or by phone 941-639-8810. Classes in drawing & sketching, jewelry making, pottery, beadwork, watercolor, acrylic & oils, staine d glass, digital photography, landscape, basket weaving, art history, sculpture, portrait painting from photos, abstract art, egg tempera painting, Photoshop Elements and more! Visit us on the web at rfr Punta Gorda across from ntb Classes start Oct 27, 2014. Y O U c a n d o t h i s a n d m o r e a t t h e V i s u a l A r t C e n t e r 50473160471711 Fish Cove Adventure Golf 627-5393 YOU can do this and more at theMir ann ul /1r (r rCheck the Visual Arts Center website() orcall (941.639.8810) for details.210 Maud Street, Punta Gorda, FL 33950Hours: 9-4 Mon-Fri; 10-2 Sat1 ), 1 1 1\ l 11 1 1 1 1 11 111 v 11
PAGE 42
October 15 21, 2014 E/N/C/V Lets Go! 17 UPCOMING EVENTSThe Friends of the North Port Library (the FOL) is constantly being challenged. All year long volunteers keep busy operating the Friends' used book store and sponsoring free children's, teen, and adult programs. Although the group's greatest challenge, raising money to purchase library materials and services not provided by the Sarasota County Library System, may be daunting, the committee is constantly searching for fresh ideas and exciting ways to have fun and raise money at the same time. "To my knowledge, this is the seventh year for the Friends of the North Port Library's annual fashion show and luncheon," said board member Charlotte Leonard-Braun, the show's chairman for the past ve years. "We try to change it up each year. Hats are optional, but adding a hat contest and inviting guests to be part of the show by acting as judges should be great fun. After contestants parade around, the judging panel will award one prize for the most elegant and another for the best funky hat." The Friends of the North Port Library Annual Fashion Show Luncheon and Silent/Chance Auction will take place from 11 a.m. to 2 p.m. on Wednesday, Oct. 29, at the Plantation Golf & Country Club, 500 Rockley Blvd., Venice. Doors open at 10 a.m. and a cash bar is available. Musical entertainment provided by the acoustic group Winging It begins at 10 a.m. At 11:30 a.m. there will be speakers and contests followed by lunch a grilled pear salad of mixed greens, Gorgonzola cheese, and shaved almonds that is topped with warm grilled chicken and plum vinaigrette. Dessert includes a pumpkin mousse, gingerbread, and gingersnaps. During the much awaited fashion show, models all well-known public gures or community activists will show o the latest styles from Krystyna's Designs and Tommy's Men's Fashions. Modeling Krystyna's latest fashions will be: Jill Luke, Joleen Luke, Heather Rozelle, Jennifer Melore, Jordan Carr, Lynne Schwartz, Jacqueline Moore, and Molly Tagtow. Sporting popular outts from Tommy's will be: North Port Fire Chief William Taae, North Port Police Chief Kevin Vespia, Pete Lear, Mike Renuli, and Tony Salvucci. A silent auction oers a fabulous oneweek condo vacation in Beech Mountain, N.C., as a prize. "Our goal is to raise $35,000 to support future programs and services for the North Port Library this year, and it's important to note that all proceeds from this show benet the library. Contributions are tax-deductible to the extent allowable by law," said Leonard-Braun. Committee members Mary Byrd, Sally Schmidt, Jeri Rief, Sherry Berry, Matilda Lang, Vicki Bailey, Jeanne Detry, and Corrine Crea will be selling 50/50 chance tickets costing $1 each or $5 for six during the afternoon event. Tickets for the "U" and Fashions Luncheon and Silent/Chance Auction cost $30 and may be purchased at the North Port Library Friends Bookstore, 13800 S. Tamiami Trail, North Port. For directions, and more information, go to www. folofnorthport.com, or call 941-429-2207. In addition to their annual fall fashion show, the Friends hold monthly membership drives, discount book sales, book signing/author luncheons, and an annual 1800s Christmas program featuring crafts for all ages, seasonal music groups, and costumes from the 1800s.Raising funds in styleBy CHRIS KOURAPISSUN CORRESPONDENT North Port Fire Chief William Taae enjoyed a little hat fun with a guest at last years Friends of the North Port Library Fashion Show. Gentlemen guests at last years Friends of the North Port Library Fashion Show. Left to right: Marty Murphy; Tommy from Captains Landing; Jonathan Lewis, City Manager; Commissioner Tom Jones; and Roger Braun. The Friends of the North Port Library Board of Directors from last year: Jordan Carr, Matilda Lang, Jeri Rief, Charlotte Leonard-Braun, Mary Byrd, Vicki Bailey, and Sherri Berry. All except for Jordan Carr continue to serve on the board.PHOTOS PROVIDEDGuests enjoyed a fun-lled afternoon at last years North Port Library Fashion Show Luncheon and Silent/ Chance Auction.People for Trees, Inc., a nonprot native tree advocacy group, will have their annual Tour de North Port on Sunday, Oct. 26. Its the Green Pumpkin! will feature a number of trick or treat stops where riders collect treats such as sunglasses, bracelets, necklaces, and goodies, and costume and cos tumed-helmet contests in various categories with prizes awarded to the winners as determined by the registered riders. The organized on-road bicycle ride will begin from the Imagine School (Upper Campus) located at 2757 Sycamore Street (near the intersection of Toledo Blade and Gateway Blvd.) in North Port. Cyclists will follow their chosen color-coded marked routes through 15, 35, or 65 miles of the beautiful pine atwoods, historical sites, and parks of North Port. It is not a race. The registration fee of $40 includes a catered breakfast and lunch, full mobile SAG support provided by Louies Bicycle, and rest stops with snacks. The rst 250 to register are guaranteed a free ride T-shirt. Check-in/breakfast/on-site registration ($45) begins at 7 a.m. in the cafeteria of Imagine School. Group starts begin at 8 a.m. Special group discounts are available. Proceeds support the eorts of People for Trees, Inc. to create awareness about the importance of protecting and maintaining our native tree canopy through educational programs, workshops, landscaping projects, and tree plantings. Past activities include hosting an annual tree festival and the Eco-Kids Club in North Port for 14 years. Since its inception in 1997, the group has planted trees at every school in North Port including the Circle of Trees at the North Port Performing Arts Center, in city parks, the over 300 street trees along N. Salford Blvd., and continues to maintain their Tamiami Trail Commemorative Tree Walk along U.S. 41 as well as various Florida-friendly buttery gardens with trees they planted at Lamarque Elementary School, the Boys and Girls Club, and at the Children First facilities in Venice, Pan American Blvd. in North Port, and at North Port High School. To register or for more detailed information visit (click on the Tour de North Port logo) or contact Alice White at 941-426-9752.Gear up for the Green Pumpkin tourSPECIAL TO THE SUN FL ST#37304 Wir Sprechen Deutsch Prices per person plus cruise taxes & fees. Subject to availability. Restrictions apply. Cash/Check Pricing. 1.866.249.1087 See MORE Packages at AllAboardTravel.com 19-Day Brilliant England & The Atlanticfr.$1,469rfn tbbff 12-Day Rainier, St. Helens & Alaskafr.$1,589 rfrr frfbrbr20-Day Transatlantic Iberian Vistasfr.$1,139rn rff n tbn 21-Day Jewels of Spain & Portugal fr.$2,399rf rfbbb 50475478 54488018 November 25 th Includes 4 Days/ 3 Nights at the NEW GOLDEN NUGGET Casino and 3+ meals $65 Free Play $219 ppdo 500 Passenger Paddlewheel Sailing from Downtown Fort Myers JCCruises.com 239-334-7474 Located Downtown Fort Myers Yacht Basin 50473080 Thursday, November 27th Sails 11:30 AM to 2:30 PM TRADITIONAL THANKSGIVING FEAST Music for Dancing, Cash Bar, Sightseeing, Narration. PRIVATE CHARTERS CHRISTMAS & HOLIDAY PARTIES BOOKING NOW! per person + taxes & gratuity $ 38 00 Let The Capt JP & crew do all the work for your group. Food, DJ Music, Cash Bar & Fun all while cruising on the calm Caloosahatchee River. No group too small or big! per person + tax + gratuity $ 40 00 Qaaotto} .All AFoard TravelI I
PAGE 43
18 Lets Go! E/N/C/V October 15 21, 2014 EVENTS THIS WEEKCelebrate the beginning of fall and kick o the 2014-15 season of the arts with your family and friends at the Alliance for the Arts on Saturday, Oct. 18, from 10 a.m. to 3 p.m. during Fall for the Arts free family festival featuring live performances, artist and author booths, kids games and art stations, face painting hula dancing, food and more. There will be dozens of booths, with artists displaying and demonstrating their work, as well as cultural organizations presenting their upcoming seasons. Food and beverages will be available for purchase throughout the day. Performance schedule: 10 a.m. Kellyn Celtic Arts Irish Dance 10:30 a.m. Cultural Park Theatre 11 a.m. Dance Bochette 11:30 a.m. Florida Repertory Theatre 12 p.m. YMCA Ballet 12:30 p.m. Kurokawa Martial Arts 1 p.m. NFM Academy of the Arts Steel Drum Band 1:30 p.m. Young Artists Awards 2 p.m. City Scenes Theater Company 2:30 p.m. Heart and Soles Dance Troupe Participating artists include: Leslie Anne Jewelry, Katie Gardenia, Damali Gibbs, Janis Grau, David Hammel, T.M. Jacobs & Angelina Assanti, Doug MacGregor, Kyle Miller, Dana Nicloy, Patterson Art, Graciela Price, and Kathy Robinson. The Alliance for the Arts proudly supports artists and arts organizations in the area. The Alliance is located at 10091 McGregor Blvd., Fort Myers.Fall for the Arts Fest is herePROVIDED BY ALLIANCE FOR THE ARTS The Fall for the Arts free family festival will feature live performances, artist and author booths, kids games and art stations, face painting hula dancing, food and more.PHOTOS PROVIDEDCelebrate the beginning o fall and kick of the 2014-15 season of the arts with your family and friends at the Alliance for the Arts on Saturday, Oct. 18, from 10 a.m. to 3 p.m. during Fall for the Arts free family festival.PUNTA GORDA Complimentary Wine and Cheese receptionPlease welcome Beth Ann Morrison from 5 p.m. to 7 p.m. Thursday, Oct. 16, at Kays-Ponger & Uselton Funeral Homes and Cremation Services, 635 E. Marion Ave., Punta Gorda. They will be hosting a complimentary Wine and Cheese reception to showcase Morrisons amazing photography. Morrison is an area photographer who enjoys photographing exotic birds, butter flies, flowers, and sunsets. Kays-Ponger & Uselton Funeral Homes and Cremation Services are proud to be part of Art in Public Places through The Arts & Humanities Council. For more information, visit film series to continueFlorida Gulf Coast Universitys Renaissance Academy will continue its fall season of the Classic Foreign Film Series. Films are showed every Tuesday at 1 p.m. At FGCUs Renaissance Academy located at 117 Herald Court Square, Punta Gorda. Tickets are $5 and include refresh ments. Prior to each film, Lee Stein, moderator, introduces the film. A brief discussion follows each movie. For additional information, contact Nancy Staub at 941-505-1765. The following film is scheduled for Oct. 21: The Willow Tree (Iran, 2008), and Oct. 28: Starbuck (Canada, 2011). | EVENTS THIS WEEK Free beverage, food, candy, games, music & fun... Please bring a non-perishable food item to share with the local food pantry to aid those in need. 50473183 Burnt Store Presbyterian Church 11330 Burnt Store Road Punta Gorda, FL 33955-1402 phone: 941.639.0001 fax: 941.639.1069 e-mail: bspc83@embarqmail.com world wide web: Trunk Trunk o Treats o Treats Halloween Halloween Party Party Bring your children or grandchildren to Muscle Car City Museum Muscle Car City Museum Parking Lot Parking Lot Friday, October 24, 5 to 7 PM Friday, October 24, 5 to 7 PM Sponsored By: 50472549 Punta Gorda Isles Civic Association 2001 Shreve Street For information and tickets: 941.625.6229 or email: director@ccmsdoctors.com P h y s i c i a n s G o t T a l e n t P h y s i c i a n s G o t T a l e n t Physicians Got Talent! Charlotte County Medical Society presents... Our Third Annual Fundraising Event Saturday, November 1, 2014 6:30 P.M. -10:30 P.M. *Sponsorship Opportunities Available* Includes food, wine, beer & entertainment by local physicians. 50471571 $25 P ERSON TICKETS: (seats are limited) P ER .00 d'Ilom` `.l'' D.*.f,Doggy DaYcare 6 BoardingWhere a dog can be a dog00CAMP RIII/VISA/All Day Play All-Inelusive Priein9Free Web Cams Certified CampCounselor-solarge Indoortdoor Play yards-717266 TOLEDO BLADE BLVD. PORT CHARLOTTE, FL 33954'HARI.OTTF.FACEBOOK.CONI/CA1 IPBOWWOWPORTCHARLOTTF.
PAGE 44
October 15 21, 2014 E/N/C/V Lets Go! 19 AT THE THEATERIts that time again to laugh out loud and stretch those funny bones. Back by popular demand, FST Improv returns on Saturday, Oct. 18, and runs through Jan. 3, 2015, with the classic game show, Out of Bounds Match-up. At FST, its the time to brush up on your loudest laugh and have a great Saturday night. Due to the popularity of this past summer series, Bownes Lab will once again be lled with the sounds of knee slapping, accidental snorting, and involuntary swatting of the person sitting next to you. After all, these are common symptoms of audience members experiencing FST Improv. In Out of Bounds Match-Up, two teams take the stage to duke it out for the most laughs. Taking audience suggestions, the FST Improv cast will twist and turn them into something hilarious. Who will win the duel of fools? You get to decide as they battle it out. FST Improv Founder and Managing Director Rebecca Hopkins shared her excitement for the return of this beloved game show. Out of Bounds Match-Up is a show we devel oped last summer taking our classic game show and turning up the heat. The audience was so enthusiastic this summer watching the Improvisers they love go head to head using the scenes pulled randomly from the bucket. No one, not even the performers, knew what would happen next. We knew we wanted to open the season with this show. It will be a great way to start what promises to be an exciting season of Improv! she said. Half of this clever, comedic cast has shared the stage for the last eight seasons of FST Improv. Does a person become funnier the longer you know them? Original cast member, Christine Alexander, imparts her wisdom on the subject stating, Its like being in a relationship working with the same people for over eight years. We know each other so well we dont even have to talk we can see what each other means. Its powerful. I also love working with the new members of the troupe. They make me a better player. Back for another season of witty weekend hilarity are returning cast members: Hopkins, Alexander, Patrick A. Jackson, Joey James, Darryl Knapp, Emily Levin, Katelyn McKelley, Angel Parker, Adam Ratner, and Steve Turrisi. Performances will be held every Saturday at 7:30 p.m. starting Oct. 18 through Jan. 3, 2015. Full menu and bar are available. Doors open one hour prior to the show. Tickets are $15 and may be purchased from the FST box oce in person, by calling 941-366-9000, or online at www. FloridaStudioTheatre.org. FST is located at 1241 N. Palm Ave., Sarasota.FST improv Out of Bounds Match-up is backPROVIDED BY THE FLORIDA STUDIO THEATRE PHOTO PROVIDEDIts that time again to laugh out loud and stretch those funny bones. Back by popular demand, FST Improv returns on Saturday, Oct. 18, and runs through Jan. 3, 2015, with the classic game show, Out of Bounds Match-up. | UPCOMING EVENTSVENICE Passport to Your Future Wine-tastingThe Business Women of Englewood and Venice (BPWEV) are holding their 6th annual Passport to Your Future Wine-tasting and Auction event on Oct. 24 at the beautiful Venice Art Center, 390 Nokomis Ave. S., Venice. The ticket price is $35 in advance and $40 at the door. The Annual Wine-tasting and Auction is BPWEVs major scholarship fundraiser each year. BPWEV is a 501(c)(3) nonprofit orga nization committed to enriching the lives of women through opportunities for individual development and growth. Sponsorships by local business/organizations of this event is encour aged. It will bring visibility and recognition to the businesses supporting this event. For tickets or sponsorship opportunities, contact Joyce McCaffrey at 941-244-9054, Ann Wacholder at 941-426-8266, or visit CHARLOTTE Eagles Annual Fashion ShowThe Eagles Ladies Auxiliary #3296 is having their annual Fashion Show by Bon Worth at noon on Nov. 1. The event will be held at the Eagles Lodge, 23111 Harborview Road, Charlotte Harbor in Port Charlotte. There will be a luncheon. Tickets are $10 per person. There will also be a Chinese Auction and drawings. For more information, call May Cotton 941-624-2309.The Cemetery ClubCharlotte Players is proud to announce the first production in the third Langdon Playhouse season, the hilarious comedy The Cemetery Club. Performances are scheduled for Thursday, Friday and Saturday nights, Oct. 16-18, and Oct. 23-25, at 7:30 p.m each evening. An additional three shows during the last weekend of the month have already been added because of brisk ticket sales. Pick a night on Halloween weekend Oct. 30, 31 and Nov. 1 to attend The Cemetery Club, in the Langdon Playhouse located inside the Charlotte Players Community Theater Center, 1182 Market Circle, Port Charlotte. Hilarity abounds when three Jewish widows in Forest Hills, Queens, N.Y., meet once a month for tea before going to visit their husbands graves. Tickets are $15 and are available by calling the Charlotte Players box office, 10 a.m. to 3 p.m. Monday through Friday, at 941-625-4175, ext. 220. For more information, call 941-255-1022. 24th Annual Symphony of TreesThe Charlotte County Museum Society Inc., is pleased to announce the 24th annual Symphony of Trees. This years event will be held at the Port Charlotte Cultural Center, 2280 Aaron St., Port Charlotte, from Nov. 22 through Dec. 13. All nonprofit groups are invited to decorate a tree, wreath or centerpiece for exhibit and sale through a bidding process. The organization will receive the funds obtained from the sale of their items. The peoples choice awards will receive a cash prize in all three categories and will be announced at the closing event. Award categories will be announced during the opening night celebration taking place from 6 p.m. to 8 p.m. Saturday, Nov. 22 at the Cultural Center. The price of a ticket is $10. For tickets or an application to participate, call Gloria Pollock at 941-629-2710. Donations to view the displays are $2 for adults, $1 for children under 12, and $1 for Cultural Center members. It is open daily from 10 a.m. to 4 p.m., except on Saturday and Sunday, which closes at 3:30 p.m. On Thanksgiving Day, hours are from noon to 3 p.m. Volunteers are welcomed to help staff at the event.Mary Ann Carroll exhibitMary Ann Carroll, the only woman among the Highwaymen painters, will exhibit her work at the Unitarian Universalist Fellowship of Charlotte County Gallery, 1532 Forrest Nelson Boulevard, Port Charlotte. Her luscious landscapes will hang from Oct. 18 to Dec. 5. The Highwaymen were African American artists who, in the 1950s and as painted the Florida landscape palm trees at sunrise, beach scenes, and glades. Mary Ann Carroll began painting in 1957 after meeting Harold Newton, the original Highwayman; under his influence she began creating and selling her own landscapes. She never stopped painting for years she owned her own gallery, a facility where she painted in the rear and families played pool and game machines in the front. Everyone is invited to a free opening reception from 3 p.m. to 6 p.m. Saturday, Oct. 18. Meet up with friends rfnPunta Gorda tfbb rff Englewood tfb Join the fun of painting rf Adopt-a-Unit b 50470126 rfr ntbr fttntrfntbt f rr rrr rr rf rr rrfrf r rrrf rfr rr rfrfr ff f rrr r frf rfr r 487671 I 1 B11111111111I' 11 S BBI'(',R f `I I'IU)II tLI1 I''Lk___________ iiI. k'rr;;.yrk'/1 pp_/'A'
PAGE 45
20 Lets Go! E/N/C/V October 15 21, 2014 AT THE THEATERTheater-goers who enjoy variety will be pleased to nd a mystery/drama opening at the Lemon Bay Playhouse on Wednesday, Oct. 22, and running through Nov. 9. Ladies in Retirement,by Edward Percy and Reginald Denham draws the audience into the complicating life events of a retired actress, Miss Fiske, and her housekeeper/ companion, Ellen Creed. When Ellen schemes to bring her two simpleminded sisters to live with them, tension builds. But then,a nephew of the Creeds arrives, and the Lemon Bay presents Ladies in RetirementPROVIDED BY THE LEMON BAY PLAYHOUSE PHOTO PROVIDEDThe cast of Ladies in Retirement are seen in Miss Fisks living room. Seated left to right are Carol Louisgnan (Ellen Creed) and Mariah Phillips (Louisa Creed). Standing left to right are Terri Morris (Sister Theresa), Marilyn Barton (Emily Creed), Jennifer Furey (Leonora Fisk), Rick Moore (Albert Feather), and Jacqueline Wands (Lucy Gilman). plot thickens. Director Ron DelBello has assembled a skilled group of actors to weave this story. Curtain is at 7:30 p.m. Wednesday through Saturday and at 2 p.m. on Sunday. Ticketsare available online at bayplayhouse.com or by visiting or calling the box oce at 941-475-6756 between 10 a.m. and 2 p.m. on weekdays and one hour prior to curtain time. Reserved seat tickets are $18; $12 for students with proper ID. The Lemon Bay Playhouse is at 96 W. Dearborn St., Englewood. ENGLEWOOD Give Em Hell Harry! at LBPVeteran actor Jack Rabito has generously volunteered to produce and perform Give Em Hell Harry! at Lemon Bay Playhouse. The proceeds from this fundraiser performance will be used to reduce the mortgage on the Annex, which was purchased by Lemon Bay Playhouse earlier this year. This is a one-night show to be performed at Lemon Bay Playhouse on Saturday, Oct. 18, at 7:30 p.m. the leading political figures of his time are perceptive, deliciously candid, and sometimes downright prophetic. Jack brings honesty and passion to his portrayal of President Harry S. Truman and lets Harry speak for himself. Tickets are $18 and are available by calling the box office at 941-475-6756 or online at www. lemonbayplayhouse.com. You can also stop by the box office. Lemon Bay Playhouse is at 96 W. Dearborn St., Englewood.Hearty appetites wantedA culinary treat is in store for local residents who attend Englewoods upcoming Big Brothers Big Sisters Chefs Cooking For Kids charity event. The fifth annual event will be held from 6 p.m. to 9 p.m. on Saturday, Oct. 25, at the Englewood Event Center, 3069 S. McCall Rd., Englewood, with 21 area restaurants and community chefs participating. A wide variety of specialty items will be offered as appetizers, entrees and desserts. As a backdrop, Rick Krieger and Henry Monzello will provide musical entertainment. A lucky winner will take home a wheelbarrow filled with cheer. Valuable silent auction items will be displayed on tables along the center aisle of the hall. Restaurants and community chefs that will be on hand to serve their specialties are Prime Time Steaks & Spirits, Placida Grill, Farlows On-the-Water, Lock N Key Restaurant & Pub, Rum Bay, Swirls-N-Curls Ice Cream, Zydeco Grill, Howards Restaurant, Johnny Leverocks, Beyond the Sea, Hooters, The Cove, The Hills, Caribbean Pie Company, Island Taste Jamaican Restaurant, Ephesus Mediterranean Grill, Sterling House of Englewood, Englewood Sun, Jessica Fediuk, Linda Bonwill, and Dans Clan. Tickets are $30 each and may be ordered by calling Mary Beth Harris at 941-764-5812 or by emailing her at mharris@bbbssun.org.NORTH PORT Golf tourney plannedKnights of Columbus Council 11483, St. Maximilian Kolbe Parish, will hold a golf tournament at Bobcat Trail Golf Club in North Port on Saturday, Oct. 18. All proceeds will go to support the councils charitable activities. Registration and continental breakfast begin at 7:30 a.m., with a shotgun start at 8:30 a.m. The entry fee is $75 per player, or $300 per foursome, and includes a cart, range balls, golf, lunch and prizes. To register, or for more information, call Al Heyman at 908-625-4940 or Joe Manna at 941-629-0436, or email thewinerack@earthlink.net. | UPCOMING EVENTS 50471735 Join us for a lavish evening of dining, dancing, entertainment, silent auction and more.Your ticket price Includes the chance to win a Samsung 55" HD Curved Smart LED TV, Courtesy of Bill Smith AppliancesSaturday November 8, 2014 6-11 PMCharlotte Harbor Event and Conference Center'cketsIshelter.org94 -625-6720$100.00 per person,black tie optional.For more informationcall: 941-625-6720 or visit' anima W 1 f a u Q Bala Deadline to buy tickOctober 30, 201Di\ \ 1II 1u roceeds Benefit Charlotte County Homele nimals
PAGE 46
\f\005b\006 nt\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt152 NEW 2014 CHRYSLER TOWN & COUNTRY ALL NEW 2014 RAM 1500 QUAD CAB S S A A L L E E $ $ 2 2 5 5 , 9 9 9 9 9 9 SALE $ 25,999 #D14704 #D1501 S S A A L L E E $ $ 1 1 8 8 , 9 9 9 9 9 9 S S A A L L E E $ $ 1 1 8 8 , 9 9 9 9 9 9 SALE $ 18,999 POWER/WINDOWS/LOCKS/MIRRORS, TILT/TELESCOPING STEERING WHEELSPEED CONTROL, KEYLESS ENTRY, CD/MP3 WITH 4.3 TOUCH SCREEN AND SIX SPEAKER SOUND SYSTEM, SOLAR CONTROL GLASS AND MUCH MORE. NEW 2015 DODGE JOURNEY FIAT of Sarasota Beautiful styling is standard NEW. S ubcompact C ars f or 2014, 2013, 2012 Model s NEW493 $ 22,618 AUTO TRANS., ALUMINUM W HEELS & ROOF RAILS ERB-01 U14486 U15119 AUTOMATIC 8535097 NEW 2014 JEEP PATRIOT SPORT SPEED CONTROL, AM/FM/CD/MP3, FOG LAMPS, TILT STEERING, SUNSCREEN GLASS, AND MUCH MORE. PRICE INCLUDES FINANCE BONUS, MUST FINANCE WITH CHRYSLER. $ 14,999 S S A A L L E E SALE #J14627 SUNSET PRICE INCLUDES FINANCE BONUS. MUST FINANCE WITH CHRYSLER PREMIUM PACKAGE, AUTOMATIC!! Ranked #1 on Kelly Blue Book s list of most affordable SUVs. #D14801 S S A A L L E E $ $ 2 2 1 1 , 9 9 9 9 9 9 S S A A L L E E $ $ 2 2 1 1 , 9 9 9 9 9 9 SALE $ 21,999 3.6L V-6, POWER WINDOWS/LOCKS/MIRRORS/SEAT, ALUMINUM WHEELS, SPEED CONTROL, TILT/TELESCOPING STEERING WHEEL, SIX SPEAKER SOUND SYSTEM, KEYLESS ENTER-N-GO. Kelley Blue Book and Autobytel named The 2014 Jeep Cherokee one of the 10 Best SUVs Under $25,000 NEW 2014 DODGE CHARGER SXT 6CELEBRATION EVENTiIM j ,v s,i Jaell --i:A4raw
PAGE 47
r\006 b\002r\001nfftt nt \f\005b\006 r.r I11To include-your businessBUSINESS SERVICE Call 866.463.1638or email your ad toyDIRECTORY classified@sunletter.com41ij, Mille IFO O OI O OPREVENT Serious Bathroom Falls SENIORSCNA Will Care Helping/CGLet Us Install A A Lending For Your Loved SENIORS"Shower & BAR Hand, Inc. Air Conditioning `GRABBAR One in Your you & Heatinga Caregivers/ n, ;a a Service 16 SeerVarious Lengths 18"-42" Companions Home or mine hap? Installationswean Air ConditioningOver 25 Years Experience a Hourly or 24/7 Care 25 Years Experiencehorteeloteplrg, meal Commmeerercial Estimates ResidentialAsk About Our Systems2 Post Stair Railings References Available preprdon, encircle, Serving Sarasota and S.O.S. A/C & Heat as low as&HallwayBanisteir Don'twait toFalltoCallJim's Bathroom Grab Bars, LLC 954108 3121 m'""`*r"0B6' charlotte county 941-468-4956 $2i995941-626-4296 Great CALL TODAY! 4234146 tydrtor 941-257-8483 SdteCertlfled'RCon6eclorCAC056738 St. Lic # CAC18160'i 10 Year WarranU0123956 jimsgrabbars.com GmFaics 941s8093725 Limned&BandedRecommended bDoctors and Physical Theraists License 023050,61030211577 11 11 HC2328952 Kevin Woods-OwnerO O II O OAC/DC usFlo-Tech Services LORrDA Florida Airport I I I 113AIR CONDITIONING Proudly Serving Our Community PoRr Shuttle TransportLE Economical, Reliable, On-Time,FREE Cool Air & Heating "If waterorairn/ns thrDugh itWE WILL DO M" TRA E Shared-Ride Shuttle to/from SW 1.' 77Rent to Own ArrConcGAonmgrHeaplg.i'kun6vg FL International Airport (RSW)Service Call seat senm cottWith Any Repair! Your Horse's A/CPt3ter!!ealers Pad Healers R sNew Customers OnlyNo Credit No Problem ., I modes' &nks' Faucets' 70lds , -9 Reg. e. Easy Payments Fast Friendly, EfficientRom 584-6300 Call For PricingMaintenance s a o ccvfiM tra CA, 181754CSpecial Free Estimates ua sr P,Tbe, 941-426-3664 unc+c ",eePickup!Drorroff Locations $25 one-wayMust meet on coupon when caWg North PortBuoget Inn, 14000 Tamiami Tralnn,AOther Great Financing Port Charlotte Days Inn, 1941 Tamiami Trail941-716-1476 mmmahlecooloircom Punta Gorda-PG Waterfront, 300 W Reha EsplanadeLic.4CA01814367 LicenseCAC058018 FLAirShuttle.com or 941-451-1202 for schedulenO O OI00 Edward Ross ENCORE Peace River Widerness Eco-Tours Guided Fishing Trips Museum & Gift ShopsConstruction 941-627-3474 Cozy Cottage RennttakBoat fiu 6R4 Slip, &KayakRental; 941-627-FISHO0 Services, Inc.No Job Too Big 4155 Whidden Blvd. Unit 10, NAV-A-GATOR NAV--A-GATOROr Too Small Port Charlotte a e o IrLS.S o o a o 0 0Gulf Coast Rescreen -, *' r"`i, A T I, ,Irv,Family Owned&Operated Pool Cages Screen 941-979-5287La,tats ncryl(c Rooms NAME BR/bAS VERescreens, Screen Entries ON CNE PEACE RI R N}iE PEACE RIVEBuilding & Repairs Rescreens FOR LESS O RScrew Change Outs Garage Screens a0 DAY -Painting & Pressure HandrailCleaning of Pool Cages, Hurricane Shutters WARRAN71"' "Window Replacement $c O 1 11Lanaies, Entry ways etc.Over 30 Yrs ExpFree Estimates in Venice Area fir Dail9 Feature (.,sth coup..) 4.42:iM941-536-7529 (941) 408-8500 DELIVERY plus$1Cff it's:attttngwLettyoadeiLic & Insured AVAILABLEServing Sarasota County u.cecosatm Marina9700SW RiverviewGrdeLocatedjust3miles east of 1-75 justoff of Kings Highwayin lakeSuzy, F134269OCOMPLETE AUTO REPAIRTIRES BRAKE SERVICE Reach over 150,000 potentialWHEELS SHOCKSWHEEL A LIGNMENT FULL FULL SERVICETUNE L S customers with your full color ad.r r A/CSERVICE CENTERSpecializing in Call today to reserve your space.NEW TIRE TAKE-OFF%$499: 941-429-3110Sizes 13"-20" & Up Call for your Size & Price/ Email: classied@sunletter. comIncludes Installation & Balance1171 1 II r O t;1777 1The State of Florida HALL'S TRUCKING OFFICE BOB'SRequires all Contractors to be I I I OUTFITTERS CABINETRegistered or Certified. & BOBCAT SERVICES Paver & Concrete Driveways SOLUTIONSStone Washed Shell 941-276-0599Fill Dirt GradingBe advised to Check License Shell Driveway Installed Over 33 Years ExperienceSmall Tree & Brush Removal I For all your cabinet andNumbers with the State by Calling Commercial & Residential Clean-Ups I New 9 Used countertop needs1-850-487-1395 or on the Web at Reasonable Rates & Reliable Service (.Office Furniture Cdr for a FREE estimate(941) 485-5717 24 Years in Venicemyfloridalicense.com Cell (941) 716-3650 941-485-7015 Former Ow ner SCabinets8604756
PAGE 48
\r\005t\006b fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \007 BUSINESS SERVICETo include your businessCal 866.463.1638 oremailyouradto 7AVDIRECTO Yclassified@sunietter.com' 1 1/ I 'I I' IO t O r O i O O OIlr ntfit Home r HouseClcaning Office Cleanup!Amelia sIIV pService 01 CleaningVA_ We'll give your castle With Your Ad in Cle(aningEeaauttj the royal treatment!The BusinessHouse Clean Spe_cials_! *r; lProfessional & Service DirectoryDeeptleaoYourHame at GfromTop at Great t Rates! ,--$99, Happy to accommodate Cal l : -r;nr ToBonomm>de0u@ Stani"! White Glove Cleaningyour needs, whether it's g1 1 Window i residential or commercial) Eco-Friendly'$10 Off Cleaning /ask aboutSenior Discounts 429-3110 Week)}' BtWeekly Licensed &r.------Initial Clean Lic/Ins One Time Cleaning 15 Years Exp20 Off Reliable Service, Free Today't Punctual & Trustworthy!-------------Estimates Reasonable Rates Your Choice!941-204-8057 9a,1-268-3075 L Or Email References Available 941-249-9978Classifie asunlettereom 941-830-5161 941-548-8804Licensed & Insured LicJ Insured I O O IO O I'-. 111111111, 'The State of Florida e}r mgn t Anthony s 1GiGi Ra O Requires all lol O-W IIOIIIQI l i LLC EXPRESS II Computer I w1Cleaning Contractors to be Prgjcssu/nal Home COMPUTER REPAIR I1 Service & Repair 1 00Registered or Cleaning & Organizing 1 HOUSE LABSCertified. I LOW FLAT RATE: 7 DAYS I All Computer NeedsService Be ad Weekly 941-830-3656 In-Home Repairs f DRIVEWAYSPAT OSvised to 1 1 Reasonable Rates Schulte CopolBi-Weekly 1 $25 & Up t, C Free Diagnostic SIDEWALKSResidential Check License 941Numbers with the I Door to p Door Service Computer TY'aining I Since 1978Monthly/One-Time I Patios Driveways WalkwaysServing 'cauaitciatCy,dkico.: z State by Calling Same Day Repair a Week I Available 7 Days Pool Deck Repair & Toppings Ivada6fe1Punta Gorda & Venice 1-850-487-1395 or C I Virus I Data Recovery 11 .1803FREE ESTIMATESon the Web at 941,929.6257 1 We Buy Broken Laptops 941 93c 11 CALL TODAY I nWaepang creadCards941-623-36011m)fl f oridalicense.com insured man.com Free Phone Diag. Licll nsu r e Cel941-410-3092 941-286-6415re d Cert Tech 10 Yrs Exp 1 t ensure ` MEN OIL _ p -_ _ J Lid lnsl a __________O rO I I I O ITHE CONCRETE GUY .BLUE PARROT ENT. TEDDY'SSurface Solution ExpertNo Job Too Small!!! ALL CONSTRUCTION KPAUTH Iksned HANDYMAN &Commercial & Residential \ Residential Commercial CONSTRUCTION INC. &Insured REMODELING,POOLS DECKS -DRIVEWAYS Interior Exterior Specializing inPAVERS INSTALLED & SEALED 1 1 New Existing new home Inc.PATIOS WALKWAYS LANAI'S 1 Specializing In: construction, No Job Too BigDECORATIVE RESURFACING additions,1OO'S OF PATTERNS AVAILABLE Additions, Remodeling, Garages or'loo Small!MANUFACTURED CERTIFIED INSTALLERS Kitchens, Baths & Disability Accessible remodeling, ..ftTile/Stone, Wood, Laminate Flooring detached (941) 629.4966Llc.#AAA-13-00015 RESIDENTIAL Windows & Doors garages a GreenSENIOR & VETERAN DISCOUNTS Insurance Claims Blinder Liceimed & Insund941-716-0872 941-628-5965 ``Just Cal and Ask!" 941-662-0266 941-809-0473 CRC 13276513Lic.#CBC1258748 Insured #CRC1327458 Serving South of VeniceO "I ElO l O My Aunt Pam',sHouseFree Crack Repair withFUN I :lr Complete Renovation Put this DOG CARE I I -OHM uc Pool decks space to IDriveway designs Sliding Glass DoorGarage floors work forREMODELING Patio's and more I & Window RepairsHOME l2El'AIRS Daycare, Overnight,ADDITIONS Licensed & Insured your business gN Senior Discounts Short or Lon Termiii 01 Loving Home Life 1 ezslidernetQualify Decks Call G.g9, 1F. =.yDo Paradise.icensed Reslcie330 ContractorNo Aggressive Dogs Ia cRc,n No crates ages 1 941-628-8579 IState Licensed CRC 1130733 c orwestshore-builders.com -375-11 I 1 Mflhon liability insurance for your Protection I I3 429,3110 crowding.941-204-8237 7 7 941Lic. & Ins 40 years experienceSAMEERVICEY ``Plug IntoI Sliding Glass 1 COMPLETE GARY S1 DRYWALL 1 I DRAKE, ReslCom*Ver PersonalizedDoor Repairs Hang Dryer Vent Professional Service!"Finish Cleag inous Drueg-Fre alSerdiceWheels Tracks Locks Patchwork And Inspection ElectricA Textures P cing. ,Popcorn Prevent Fires Electrical Installation Maintenance941-106-6445IFLICS Removal GO GREEN! Repairs Troubleshooting, Etc!intSLIDING DOORS AND MORE .com Matt Potter 100% Satisfaction GuaranteedFree Estimates Since 1981 vetIM Phone 941-204-6468 ASK ABOUT OUR SENIOR DISCOUNT941-232-8667 &Reliable Over 30 Years ExperienceClip Out This Ad 1 Free Estimates t.ic#773 ovoo6a27 / Ins.` n e e J Lic. CRC1328482 & Insured LI, EC0;103078S6"4757
PAGE 49
r\007 b\002r\001nfftt nt \f\005b\006 ;TillI!MTo include44,70ur BUSINESS &SERVICE Call 866.463.1638' or email your ad toyD I R E T RY classified@sunlette'r.com'kEry Professional Service You Need From A to7 77 O 777 salata Marrs Swrtdt aUr F E 6'Sam1ess J.A.D. .Fencing46 h1uxL elvie 1T ISOIISAIUmlU 8 LIornelrnprovernenLLLCGutters'fln'nn#w.aiQn'hIHome Carpentry Crown Drywall& Molding" nw d 6 w
t ltottenWaodllepain Dryaa'tekmting FREE ESTIMATE $ 37 Years Experience FreeChain Link Rescreens Front EntriesVinyl / Wood Venice Native EstimatesI serving Sarasota County Ken Violette, Inc. Cal Greg Io Li c. CGC# 0606622J/ Ins 94123 4O b ii I I Sen'ing Sarasota County941 485 2172 941-5253,227 941-497-4450 941-999-0019Lic. & Insured 1 I ;;1 1 Lic.# CBC035139JFran4784@Mail.com 7 7 7 I FU 5 `7 11 r, 17A Better C-.ALDWE LL-'S J & J ILard01ea-P rage Clean-out A Full ServiceHANDYMAN David J. Shepard, Jr., Irrigation CompanyHandyman HANDYMAN eiratrltenance RepairERVICE5 Over .,0 fears in CharlottYour Total Home Charlotte CountT.Painting Charlotte County City of Punta Gorda North Port age Clean-Up FREE ESTIMATES InstillationPressure RESIDENTIA XONINERCpLMa1111e11a TotalProVlder 13YEARS EXPERIENCECourteous, Prompt, Dependable Washing r INSTALL REPAIR, TROUBLESHOOTING, a -&AffordableService and Much Morel &MAINTENANCEPainting Drywall /CALL DON Over 30Yeam FULLYUCENSEO&INSUREO rainscapefl.comFloors Carpentry 941-585-3760 Experience &Satisfi EARWARRANTY ONPARTS &IABOR, CREDIT CARDS ACCEPTEDDoors Senior Safety el Serving Venice & FREE Estimates CRSERA NO SARASOTA & CHARLOTTECall gave 25+Years saresataAreas 941-627-6954 Phone/Fax Call Delray COUNTIES-525-7967 CAxbtte CavityMmse: AAA-1f-00010xperience 941456-6953 Cell 1-164-0982 srsa0taC"Iy6ma:P ANgM1 FREE Estimates941.539-1694 "`"sed 941-493-6736 888 app} Lic. & F,1y1 Insured Lic#RR282811062 Insured 1-883-1231 941 -587-2027 (AAAAa 941 2ppp-WLic# 27316 Call For FRtE Estimate 88 r CHRIS RABY'S IL.ANNDSC:APING INC. space EVERIENCEDLANDSCAPE Reach over 150,000 potential reserved Now AcceptingHedges Trimmed Now Accounts LANDSCAPER iorT DO (Up to /Oft) Venice MowingI lSmall Trees Trimmed customers with your full Color ad Englewood MulchBush Hogging & Shaped N : '"h PontCharlotte ; stor"n I SPECIALIZING IN:Bnlsh Mowin ry Inata/ation WEEDS PRUNING9 Shrubs Trimmed Call today to reserve your space. Rotondo : TreesThee, L o t & Vegetation Stump Removed GDN Cove shrubs 429-3110 I TRANSPLANTINGMulching I Rock or Mulch Laid _429_3110 &S Great p.rated l ILocalrelatW Pm ,941 MAINTENANCEthee, Stump Removal PORT CHARLOTTE, :crest work Ethic classified*WINDOW WASHINGSelective Clearing PUNTA GORDA AREAS Satisfied Customers to: I I 941.623.3601 Email.classy ed nlettercom FREE ESTIMATES sunietter.com 941-816-3091941-426-7844Lic. RGLAN-SL-29 Ins. LICENSEDi i 0 ''` T&I 7-7 777 0 0MILAIIO'S IBIS Dial lawn & Now Ti MILAIIO SRI Island BreezeIII Tamping serVioes I Lawn ServiceLANDSCAPING VIBURNUM FOR Serving re' y, Nokomis Accepting 941.4150058PRIV. HEDGE Big Residential $CommercialNo Lot Too Small orBiAll phases of Residential Venice, Englewood, North New Lawn 14 Years Experience3-15 Gal Lawn CuttingLandscaping, Port & Port Charlotte. Accounts Lawns'start at'$25 Most LawnsInstallations, Planting, pigmy, Royal 1/4. Acre BasicSenice$75mo. 1Pepper Berry Control, Pruning hedges/ trees a tiro ,tw p ISA Certified Arborist t Serving $25-$3O A(cut hhen NeededMStLaWIISsZSUU & Sylvester install mulch, plants ressureeh John Cannon FL-6444 A PortChadotte,N7thP P Port, Punta Gorda Trim Bushes, Plant DesignPalms Call for a Quote. We win beat your current Owner Operated, lawn Svc b y 10%!! + Call NOW Since 05 Weeding & Mulching Licensed $ InsuredPunta Gorda & Pt. Charlo tte NO CONTRACTS! Serving Englewood, Cape Haze6Call Bob at f Call Frank Serving Veniceroundin Communities941-426-8983 and Ratonda only Lic $ Insured -Cal Tommy CaAToday for a FREE Estimate PROMPT, DEPENDABLE SERVICE Si941.830.1005 I or us Tree I I I 46 YEARS EXPERIENCE{y1 941-302-2244 TreemViLIC, & INSURED 41-445-2982U lulONTHE ROB'S TWO MEN AND A TRUCK MOVING HELP II 11 111171 11SKIP'Smi I I, iMOVING "Movers Packing DdvingLoadingLOCAL & LONG Moving & Delivery Who SaveOver 20 Years of Experience DISTANCE Honest, Reliable i4 Yews Exis. Care" Hesyour apavers BnckwodcConcrete 11TEM OR A Courteous Stone Stucco WHOLEHOUSE! Very Low Rates O We sell boxes' IA 11I mI -1, '`rte iNO JOB TOO SMALL! 20 Years ExperienceLiceensedl red 64 I_tc. & Ins. 359-1904941-1 6 O 941-237-1823 U.S. DOT No. 1915800 JIM 223-6870941-525.2435 REG.#IM1142 LICJINS Fl Mover Reg. No. IM1647 Fully Licensed and Insured JFRich40@gmail.com I I I I95.5755
PAGE 50
\f\005b\006 nt\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt r\b Listing Price $139,000 Sold for $139,9007091 Mamouth ST Englewood, Fl 34224 Single Family Home 2 Bedrooms, 2 Baths Stay On Top of Sales and Prices in YOUR Neighborhood!Check the listings in AREA PROPERTY TRANSFERSEvery Saturday in your Sun Newspapers Real Estate Classified Section Welcome HomeFOR 28 YEARS THE#1 REALESTATE MAGAZINE INTHEMARKETPLACE! HOMES FOR SALE1020 )&$,+#0" .*!1)"&*$, &$1'* -%/!!&)&*,!(L/ GULF COVE LG2014 3/2/2 WATER-FRONTPOOLHOME. $239,900 FIONABOMMERSHEIMPLATINUMBAYREALTY941-812-5332 FREE GOVERNMENT HOME LISTScrackerandassoc.com LAKE SUZYBARGAIN, 3/2/2 plus Den, w/Pool. Golf Course Comm. 2500+ SgFt. Move In Ready. Was $229,000 now $189,000 Call Phil at 941-457-6811 REDUCED! Looking For A Clean, Safe, FunPlace To Invest For Your Retirement Then please visit us at rivesideoaksflorida.com Or Call Mike 941-356-5308 ,$))!$ ,$))!$ 2.+%.()# 2.+%.()# 3%&$+)4*$ 3%&$+)4*$ 4/)!$ 4/)!$ 01'**4"4$%*01'**4"4$%.com #56 1'4!!*-*.0! 6$2$"( -$"/$5,-*%04)$3, 35/4+$&., 35/414", , 2 2 . % % $ $ ' * 1 1 # # ) ) ( ( ,* *2 2# #. .% % 2 2. ( (! !# # / /0 0& &) )) )2 2" "2 OPEN HOUSE1010 QUICKCASH!! ANYPRICEORCONDITION! HOUSEORMOBILE. 941-356-5308 10/15 2(+.#-(+ )+'*!1.)%'*!, 0$&"+)1*" #-(+#'+$ *'/", PUNTA GORDA SUN. 1-4 2533 RIOTIBERDR. PUNTAGORDAISLES SAILBOATCANAL. 3/2APPROX. 2300SFUNDERAIR. NEWAPPLIANCES& UPDATED. $388,900. FOREMOREINFORMATION(941)-740-0193 R.E. AUCTION1015 REAL ESTATE AUCTION 9AM, 1534 Ensenada Dr. Orlando, FL Large pool home, Rio Pinar Golf course plus CONTENTS & car. 10% BP AB 1667 Maine-ly RE BK #381384. %*$)*!$& #&*,!-&&"'"*+( Sale 1060Townhouses For Sale 1070Duplexes For Sale 1075Tri-Plex For Sale 1080Apartments For Sale 1090Mobile Homes For Sale 0 0 .*") .*") (% (% 35#3*' 35#3*' 4+ 4+ "!.,,5/# "!.,,5/# 12)++5$5%&+12)++5$5%&+a4 Jth'SUNNI:%sPAPERS(h:uiiiI i1,i,i 1 i:.. ,..I \...Ih 14n1 KnicAmerica's BEST Community Dailyst N
PAGE 51
\t b\002r\001nfftt fn \r\005b\006 CONDOS/VILLAS FOR RENT1240 ANNUAL & SEASONAL RENTALSIN BIRD BAY VILLAGE Venice, FLBIRD BAY REALTY, INC. 941-484-6777 or 800-464-8497 PORT CHARLOTTE, 2/2/CP, Pool, Boat Dock & MORE! Furnished or unfurn. No Smoking No pets. $900/mo+ Sec. 941276-2071 Seasonal rates avail DUPLEXES FOR RENT1300 PUNTA GORDA 1/1 All Tile, Remodeled, Small Screened Lanai CHA $750 941-661-4482 APARTMENTS FOR RENT1320 ENGLEWOOD: MANASOTA KEY Efficiency, Util. & Cable Included, Pets Ok, $175/wk 941-716-3660 NOW ACCEPTING WAITINGLIST APPLICATIONS941-473-0450 HERON COVE APTS 2BR/2BA$825/MO MANASOTA KEY, Studio Apartment w/ Big Porch. On Private Beach. Min. 6 months. 941-661-7120 VENICEISLAND Efficiency 1 & 2 br, Avail. Nov 1st! No pets, 1 yr lease 941-416-5757or 323-6466 Venice Studios & 1 Bedrooms 941-488-7766 VENICE:2BR/1BACONDO. IMMACULATE, BRIGHT& CHEER-FUL. GROUNDFLOOR, TILE THROUGHT, CENTERALVENICE LOCATION, 3 MILESTOTHE BEACH. DISHWASHER, LAUNDRY FACILITIES, SEPERATESTORAGE AREA. ASSIGNEDPARKING, $800/MOANNUALLEASE. NO PETS. CALL941-374-3401. , 2 2 . % % $ $ ' * 1 1 # # ) ) ( ( ,* *2 2# #. .% % 2 2. ( (! !# # / /0 0& &) )) )2 2" "2 2# #% %) )+ + ROOMS FOR RENT1360 PORT CHARLOTTE Centrally Located. $400. Month. Call for Interview. 941-764-3977 PORT CHARLOTTE, Clean, Quiet, $125wk/$450mo, incl. Utilities, Furnished, No Pets. 941-743-3070/941-740-2565 MANUFACTURED HOMES FOR SALE1095 PUNTA GORDA Remodeled 2 Bedroom, 2 Bath Doublewide, Carport, Shed. Large Florida Room. Quiet Lot! Great Location! $39,900. Call Greg 941-626-7829 HOMES FOR RENT1210 L AKE S UZY 3/2/2 W/LAWNSERVICE...........$1295P OR T C HARLO TTE 2/2/1 W/STORAGESHED............$850 3/2/1 INWOODLANDS...............$900. %##$) 0#&,/(' *//340+!#12)--4"4#$-. E. ENGLEWOODl 4/3/2 OFFICE, LANAI, 3000 SQFT., MASTERSUITE$1500West Coast Property Mgmt941-473-0718 For a Complete List Go Toeraportcharlotte.com$1250....4/2/2 Fenced Yard.........PC $1250...3/2/2 Pool Srv incl......ENG $1150..3/2/1 FENCEDYARDPOOL....NP $1100.2+/2/2 LAKESIDEPLANT........NP$925...3/2/1 1471 SqFt.......NP LET US RENT YOUR HOME Agent Available On Weekends We Forgive Foreclosures For Renters ADVANTAGEREALTY, INC powered by ERA941-255-5300 800-940-5033 lNEED A RENTAL l Paradise Properties & Rentals, Inc 941-625-RENT NORTH PORT, 3/2/1 6462 Kenwood Dr. $795/Mo. & $1000 Sec. Credit/Crim. Bkgrnd Check 941-628-9810 PORT CHARLOTTE l 22282 Westchester Blvd. 3/2/1, $855/mo l 27218 A SunnyBrook Rd Duplex 2/2 Lanai, Harbour Heights $725/mo l 457 Cypress Ave 2/1 $775/mo 1ST/LAST/SECREQ. NOPETS! INFO/APPL. ATLISTEDPROPERTIES941-621-3389 PUNTA GORDA 55+ 3BR/2BA, GATEDCOMM. FULLYFURN. $1200/MO+DEP. 406-665-3060 LVMSG Rentals & Property Management (941)629-1121 Real Living All Florida Realty MOBILE HOMES FOR SALE 1090 Delivered & SetUp on Your Lot w/ Skirting, Steps & Air! Only $49,995. + Tax. Financing For ALL Credit Scores Available! / / PORT CHARLOTTE, Loveland Courtyard#3103 1187 Sq. Ft., 3/2 w/Gourmet Kitchen, SS Appl., All Tile, Priv. Courtyard, One Story, No Steps, Pool. Owner Finance Avail. $89,900 941-627-4177 PUNTA GORDAISLES Top Floor 2 BR/Den-2.5 BA. Fantastic Water Views! Lovely Decor is in Pristine Condition. Two Large Private Garages Willie Keiser,Berkshire HathawayFL Realty 941-276-9104 +1-$(!# -#%.,' 1-(!#/0&))1"1#$)* To Advertise in The Showcase of Homes Please Call 866-463-1638 or Email; special@sunnewspapers.net MOBILE HOMES FOR SALE 1090 ENGLEWOOD 2BR/1BA 14x52, 55+ park, No dogs allowed. $7,700. 941-474-1353 PALM HARBOR HOMES LIMITED TIME OFFER!!$5K towards any exterior package. We have 24 wide, 26, 28 & 30 wide homes. 3 stock units reduced 26K. Homes from the $60s!! plantcity.palmharbor.com 800-622-2832*Se habla espanol PUNTA GORDA ISLES 3/2.5/2 Heated Saltwater POOL Home w/ Updated Kitchen & Master Bath. 2,321 sf. 39 Dock w/ 20K Boat Lift! Min. to Harbor! Move in Ready! $574,900. Deb Sestilio 941-391-1873 Fisherman's Village Realty REDUCED PUNTAGORDAISLES 4/3/3, POOL/SPA Home on Sailboat Canal! Cherry Cabs, SS Appl., Wine Cooler, Plenty of Closets/Storage in Every Room & SO Much Mor e!! $598,000.Deb Sestilio 941-391-1873 Fisherman's Village Realty HOMES FOR SALE1020 BRANDNEW3/2/2 GRANITESS APPLIANCES, MULTIPLE LOCATIONSAVAIL.$139,900. FIONABOMMERSHEIMPLATINUMBAYREALTY941-812-5332 ONLY4.5 %COMMISSIONIf You List Your Home With Me Before the End of the Year. New Customers Only!Must Mention This Ad. Jeff 941-979-2843 Re/Max Palm PORT CHARLOTTE 2/2/2 Furn. New pool, AC, Tile floors, Appliances, Counter tops, nice area $180,000 firm, no agents. 941-624-3872 PORT CHARLOTTE 3/2/2 w/ Lg. pool, fenced yard on oversized lot. approx 1600sf, $129,000. 941-661-5043 PRAIRIE CREEK PARK $379,000.00 5 ACREHOME2396SF SCRPOOLHORSESWELCOME! PRIVATELYGATED, PUNTA GORDA3/4.5/3 Pool Home w/ Gated Entry. Gourmet Kitchen, Butler`s Pantry Room, Office/Den & MORE! Private Boat Ramp. Picturesque Setting on 4+ Acres! All the Bells & Whistles! $595,000. Sharon Kerr 941-286-7315 Coldwell Banker Sunstar Realty NEW PRICE! ROTONDA WEST 3/2/2 Large Pool Home. Tile Floors, Granite, Golf Course View. 2,200 Sq Ft Built in 2005. BYOWNER. NO AGENTS. $299,000 Email for info: Dotsq@aol.com Salygigs-.. ter.,M7 ie iii ids WASF {{1a r2T6...s_.:tAailr^LsuaY::NY.KSIN C I'IlkRib
PAGE 52
\r\005b\006 fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \t MEDICAL2030 PHYSICAL THERAPIST PT ASSISTANT AND MASSAGE THERAPIST needed Many positions avail. Call 941-876-3214 PORT CHARLOTTE REHAB CENTER OPENPOSITIONCOTA FULL TIME TUESDAY TO SATURDAY STATEOFTHEARTFACILITY/ADL ROOMApplications on Premises! OR FAX RESUMES TO 941-255-1868 %*$)*!$& #&*,!-&&"'"*+( PROVIDINGSERVICE WITHOURH H E E A A R R T T S S and H H A A N N D D S S ENGLEWOODHEALTHCAREAND REHABCENTERIS HIRINGRNS, CNAS ANDLPNS... l FULLTIME& PARTTIMElALLTHREESHIFTSl LONGTERMCARE EXPERIENCEREQUIREDWEARELOOKINGFORCNASWHOAREPASSION-ATEABOUTPATIENTCARE ANDARECOMMITTEDTO PROVIDINGASUPERIOR EXPERIENCEFORRESIDENTS& FAMILIES. TOAPPLY, PLEASEEMAILPAYROLL@ ENGLEWOODHEALTHCARE.COM1111 Drury Lane Englewood Fl 34224 Ph. 941-474-9371 Fax. 941-475-6593 CNAS REGISTERED NURSESFORHOSPICEINTHESECOUNTIES:SARASOTACOUNTYMANATEECOUNTYCHARLOTTECOUNTYARBORMEDICALSTAFFINGCALL(800) 919-8964AFOWLER@ARBORSTAFF.COM VET TECH/ASSISTANT Vet Clinic in Punta Gorda Experience Preferred pets@peacerivervets.com Or Fax: 941-205-5402 RESTAURANT/ HOTEL2040 DELI ASSOCIATE EXPERIENCEDONLY PT. CHARLOTTECONV. STORE941-882-4015 EXPERIENCED SERVERS/ BARTENDER NEEDED P/T PositionSundays are a Must! Great Perks. Employee & Spouse Golf Free when Available. Apply in Person Mon.-Sat. 266 Rotonda Circle Ask for Cathy CLERICAL/OFFICE2020 BOOKKEEPER NEEDED FT, in Venice. Quickbooks, Excel Experience Required. Property Management Exp. a Plus! Email Resume to: laceytim@aol.com DATA ENTRY-(PREVIOUS EMAIL WAS INCORRECT) SPECIALIST NEEDED FOR BUSY OFFICE. MUST BE COMPUTER LITERATE. FULL BENEFITS. Send Resume to: 1employee77@gmail.com OFFICE ASSISTANT, Computer Knowledge & General Office Duties essential. Flexible, P/T. Fax Resume to 941-205-5555 THEDIOCESE OF VENICE in Florida is seeking an Experienced PAYROLL COORDINATOR with ADP PayForce, TimeSaver and ADP Reporting expertise. An Associates degree required, a Bachelors degree preferred. Minimum of 3 years experience with ADP payroll systems Qualified candidates are invited to email a resume with a cover letter outlining their experience, salary requirements and the name of their parish to humanr esour ces@ dioceseofvenice.or g MEDICAL2030 DENTAL ASSISTANT FULL TIME Mon Thurs. Certified or expanded functions a must. Englewood office. Fax resume to: 941-624-6998 or email kingsway.dental@yahoo.com DENTAL ASST., Must have Exp. 3-4 days per week. Join our Great TEAM! 941-484-3885 MEDICAL RECEPTIONIST 1 Yr Experience/EMR. Please Send Resume By Fax To 941-629-9809 PHLEBOTOMIST With Medical Assistant And Clerical Skills Needed Full Time For Research Center In Port Charlotte. Microsoft Word Competency & Ability To Do Detailed Work Required. Please Email Resume To Office Manager At: Aston2491@Gmail.Com Or Fax To: 941-766-0868 #561'4!!-*.0! 6$2$"( -$"/$5, -*%04)$3, 35/4+$&., 35/414", 2000EMPLOYMENT HELPWANTED2001 Immediate Openings! Lake Placid ****************COMFORT KEEPERS In-Home Care is Hiring CNA, HHA and Homemaker Companion positions High School diploma/GED required Flexible hours Apply online: ck381.ersp.biz/employ ment or call 863-3858558. HHA#299992766 2013 CK Franchising, Inc. Most offices independently owned and operated. PROFESSIONAL2010 A NATIONALINSURANCECO.LOOKINGFORASELF-MOTIVATED INDIVIDUALTOSERVICEANDSALE TOESTABLISHEDBLOCKOFBUSI-NESSINARCADIAFL. BASEPAY PLUSCOMMISSIONS. WILLTRAINIF NOTLICENSED, EX. OPPORTUNITY FORTHERIGHTPERSON. CALLJOHN AT941-232-1624 COSMOTOLOGIST, PT or FT. Busy Salon. Been in Business 26 Years. Clients Waiting! Commision. Cindy & Co. Hair Design. P.C. 941-629-2200 or 941-258-0067 )$%(!,%(*".' !/%-*("".#.%&"+ BANKING2015 F/T TELLERSUPPORT SPECIALIST Hometown Bank seeks F/T Teller Support Specialist to float between 5 branches. Position requires excellent customer service skills, flexibility & cash handling experience. Banking experience preferred. Apply at Charlotte State Bank & Trust, 1100 Tamiami Tr, Port Charlotte, FL 33953, or Submit Resume to tshr emshock@csbtfl.com EEO/AA CLERICAL/OFFICE2020 COMEWORKWITHTHESUN NEWSPAPERSTELEMARKETING TEAM, LOCATEDINNORTHPORT, FLORIDA. WEARELOOKINGFORA PART-TIMEPERSONWITH COMPUTERSKILLSANDA CHEERYPHONEPERSONALITY TOJOINOURTEAM. WEOFFERTRAININGINA STABLEANDCOMMUNITY INVOLVEDCOMPANY. PLEASEEMAILYOURRESUME:LTONER@SUNLETTER.COMEOE DFWP PRE-EMPLOYMENTDRUG&NICOTINETESTINGREQUIRED ENJOY TALKING ON THE PHONE? OUTOFTOWN LOTS1520 PREVIOUSLY BANK FORECLOSED 5.65 acres ONLY $14,900 29.1 acre Creek Front $29,900 Mountain views, Rushing trout stream Minutes to 40,000 acre lake, Adjoins State Park Roads, utilities, financing 877-520-6719 or Remax 423-756-5700. VENICEOffice For Rent To A CPA or Other Professional At Low Cost. 941-486-9400 &%$#% '!"%0)'(2.5('#($,486!10"%0)-7*#3 "0-+(5# 72%0)'5(++7"7#&(&/ COMMERCIAL/ INDUSTRIALPROP1620 ARCADIA 5.26 ac By Owner! House & Shop, 800 ft. Hwy 17 Frontage, Zoned Comm. Info. 863-494-5540 or 863-244-3585*" #-(+#'+$ *'/", ($-'$!.$"&)$" +-!.,)&""-#-$%* ROOMS FOR RENT1360 VENICE, Mother-in-law Apt. Shared Kitchen, Dining. Incl. Power, Cable, W/D. $650 mo. NP/NS 11/1 941-806-8187, Nicely Furnished Water View In Venice Mission Lakes. Available Oct.-Dec. & Mar. 2015 507-254-2437 W ANTED TO RENT1420 WANT TO RENT: Trailer, Apt., Or House In Or AroundArcadiaFor Jan-Mar 15 814-723-7266/814-688-1227 LOTS & ACREAGE1500 HARVESTERS NEEDEDI larvester needs 60 temporary workers to cultivate andharvest citrus, 11-24-14 to 5-24-15. The employer is OrangeBlossom Harvesting, Inc. Workers will be paid $10.26 perhour depending on work location and piece rate( s) may beoffered depending on crop activity, but will be guaranteed$10.26 per hour rate. Worksites are located in Charlotte,DeSoto, Hardee, Highlands and Manatee Counties, Florida.Employer will guarantee the opportunity for work for thehourly equivalent of 3/4th of the work days of the workperiod. The employer will provide the tools necessary toperform the described job duties without charge to theworker. Housing will be provided for individualworkers outside normal commuting distance. For workersresiding beyond normal commuting distances, reasonabletransportation and subsistence expenses to the worksite willbe provided or paid by the employer after completion of 50%of the work period. Apply for this job at the Florida One-StopCareer Center office located at 2160 Northeast Roan Avenue,Arcadia, FL 34266 (863)-993-1008 using job listing numberFL9940549.5;;17910
PAGE 53
\t b\002r\001nfftt fn \r\005b\006 ANNOUNCEMENTS3010 ANNUALFALL FESTIVAL& PUMPKIN PATCH OCT. 18 & 19 10AM-DUSK. Free Parking & Admission. Christ Community United Methodist Church. 27000 Sunnybrook Rd Harbour Heights. (Next to Deep Creek Elementary) 941-629-1593 HAPPYADS3015 Place your Happy Ad for only $16.25 3 lines 7 day. Add a photo for only $13.00! Please call (866)-463-1638 TRACEY We Love YOU!!!!xoxoxoxoxoxoxoxoxoxox oxoxoxoxox PERSONALS3020 ADORABLE TASHA. Stretch & Relax Therapy 941-497-1307 #56 1'4!!*-*.0! 6$2$"( -$"/$5,-*%04)$3, 35/4+$&., 35/414", BODY RUBS BY BRANDI 941-467-9931 1225 US 41 UNITB3. CHARLOTTETRADECENTERN OF776 941-625-0141 RELAXATIONSTATION RELAXATION Located in Englewood Call Stormy 941-549-5520 SENSATIONS STRESS RELEASE941766-79953860 RT. 41, 2 MI. NORTH OFPUNTAGORDABRIDGE. SINGLE FEMALE looking for a relationship with Single Man 40-65. Call 941-201-9853 WM SEEKS bi couples & singles, 25+. PO Box 380222 Murdock, Florida 33938 SCHOOLS & INSTRUCTION3060 CNA Training, HHA, MED ASST, CPR. Onsite testing 941-429-3320 IMAGINE GENERAL2100 TRUCK DRIVERFORVENICESALVATIONARMYFAMILYTHRIFTSTORE. CALL941-488-9300 WAREHOUSETHE CHARLOTTE SUN NEWSPAPERNOW HIRINGPart-time, must be production oriented, able to lift at least 20 lbs., willing to work flexible hours, FORKLIFT EXPERIENCE A PLUS. To fill out an Application Apply in person Mon.-Fri. 8-5 The Charlotte Sun Newspaper 23170 Harborview Road Charlotte Harbor, FL Please, no phone calls We are a drug and nicotine free workplace Pre-employment drug and nicotine testing required WORKER, P/T who is FAST to plant small seeds & Seedlings. Port Charlotte. 941-268-2799 PARTTIME/ TEMPORARY2110 ASSISTANT DINING FACILTY MANAGER Shift: Monday-Friday 5PM7:30PM. Call Patty Cooney 941-429-5403 DELI HELP, P/T 2 to 3 days a wk. Hours 10 AM to 5 PM, light work Register and Shelving. Dependable, knowledge of German a plus. Call Bernies Deli, 941-485-9299 SALES2070 TELEMARKETING Local co., over 30 yrs in business, is looking for expd telemarketers. Hourly + commission. Must be ENERGETIC, Students & Homemakers Welcome. Call Mr. Holmes 9a-4pm, Mon-Fri. 941-206-3889 CHILD/ADULT CARE NEEDED2090 CHILD CARE Provider/Teacher Boca Grande. FCCPC Preferred. Competitive Pay, Benefits, Tolls Paid. 941-964-2885 ($-'$!.$"&)$" +-!.,)&""-#-$%* LIVE IN HOME CARE GIVER Assist 2 developmentally challanged individuals with daily living needs in a beautiful Cape Coral home. LONG TERM Rewarding.. Call 239-770-5668 GENERAL2100 DELIVER PHONE BOOKS Work Your Own Hours, Have Insured Vehicle, Must be At Least 18 yrs old, Valid DL. No Experience Necessary. 1-800-518-1333 x 224 DOG RESORT Looking for PT Evening help from 7pm 7am Apply in person: Towles Club K-9 Resort 6101 Duncan Rd. PG EXP. FLORAL DESIGNER Needed.Apply At:2171 Tamiami Tr. P.C. 941-624-5050 PLANT REMOVAL/ PLANTING SWFL Laborers and Supervisors. $485-750+ Per Week. Travel Pay, Bonuses. 50 hours Per Week. Bilingual a Plus. Drug Free/e-verify. 941-426-78 NOPHONECALLSPLEASE. CARRIERSNEEDED TREE CLIMBERS & LABORERS WANTED MUSTHAVEEXPERIENCE. GOODPAY, STARTIMMEDIATELY941-423-0020 SALES2070 AUTO SALES EXPERIENCED ONL Y! Looking For A Motivated Auto Sales Professional Great Pay + Volume Bonus. 5 Day Week, Health Ins. APPLYCHARLOTTECOUNTYFORD3156 TAMIAMITR, PT.CHAR. MIKEELAM941-625-6141 IMMEDIATEHIRE! 30Yr. Local Co. High Potential SALES REP 50-100k. Make An Impact 941-206-3888 Ext 217 Mr. G !""#$'&(% RV SALES. FT POSITION FOREXPERIENCEDSALES PRO. MUSTBESELF STARTER, WITHEXCELLENT CLOSINGSKILLS. DFW. PLEASECALLBOBHAMILL(941) 966-2182 ORFAX RESUMETO(941) 9667421. Seeking enthusiastic IN-STORE REPS. We make a difference! PT, GREAT PAY. Seniors welcome. 941-206-3888 ask for Mr. Mike THE FURNITURE WAREHOUSE A Top 100 Retailer Is Seeking Highly Professional & Engaging Sales Associates ForOur Port Charlotte Location. We Offer: Paid Training, Competitive Commissions, Guaranteed Base Salary & Comprehensive Benefits.Send Resume To: GJones@FurnWarehouse.com Call 941-356-6457Or Apply Online MANAGEMENT2060 PROPERTY MANAGER, FULL TIME Salaried. Maintain home, gardens, & pool of one of the premier single family estates in Charlotte County. Requirements: 1. Honesty and Integrity 2. Self-Starter 3. Mechanical and Electrical Skills 4. Basic computer skills 5. Able to deal with contractors. 6. Manage 2 in-house parttime employees. Salary Commensurate with mechanical skills & experience. Send Resume to: PRIVATEMAILBOX(PMB 229)1133 BALHARBORBL VD., SUITE1139PUNTAGORDA,FL33950 SERVICE MANAGERRECREATIONALVEHICLEDEALERLOOKINGFORHANDS ONMANAGERWITHAPASSION FOREXCELLENCE. MUSTBE SELFSTARTER, EXCELLENT CUSTOMERSERVICESKILLS,BEABLETOLEAD, MOTIVATE ANDMEETDEALERSHIP GOALS. MUSTBEPROVEN LEADERWITHMINIMUMTWO YEARSSERVICEMANAGEMENT EXPERIENCE. DFW. REPLYTO: KPAINE@SUNLETTER.COM:lCompetitive salary plus commissionl Vacationl Health insurancel Sick and short term disability l Trainingl. APPLIANCE SALES OPPORTUNITYPort Charlotte Location. Full Time. Will train Right Individual. Salary Plus Incentive. FORINTERVIEWAPPLYAT: 1019 Tamiami Trail )(&""*#*$%!'&($" RESTAURANT/ HOTEL2040 EXPERIENCED EXPO HOSTESS/BUS HELP Apply in Person 14415 Tamiami Trail Olde World Restaurant lEXPERIENCED COOK l l PASTRY BAKER l lEXPEDITOR/PREP l l WAITSTAFF lBUSSER lApply in Person SPINNAKER CAFE 3542 N. ACCESS RD. ENGLEWOOD LINE COOK, F/T, Apply at Angelos Italian Market 850 Pinebrook Rd. Venice PIZZA COOK EXPERIENCEDONLY PT. CHARLOTTECONV. STORE941-882-4015 SKILLED TRADES2050 EXPERIENCED REMODELERS NEEDED Call for Interview: 941-979-6695 LUBE TECH W/ EXPERIENCE. APPLY WITHIN909 KINGSHWY. P.C. MILLWORK WAREHOUSE HELPERHEAVYLIFTINGPRODUCTKNOWLEDGEHELPFULAPPLYINPERSONRAYMONDBUILDINGSUPPLY2233 MURPHYCOURT, NORTHPORTDFWP, EOE HANKS MOVING IS EXPANDING! Professional Moving Drivers Needed. Must Have 5 Years Experience, Drivers Lic. & Transportation Required. Some Heavy Lifting Required. Please Call (941)-474-2934 PAINTER, Englewood Area, Experienced, Valid Drivers License & Reliable Trans. 941-697-3894 Leave Msg. RV MECHANICFULLTIME, JOBINCLUDES CHASSISREPAIR, PLUMBING,ELECTRICAL, CARPENTRY,APPLIANCEREPAIR. DFW CALLCRAIGHINSHAW(941) 966-5335 TOW TRUCKDRIVER Must Have Clean Drivers Record, CDL Preferred. 941-232-8455 941-639-5705 MANAGEMENT2060 H H ASSIST MANAGER H H H H MANAGER H H ONL Y EXP NEED APPL Y C-store Pt.Char 941-882-4015 Now HiringApply Todayr-------------,f? I 'v'' a-4L-------------JW. ,'uarrtYb Low"W. ,W-8-at
PAGE 54
\r\005b\006 fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \t rfr ntfrbbr rf nftb r fnttt Th eSun c l ass i f i edswork,'MATTAS MOTORS941-916-9222"SAVING YOU MONEY MATTERSjIMAT MATTAS MOTORS"1 SUNNEW7P'APERSAmerica's BEST Community Daily
PAGE 55
r\005 b\002r\001nfftt nt \f\005b\00anted to Buy/T rade ENGLEWOOD GARAGE SALES6002 FRIDAY ONLY8-1 2027 Georgia Ave. Grove City. Household, Womens Clothing &LOTSof Other STUFF!! 0 0 .*") .*") (% (% 35#3*' 35#3*' 4+ 4+ "!.,,5/# "!.,,5/# 12)++5$5%&+12)++5$5%&+FRIDAY ONLY 9-5 7405 Petula Ave Villiage of Holiday LakeMOVING SALE Patio furniture, sofa set, BedRoom set, end tables, lamps, decor, Bose surround sound and much more. PT. CHARLOTTE/DEEP CREEK GARAGE SALES6006 FRI-SAT. 8-2. 2110 Giralda Street. toys from 50s, furniture, antiques, xmas decorations, craftsman rider PUNTAGORDA GARAGE SALES6007 HOUSE FULL OF ITEMS Fridge, Bike, Furn., Fibro. Mattresses, Bells, Linens, Household, Kitchenwares & More! 603-209-0669 LAWN/GARDEN & TREE5110 FAMILY TREE SERVICE Tree Trimming, Free Estimates. Call Today 941-237-8122. Lic/Ins. MOVING/HAULING5130 us DIT no. 1915800941-359-1904 P AINTING/ PRESSURE CLEANING5180 BAILEYS PRESSURE CLEANINGTile roof Cleanings starting at @$150. Call 941-497-1736 PROPERTY MANAGEMENT5182 LICENSED FLORIDAREALTOR needed to head our Vacation Rental Division. Contact us at karen.hhpm@yahoo.com SCREENING5184 HEALTH & BEAUTY5088 HOMEBOUND?? WECOMETOYOU! Perms, Color, Cuts, & Style. Surrounding Areas! Call Carol 941-830-2512 cell or 941-697-7442 HANDYMAN/ GENERALREPAIR5089 941-276-5112 JOSPEHBAKER, OWNERSKILLEDSR. HANDYMEN. AlwaysDoneRightHandyman@ yahoo.com ALWAYS DONE RIGHT HANDYMAN SERVICES HOME / COMM. IMPROVEMENT5100 SLIDING GLASS DOORAndWindow RepairLowest PricesGUARANTEED !!!941-628-8579 Lic#CRC1130733 CARPENTER, INC. Handyman Rotten wood, doors, soffit, facia, etc. Phil 941-626-9021lic. & ins. LAWN/GARDEN & TREE5110 AN OCCUPATIONAL LICENSE may be required by the City and/or County. Please call the appropriate occupational licensing bureau to verify FAMILY TREE SERVICE Tree Trimming, Free Estimates. Call Today 941-237-8122. Lic/Ins. TOMMYS TREE & PROPERTY SERVICE Honest & Reliable*Trim & remove *Complete lawn care. Lic/ins. (941)-809-9035 5000 BUSINESS SERVICES AN OCCUPATIONAL LIC. may be required by the City and/or County. Please call the appropriate occupational licensing bureau to verify. 2(+.#-(+ )+'*!1.)%'*!, 0$&"+)1*" #-(+#'+$ *'/", COMPUTERSERVICE5053 COMPUTER TUTOR (Your home or mine) ONLY $25.00 an hour! Please call Steve at: 941-445-4285 1A+ COMPUTER REPAIR, TUTOR IN YOUR HOME Reasonable & Prompt! Sr. Disc. Ask for Stacy 941-451-3186 CONTRACTORS5054 Edward Ross Construction Services, Inc. 941-408-8500 pool cages, Scr lanais, etc... CONCRETE5057 RICH LANDERS STUCCO, INC. Honest, Reliable work! LIC/INS New Const & Remodels. Rusted bands & wire lathe repair. spraycrete & dry-wall repair (941)-497-4553 CLEANING SERVICES5060 Danae Chiarells Cleaning Service Honest & dependable Great Summer Rates Residential Commercial Seasonal Rentals Weekly -Bi-weekly Monthly941-587-6844 EDUCATION3094 AIRLINE CAREERS start here. Get FAA certified with hands on training in Aviation Maintenance. Financial aid for qualified students. Job placement assistance. Call AIM 1-866-314-5838. &0!)5-569<6!7 <6#0!&.!)5-0 !*35.-0!' &%%+8/4=:1$4:$1(%%4$22 18+8/4(%"84(;=11;$$,14(' F AITH LUTHERAN CHURCH 4005 Palm Drive, Punta GordaVarious BUSINESS FOR SALE, Grossing $48K/Year, $16,750. Equipment and Supplies Included. Will Train. 239-826-2779 GREAT BIBLE STUDY Dr. J. Vernon McGee Thru The Bible Radio Network 91.5 FM 6am & 9:30pm 91.3 FM 12:30pm & 7:30pm 1-800-65Bible (2-4253): Male American Bully, In Desoto Cty, Cardena & Tinsley in Parking Lot Downtown 863-244-9607 LOST DOG: TAN Yorkie, Emotional support dog, No collar, No chip, no teeth, Answers to Mandy, female, 7 years old, Lost near E. Venice Ave /LPavia Blvd. By Gulf Coast Urgent care. REWARD REWARD REWARD 941-786-9920 LOST GOLD BRACELETretractable clasp embossed looks like zigzag design, reward CALL 941-626-6637 LOST PITBULL, white with black & brown spots, answers to BACON. REWARD. 941629-4361 or 941-661-9718. LOST: 92 Year Old Woman Lost Purse In Arcadia. REWARD If Returned. 863-494-4057 LOST: Wedding Ring Husband Deceased 941-423-8597 REWARD! LovTWO MENAND ATRUCK"Movefs Who Cafe"a a 0IIC!-44
PAGE 56
\f\005b\006 nt\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt r\005 BUSINESS & SERVICEDIRE T RYrry Professional Service You Need From A toi(ld 0 t7i i t7 77 0 71 1 0 0 10 i' 0i rVr Serving Englewood, aP Int h STY I YN I North Port, Port CharlotteLocaltyowned & operated 9 CUSTOM PAINTING ( & Venice Areasfor over 40 years Painting HOME TREATMENTS Ll\FaIntenor/Exterior Carpentry AFFORDABLE DANNY U N ERepaints &NewConstruction Interior QUALITY WORK Painting I, It TruePressure Cleaning Exterior 30 Years Experience Pressure Cleaning MILLER Family Owned & OperatedInterior & Exterior Over 27 Years Local Experience-REE ESTIMATES Pressure Coatings/Sealers PAINTING LLCFree Estimates Residential CommercialTrust an expert who is Washing and more!licensed & insured! 194UZ53$34INTERIOR & EXTERIOR Specializing in Re-PaintsWE DO IT A SHADE BETTEP, 94.4681O82 References Avat able FREE ESTIMATES WHERE QUALITY & VALUE MEET941-321-0637 Call Now For a Free Estimate10 Yom Experience Serving Punta Gorda, Venice, 941) 830-0360U r Englewood 8 North PortagasmaL, Servitrota& #10.0000772 07724 941-408-0715 spainting4602@comcast.net8419191941Give Us a Cal Charlottette Co Counties Licensed B Insured Licensed & Insured941-6255-1226 RRR00o2261 t1 6 Licensed & Insured Insurednsu Lic#red #AAA009886 Licensed & Insured AA/412-00015 11 I I I l l 1NATHAN DEWEY u erior t r 'We do _ _ PAJVFMPAINTING P iffm Residential/Commerdal ainting 3rd Generation Family Business putusto Pressure I cc ExteriorInterior/ Exterior Powwwrliq Homes, Pool !LARRY Call Now to Lock in the "Inc. cs^ Pa"m Doft Rook Mildew EstimatesDrywall repair FullService ESPOSITO anAmazing BangforPressurewashin #MobNHanw MAX r Discounts9 Painting Company PAINTINGsINC. four Buck from aPopcorn and wallpaper Full Spray Shop tallbo mplof ``Seasoned Painter"removal Services Power Washing Wdpaperhrtielon x 10% OFF 25 Years Experience Residential. Commercial ,Over Handyman FREE Estimates t` 'Te6dllk } 1 InteriorExteriorPowerwashingSMio-rs&Licensed & insured EXCELLENCE30 years Licensed & Insured orpc't' CALL AL Pool Decks Prompt Service*-idw^ LA 7 to Reasonable Ratesexperience 0103673 0405875tic.&Ins. skip 1 &Popoom 1i 4171. 941.468.2660 941-786-6531911 Q4FreeEstlmates MOM FREE ESTIMATES Lic#AM00101266 1 Free Estimates Senior Discounts 941-816-1024Licensed & Insured941-484-4576 941-961-5878 Licensed/ insured Former Firefighter Li #AAA13-08027 I s 0702AAA007825END, isT 17 & 1=LARRY'S "Retired but Flo-Tech Services DGLENS 11 ,not tired I5Proudly Serving Our Community %1 n 1I POOLPLUMBING Full Service Plumbing Pl Servlcum0 CompanFau(ets, Sinks, Fast, Friendly, Efficient. Reasonable Prices cal as (\((\\tt,VStools, Garbage REPAIRS andD I i'Re-lelpos Disposals, for ALL Your)M Repairse CJl%IN1 :Most in 7 Day Pressure Tanks, Water Fl oTechPlumbing@Yahoocom Plumbing Needs. SERVICE Chlorine GeneratorsWe Wi8 Beat Softeners/fiten Etc. Repipes RenuleFs Sinks Faucets Toilets Garbage Dtsposals Toilets Call for our Motors, ers, Pumps & MotorsBack Flow Lea< Detection Drain Cleaning Water Heaters Monthly Specials ieall r, tik, decksAny Estimates Most Anything. Call ForHeatHeat PumpsComplete Service Pricing s d s,Just Ask Ross 10% o OFFp sr.oe6rbd with this ad Insuredand license d 0 0 0 0 Weeldy 94184 S79b rMaster Plumber LPcrcuss781 arm W"1gm 1C PoolRF11067393 ResidenilandCommerra941.626-9353 697-8580 G Water TestLk.#M1425sa3 1-941-204-4286 Lic CFC1428884 RP0067268 x TiC-05 1 11, ,.,73 00Pressure 8aileyr s Benson's VENICE I i,n John'sWashing Paa> a g Quality PRESSURE ally 110WO'S 'T!, R G ZescreeningVGNbyNORTHSTAR 'Pool Cagesl'1lressia re Cleaning CLEANING Pressure& Painting Cleaning Safe No Pressure TILE N Washing 9 C' == Lanai's & EntriesExterior/ Interior Painting Roof Cleaning raSh RemoYal ^ j 15 Years ExperienceHOUSES, e Pool Cages & ROOF 'T war a,ARM, I Lanais SPECIALIST Honest 941476-4779MOBILE HOMESMORE CHAMBER MEMBER Reliable 941.460.8500INSURED 38412 Lic.& Insured in Sarasota, 941-697-1749 497-2493 Senior Discounts seeNo. Port &Charlotte Counties FREE Estimates -: 941-587-5007 Since Associations we1984ICnet '341-883-1381Sin 1983 1.1c./Ins. 941-626-1565 i ` o 863.221-9031 Free Estimates941-497-1736 1.1c./Ins. Lic./ Irwued Free Est. uc. #1413%9 Lic#CC20597 Lic. #9341 Insured T7 T71 19 11111111101090 1 1$55 Tops, $30 Sides e iR Reach over 150,000 HOME TOWN VOTED BEST OF THEBiggest tst Invesnvertmmenens 0 t."SCREENING BEST IN CHARLOTTEComplete Rescreens I Licensed & Fully Insured potential customers with REPAIRS(Q25 yrs. experience ROOFING REPLACEMENT COUNTY 2011 tlru 20141,295 SPECIALIZING IN your lull color ad. TILES SHINGLE FLAT ROOFS Tiles Shingles MetalCall Steve For a(Up to 1500SgFeet) RESCREENING MEEXRIENS InsulationRooftkaning30 YEARS EXPERIENCE FREE EstimatePOOL CAGES Cafl today to reserve your sp"e. METAL-TILE SHINGLE Serving Sarasota &DISCOUNTS TO Free Estimates & LANAIS FLAT ROOFS Charlotte county forAlso Repairs, Entryways, FREE 941-429-3110 FREE INSPECTIONS VEPECTIONS IONSt Over 30 YEARS EXPERIENCE yvpJ22 YearsGarages, Sliders & ESTIMATES IN SOUTHWEST FLORIDA f 'dd``6' CCC1329187NO JOB TOO SMALLI H CALL GH 941662 0555 Small or Large Repairs to Total r r eLice2LSed & him red 941 879-3136 i9 941-809.1171 RM COATS CONSTRUCTION, INC Replacement Steve's the Man for the Jobl11 _ _ Email your ad to: class fled@sunletter corn SSE CCC #1325131 S IVSI,RE7 Lt. CCG1326e38 toeded & Insured}S6^.1759
PAGE 57
r\005 b\002r\001nfftt nt \f\005b\006 B UI N S SERVICE4. iDIRECTORYI James Weaver Re-Roofing & Repair SpecialistsLEONARD'S ROOFING,with the I I Roofing & INSULATION INC.treatment! Shnylas, scats, Family owned andREROOFS & REPAIRS wOld le Ho Reniova I I I Family & operated since rsssa fptlfletowspelowly4N ce 1988Shingle Tile Metal Flat ri ,OCarpeerlry Operated shingle Single Ply a Metal#cocobat84 I Since 1984 TileCall today fora FREE estimate 941-473-3605 6b J I I Full Carpentry_ Financing Available ttiInioured 426-8946 Built-up Service AvailableFree EstimatesNK shingles,flatroofs Reagan Leonard 488-7478MARK KAUFMAN ROOFING 0 Bti Authorized I I Metal, Replace & RepairLicense rrcccoaaoas +t+rear UC#CCC1325895 Llc.,# RC 0066574OT 77 777 0E I1 RAY TIPPINS LAWN REPLACEMENT No Job Too BIG JIl Ip Is THE RICH LAHD6RS CE11MIUC TILL LEMON BAY TILE or Too small! "stucco Guy" Place Your INC. AND/OR Convert bath rub toSeawall Erosion Repair Malone 's STUCCO, INC. r easyaccessshower' Wire Lathe Repairs I15I AI.I.ATIU\ Handicap ouess showerRepair Sink Holes & SOD Rusted Bands New Constriction JJ Here! Shower repair & replaceSodding Decorative Bands & Remodels 35 YRS EXP. Free In-Home ShoppingTree Service Shrubs Window Sil Repair Rusted bands & Call NO JOB TOO SMALL Licensed & InsuredWR'W.It1a1011eysod.C0111 Match Any Texture Wire Lath Repair. Owner/Instal& Weeding Sarasota County Drywall Repair 12 yrs. In Rotoodc West. Over 20 Years in EnglewoodNo Job Too Smal Spraycrete & Free estimates. 20x20 Porcelain625-2124 941-955-8327 Senior &yeleransoiscautt Dry-wall repair. 429-3110 Installer/Owner. from $3.69Lic & Insured Charlotte County (941) 716-0872 Professionaly InstatedOwnertic.#79232 d 941.637.1333 LaTCOC1671736 (941)499.4953 oremaik Class jedCsuanleuer.eom 941.697 5948 474-1000OEWROJONES CERAMIC TILE we do it aIR FLORIDA J RIZ TREEEI N S E RV I CumoPressure Cleaning MENTRInstallation Of All Rescreening Tile, Marble Stone Remodel Baths Floors Demossing Trees Nf9rair&R lace YOUR TILE OR MINE Tee TrimmingtRemoval & GERUSTREER,& Wood Flooring Landscapingloorse-o_r H IoW Shower Bath Remodel Stone Porcelain Sodding/Weeding j For ne New Construction I Complete treeMarble Wood floors Instated Lifetime Resident and palm service& Remodeling 941-625 186 Owner Operated Complete Serving CharlotteFREE ESTIMATES CELL: 941-628-0442 David Sandefur min "abo km b and SrasotaOwner o erated30 years experience pEstablished 1988 MARTY.OWNER/TILESETiIR FREE ESTIMATE941-204-2444 Lic/ins Workman's Camp. SANDEFURS d o!.U, IIS-IVCharlotte County Since 1987 Home & Tree Maintenance I Lic. #AAA006338 & Ins tic.#AAA006387 1.4846042 941.866 919 afitta.9.;..-[.Ji Tt Licensed & hsured07 7 3 1 7't I U11711, m l I ryTDP's ABILITY The State of Florida RequiresTreemendous Tree all Contractors to beLLC Complete & Professional TREE SERVICE why should I hire a Registered or Certified.Palms Trimmed Certified Arborist?Professional Arborist Removals Be advised toTopping & Shaping 1. We know what we are doing2.41e have proven that we know what we are doing.41-268.'IS' FREE Estimate! Mulching Check License NumbersTree Trimming Hedge Trimming f Removal DesiTrees Planted Pruning QualityService with the State by CallingLic. & Ins.Removal Stump Grinding Stump Grinding Locally Owned & OperatedStump Grinding l Palm Fertilizing ISACertifiedArborist-John Cannon FL-6444A 1-850-487-1395 orProfessional Service Guaranteed I I 1 I I I 70% SENIOR DISCOUNTwith over 10 .serperiee 941-889-8147 941-426-8983 on the Web attcencedal"cureduredOwneropenlar 475-6617. orttree.comvtl 18yeaaExperience p myfloridalicense.comCall Mike Altmanr....,amw,en wvv.Jamison-treeserviceinc.com,t0000prgpgma Fully Licetvsed &lnsured711 F 1W 7 71 Fr W 117101, Ir; WE DO r -----------ir -----------millWINDOWS 1 "sliding Glass,Jeff Pacheco, Owner PRE SURE ; Sliding Glass Door ;; Door Repairs Free estimates WASHINGTree New Customer t t I i 1 & window Repairs 11 Wheels Tracks LocksTrimming specials 1 11 ueand er e qr Package Deals 1 ezSAdernet 941-X06-64451osRemoval Res. & Comm. 941-628-857994111SLIDING DOORS AND MORE'23751 Free Estimate , 1 State LicensedCRC1 yo 130733 11 eom11 1 Million liability insurance for ur Protection 11 Free Estimates Since 1981 1LICENSED&INSURED 941-661-5281 40 years experience Clip Out This Ad%"4760
PAGE 58
\r\005t\006b fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \005 THEN THIS TROLL COLLECTION NOW HOW MUCH ADIRECTIONS: p WILL BE WORTH A FOR THE BUCK.Fill each square with a number, one through nine. IV tll_ 7 FORTUNE SOMEDAY! TROLLS? .eHorizontal squares should add to totals on right.10-15Vertical squares should add to totals on bottom. >Diagonal squares through center should add to 18 total in upper and lower right. rti r' 'THERE MAY BE MORETHAN ONE SOLUTION. 2 G 18 8 = v \Today's Challenge \\ a' "'2 18 0Time Minutes8 Seconds 2 18 ` Cti and `Your Working 5 o a o QDi0 -/5Time Minutes 2 18 vs,t T 111Seconds18 18 18 18 182014 by King Features Syndicate Inc. World rights reserved. LOOK AT THE SCARF I THOUGHT HE I'M KNITTING ONLY YOUBEETLE MADE FOR ME! WA5 LAZY ANOTHER SCARF COULD FINDv s s z t65 A HOBBYYOU COULDs 9 i [209 s DO IN BED15 21 20 5 Vora C10-15BG BQB FMYD TUZSP SQ BG1'ObK,rA 4, HO E I T W / SHED 'rIATTZQSPDZ OPUKD SZMYDKLLF FALLING __U'ROW rl g1.Avy IfWOULDNTSCAR V1415/ FA oN 1E jQL M RKMLD. RDQRKD PIMAKKOLWISH ?MKOMGJ JMG PD OMJ MUZ-TQZL.Yesterday's Cryptoquip: I ABSTAINED FROMEATING FOOD ALL DAY YESTERDAY, BUT I'ylPLANNING TO PUT THE FAST BEHIND ME.Today's Cryptoquip Clue: R equals PYOURATRONUS.=MUG, MONEY. SURD P1 r ,I I y i I` ELLO/'THIS IS THE 4bU MEAN FIE'S NoT NO/ HE'S HOW W I LIGHTG 1.A Z4 NILE PO FA ACTING HORRIBLE 'BE THIS THWOOW 15 qo G?EW = OR ALWAYS TI INS VERY WELLFROM HERE?c = TO ESCAPE BEHAVEDgoys ,a.>, `,a FINE _="I wasn't howling at the moon.I stubbed my toe."On. 'geeWORD CAN'T ,05= -__-SLEUTH SLEEPP 11 F B Y V S P M J H F B Y V po y0a EVER GET'fNE So YOU TUN opp AMP THEIJTNERE ITFEELING THAT MA'6E THE W AMV FLIP lyt, THE ome SNOWT Q 0 L I G D B S S Y W T R P TNERE4S SOMETHING ON 114ROL1GM ISO 4Y)utRE NANKFOL NoPE. '*A14. MEMK B A R K I N G T I F D B Y Td RIGHT NOW -4-1AT CNAAINEL'Gr,. YOU otvnl'TMISS! aIEITNER.4O0'9 RALLY LIKEW U S Q O M O E K 11 1 F D B Z TOWATCId?X W U S Q R R ON G N L S J C 3C ,as t'H I N D I G E S T I o N F I S 3 r r .L)..-CISD C 'I' N A Y I' D M L E W F E NV T G A S R S I N R Q F N N RP N I. K F I 0 K I U A 0 F 1 0 WEL-I-. WHAT A BIND IN THEH F E S C H 0 S B R H L Z A H BK.I NGS YOU MERE NAND IS woe-rH HEY, YOU THINKUT'[ LE GUY ? Two IM THE BUSH .. P YoU'P.>; BETTER.Y W S V U S R R T P Q T A P C --=Yo U THAN US ?I uesdays unlisted clue: CUR] IS KNOW GAME +16Eto Find the listed words in the di grant I hey run in all directions L. WHAT AND SAY THAT,rward. backward, up, down and diagonally. t 3Wedttesd ty's unlisted clue hint: NLIGI IBOR'S DOG THEYI -Alarms Indigestion Phones Stress SAY, -kCaffeine Kids Rooster ThunderHeat Lights Sirens TrafficHorns Pain Snoring iiDist by Cretins,c,Q1-i King FeaturesInc 10(is tP15.14 JohnHaAStcdius wm C
PAGE 59
r\005 b\002r\001nfftt nt \f\005b\006 N=TOYOTA Ask1801 Tamiami Trail Punta Gorda, FL 15MPG 0 TOYOTA941-639-1155 HWY Let's Go PlacesPalmToyota.com?Si' A6FEEJaCB5t1A4Y5AtlSETFACIOAVRE811ESA11DIGfH115fSVEIdC1ESSfpHNfQ20FB01YSIRAfpMPURMONLY. WnWAMDAffJMJCEPAMESM(YYARCSffAALRFGRDETALSIL I
PAGE 60
\f\005b\006 nt\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt r\005b s llr = VIER 100IN STOCK TO rFn"\'CHOOSEFROM!TOYOTA1801 Tamiami Trail Punta Gorda, FL 35941-639-1155 wv TthT,,,,zzllll9I9 I 'sPalmToyotaxom'PlUST/J( V+G.nEAlUf579CHXEkfFEDEtIfRREfA!1: *^ v -: 4^c r rc n a ccc .r ^ r.
PAGE 61
\005t b\002r\001nfftt fn \r\005b\006 WERE olckr tz, As Itsto -tWALOOK.AT GAI11 AtAWf1WVV'&1-Go-,sWE lWT THE 701 iT ARMP Ki THE X CAAM! HAT?J Tv^GOI NC0 (50, HOW'D THINGS GO+`"MY NAPPY PLACE 15AT YOUR SHRINK? ... GOING TO NEED EXTENSIVEREMODELING.JWIFE: 7 15).1 5 8 Rating: GOLD6 3 4 2 SoIu1onto 10/14'141 5 6 4 7 1 6 5 9 2 8 4 311,9 8 5 1 4 3 2 6 7ELI2 3 4 7 6 8 9 1 56 9 24 6 3 8 5 1 7 9 25 3 9 8 5 9 6 2 7 1 3 44 1 1 7 2 9 3 4 6 5 89 2 8 6 9 8 3 7 5 4 2 15 4 1 2 8 9 3 7 68 715 4 3 217141 1 6 5 8 93 41 1 6N10r15/ 14
PAGE 62
\r\005b\006 fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \005t sun-classi eds.comServing Arcadia Englewood North Port Port Charlotte Punta Gorda Venice1-866-463-1638Placing your classi ed ad in Floridas Largest Classi ed Section is as easy as 1-2-3!Visit our new & improved website at sun-classi eds .com and schedule up to 5 free 3-line classi ed ads each week Upload up to 6 photos!Just a few clicks and your ad can be ready to publish for FREE! Americas BEST Community DailyI 8604329 HOLIDAYITEMS6031 CHRISTMAS TREE 6 Beauty. LED Lights.New $100 862812-0995 COSTUME ADULT halloween undie taker $30 941-5858149 XMAS TREE 9 ft slim, pre-lit white with stand $85 941743-3411 FURNITURE6035 A R E A R U G S Beige,leopard,and creme w/black $45 937-732-5406 ( ( , & & % % , ! , & & ! $ $ + + ) ) ' " " , # # , $ $ % % " * ARM CHAIRS Hard Wood. 2. Upholstered Seat & Back. Circular 2-step Table w/ Access. $50941-629-2699 ARMOIRE DESK cabinet Elegant 71Hx48Lx23D $495 941-882-4545 ARMOIRE SANTIAGO computer desk $475 941-6298138 HOUSEHOLD GOODS6030 DINNING SET Glass top 4 chairs $65 941-766-1178 QUEEN BED Complete with headboard like new! $125 941-214-0025 RAINBOW VACUUM Cleaner New Condition, Used two months, no longer need. $475 941-639-7531 REPLACEMENT WINDOWS (3)Vinyl, White. 41 3/4 x 52 3/4. New! Must Sell!$200/All. 941-625-4139 ROLLAWAY BED Oversized 38x75 comfy mattress $110 941-882-4545 RUG 5X7 made in Israel.beautiful colors. $60 941-2352203 SEWING MACHINE 1950s cabinet zigzag A+ $175 941743-2656 SEWING/EMBR. MACHINE Singer SEQF-6700 Like New. $650/OBO 941-740-0262 SWIVEL CHAIRS/SET Excellent! Clean! $75 941-5759800 YORKTOWNE PHALTZCRAFT SETTING for 4 $25 941-564-8241 HOUSEHOLD GOODS6030 COFFEE POT 20 cup electric Regal $10 941-625-8759 LANAI TABLE with 6 chairs lanai table every story made from PVC with six resin chairs and cushions on casters. call now Donata Donata 941-8754744. $200 941-887-5474 LUGGAGE Assorted. Soft Carry-on Style. Several Pieces. $3-5/ea 941-629-2699 MATTRESS PADQUEEN contoured like new $150 941697-4877 MATTRESS, QUEEN & BOX. Brand New Will Sell $175. Also Have KING. 941-629-5550 MIKASA SQUARE Dinnerware srv 8. Tulip pattern. $7 941830-1531 MIRROR WITH stand, oval shaped 4x14 $15 941-3917045 MIRROR/TABLE SET Like new, elegant dark wood $110 941-882-4545 PORTIABLE AC delonghi 12,k BTU ac/dehumidifyer photo on web site $150 941-704-7048 PRESSURE COOKER 5QT COLOR RED $50 941-6246617 HOUSEHOLD GOODS6030 AREA RUGS 5x8 & 2x3 Pd 500 $100 941-391-1797 BED MATTRESS & BOX. New Will Sell $100. 941-629-5550 CARPET CLEANER Rug Doctor Used 2X, NICE! $250 765365-3202 CIRCULON POTS & PANS Like new. $25 941-876-3908 %*$)*!$& #&*,!-&&"'"*+( CONAIR GARMET Steamer Professional type $25 941627-6542 CORELLE DISHES ivy Callaway 22 pcs. $25 941-8763908 CORELLE DISHES Rosemarie 21 pcs. $18 941-8763908 DELL COMPUTER case Lg/leather/multi pockets $10 941-876-3908 FLATWARE STAINLESS Several Pieces $8 941-4880417 GRILL, WEBBER Genesis 8310, Top of Line w/cover, Stainless. $550 941-275-4808 LAMPS (2) 30 New shades Man & Woman $40 941-4880417 VENICE AREA GARAGE SALES6011 FRI.-SAT., 8:30-4:30 1110 Underwood Dr. Baby & Toddler Items: Highchair, Stollers, Crib Mattress, Boys Clothes Up to Size 5 & MORE! SAT. 10/18 8-3:30 916 The Rialto. BESTSALE EVER! 2 Families. Old & New Items. Come & See!! SAT. ONLY 8AM-1PMSTONE WALK Off Venice Ave between Jacaranda & River RoadAnnual Community Sale! Household,Furn,Electronics, Clothing.B ARGAINS G ALORE AUCTIONS6020 ***AUCTION***Sat, 10/18, 8:30am Sarasota County Schools101 Old Venice Rd, Osprey Buses, Trucks, Boat, AV Furniture, Shop Equip, ETC FLSurplusAuction.com HOLZMANAUCTIONEERSAB1473 Glen Copeland AU4257 813-641-4536**10/13%bp ARTS AND CRAFTS6025 3-D PAINTING FRAMED seaside landscape $50 941-7432656 FOOTBALL REEFS $20 941-697-7364 SEWING MACHINE Singer Top model. Exc. cond. $500 941-204-3274 DOLLS6027 AMERICAN GIRL Plaid Party Dress Set. New $25 941-6616185 CHEER LEADER SET american girl Brand new $30 941-661-6185 PUNTAGORDA GARAGE SALES6007 THUR-FRI9-2 35831 Hilnick Dr. Washer, Golf Cart. Household items, Puzzles, & Much more!!! S. VENICE AREA GARAGE SALES6010 FRI & SAT 9-1 2195 GUAVA RD. TAKEUS 41 TOSEABOARD(BYLAKESIDELUTHERANCHURCH) MAKE1STR ONGUAVAFOLLOWCURVEHUGE MOVING SALEJOHNDEERRIDINGMOWER,HOUSEHOLDGOODSFURNI-TUREBOOKS& MUCHMORE. FRIDAY-SUNDAY 8-2 DAILY 4815 Neptune Rd. Furniture, Tools, Household, &MUCHMORE! SAT 9-4 4892 Kent Rd. MOVING SALE Refrigerator (Frigidaire Side by Side Stainless Steel), Maytag Washer and Dryer, Household Goods, Oil Paintings (Purchased), Dining Room (8 Chairs), Bookshelves, Furniture, etc.& much more must see!!! SATURDAY OCT. 18TH 8AM 433 Shamrock Blvd EST A TE SALE ITEMS: Battenburg Lace, jewelry, quilts, golf shirts, wicker couch and chair, christmas deco, etc... %$'&&(!("# '#&&"$$ VENICE AREA GARAGE SALES6011 SAT ONLY 8AM-2PM 100 Woodingham Dr. Gas Grill, Furniture, Kitchen/Household Items, Outdoor Tools. Placing your classified ad inFlorida's Largest Classified Sectionis as easy as 1-2-3!sUN;J-:; sun-classifieds com 1-866-463-1638lu,',Lures! (lrndp,'d. teCh'p,t srweyareaa-c..yr.ooe-Ne.rnro.rven Ch .tw-v.r.,mco.m-v,koSEAM AO. RACE AN AD MYACOOUNT J01110 HOME CAMIlOATIaaawuolaon r,tV 2 Create your ad in 2 easy stepsStep 1: Select a Category or Classificationstep O,. InnlraCGonCFF_"`h#Y itPlease choose a cM.gc,y on the left eM a .ID-celepry an th! nflhf y we Planning an opal Ilouaa. call M463AGM Ifree'-"ct: "ri El.i. t.H/.4E SNShPSEESTATEIrgh,RTAIICNThe largest classified section in the state of Florida just got easier to use.The new Sun-Classifieds.com site is more user friendly than ever. We heardyour concerns about how difficult our old system was to use and we have cre-ated a more user-friendly, smooth experience for you.And you can try it out for free! All merchandise ads can now be placed quicklyand without any cost. *Publish your Classified Ad with just a few easy steps...1. Register2. Click on "Place An Ad"3. Choose a Category4. Choose a Sub-category (A box will pop up and you may need to scroll)5. Pick a Package.6. Click on the type of ad you are doing7. Fill out the information for the ad. Do not repeat the item, phonenumber or price in the description box Need a little 8. Click on "Next": Create Print Ad No problem.Your help?.9. If all information is correct click on "Check Out" : 10. Click on "activate your free ad" here to work with you.Just give us a call atThat's it! Your ad is scheduled to publish 941-429-3110*Merchandise $500 or less, does not include Firearms/Accessories, Garage Sales, Pets/Supplies TransportationSUN sun-classifiedsecomNEWSPAPERS Serving Arcadia Englewood North PortAmerica's BEST Community Daily Port Charlotte Punta Gorda VeniceThe Sun Newspapers 2014 Sun Coast Media Group, Inc.ISITN'4NEWSPAPERS
PAGE 63
\005t b\002r\001nfftt fn \r\005b\006 Find it in the Classifieds FURNITURE6035 JEWELRY CHEST Tbltop/Cherry/Mirror drs/Nice $75 941-624-0364 KING MATTRESS SET Spare room set in PGI $100 785341-9180 KITCHEN TABLE/2 CHAIRS Drop Leaf/30x22 $45 941-488-0417 LAMP Floor Solid Brass & Crystal $60 941-624-0364 LAMP 36 solid brown wood, 18 tan shade $20 941-7432656 LAMPS BRASS Pair brass candlestick lamps $50 941928-5027 LANAI PVC Table, 4 chairs, 2 lounges w/ new cushions. $325 OBO 941-505-0815 LANAI SET 5 pc. Fabric slightly stretched. $25 941-626-9027 LAUNI FURNITURE glass table 4 chairs $60 941-3916377 LOVE SEAT/SLEEPER good condition $200 508-5648085 LOVESEAT beige, microfiber $125 941-698-0121 MAPLE DINETTE SET Drop Leaf Table, Buffet, Hutch + 4 Chairs $125 941-380-7438 MATTRESS & BOX. New Will Sell $100. 941-629-5550 MATTRESS SERTA QUEEN Set As New No smoke or pets $250 941-456-5340 MEDIA TABLE Holds 48 TV with drawer for DVD/CD/Remotes $35 941-380-7438 MIRROR 3 X 7 full height, with beautiful wood frame. Like new $350 770-331-6847 FURNITURE6035 DINING SET 41 Squ, Lt. oak pedistal table, 4 chairs $100 TV 27 $20. 941-979-2246 DINING SET 48x28 drop leaf, seats 10, two chairs $350 941-639-9534 DINING SET 48X30 TABLE/6 CHAIRS $299 941-275-5837 DINING SET 6 pcs. $199 941-456-1100 DINING SET Table 4 chairs Has leaf Good $90 502-5580990 DINING TABLE Rattan, round glass top $50 941-356-0129 DINING TABLE with 6 chairs $100 941-474-4959 DINNING TABLE 4 chairs table 4 chairs wood $125 941-330-4643 END TABLE Octagonal/Wood/2 Doors $30 941-488-0417 END TABLES Solid wood Amish made exc. cond. $200 941-928-5027 ENTERTAINMENT CENTER wood/whitewash $225 941275-5837 ENTERTAINMENT CTR Cherry/glass holds 32TV $125 941-698-5069 GLASS TABLE with /6/ chairs like new $375 941-629-8138 HALL TABLE 2 tiered glass ex.cond.blk.iron. $55 941235-2203 HIGH TOPTABLE 54square with leaf 6 chairs $495 941882-4545 HOSPITAL BED bed 150 obo $150 850-303-4042 IBUYFURNITURE Or anything of value! 941-485-4964 FURNITURE6035 DINING CHAIRS 2 solid maple, Tell City $30 941-3560129 DINING ROOM Set Glass with Chrome Base Table With Matching Side table & Matching Lamp $400 941-286-4880 DINING ROOMTABLEWITH6 CHAIRS, 2 LEAFS, WHITE$660; CHINACABINETBEIGE$425. BEDROOMDRESSER WITHMIRRORCHESTNIGHT-STANDS& HEADBOARD$520. 941-575-1772 FURNITURE6035 DARK RATTAN Accent Table Like new $30 941-356-0129 DAYBED Wood Hi Riser 2 tw matt. Ex. cond. $499 941-627-4619 DESK & Chair Danish Mid-century. Teak $275 715-5452590 DESK White wood 33w x 20d x 30h. Printer shelf $30 859-466-9572 DINET OAK Parkay finish, w/ 4 upholstered chairs on castors. $145 941-426-3494 '$#"(%)&"! DINETTE SET WOOD CHAIRS & TABLETOP $100 941-6816417 FURNITURE6035 BEDS Twin 2 complete sets/good cond $400 941276-3384 CHAIR BEAUTIFUL all leather+ ottoman $225 941575-6217 CLUB CHAIR Neutral color, good. Can text pic $50 502558-0990 COUCH 6Fabric, great cond. Murdock area $100 862-8120995 COUCH faux rattan/fabric like new $399 941-275-5837 CURIO CABINET 20X52; 3 gls shelves/hand detail $260 941-624-0364 -%+$#!,"$(&%')* FURNITURE6035 ARMOIRE MICA; Great size! Nice! $50 941-575-9800 BAR STOOLS 4solid wood. ex.cond. $140 941-235-2203 BAR STOOLS Pair dark cherry wooden $75 937-7325406 BAR STOOLS Pair turquoise w/cane seats $120 937-7325406 BED MATTRESS & BOX. New Will Sell $100. 941-629-5550 BED ANTIQUE white full size bed $250 941-249-8840 BED, MASSAGE Queen size Paid $3000. Asking $450. 941-637-7832 HYUnDRiHYUNDAI Assurance H Y U f1 D ACONNECTED CAREDriving a new Hyundai is AFFORDABLE and has the BEST warranty!WE WILL GET YOU APPROVEDUNEW2014HYUNDAI ACCENT GLSWAS$17,000STKOH40621der A SAVINGS OF $4,088!!NEW2014HYUNDAI ELANTRA sEwas $20,409STK#H40585 / N 'oJA SAVINGS OF$4,67200 NEW 2015 HYUNDAI SONATA GLSwAs$23 '15STK# H50062 :TA SAVINGS OF $3,815"NO MONEY DOWN! NEW 2074 HYUNDAI SANTA FE SPORTwAs $27,779STK# H40...NEED LOW PAYMENTS?NEED A GREAT WARRANTY?NO PROBLEMS! 7 ASAVINGSOF $5,43311JUST.1 11. r1lCLA5StE4I01 MY911 Val W N,
PAGE 64
\r\005b\006 fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \005t
PAGE 65
r\006 b\002r\001nfftt nt \f\005b\006 TV/STEREO/RADIO6040 42 TV Sharp flat screen $250 770-331-6847 DIRECT RECEIVER D10 with remote,card,manual $15 941624-5468 SAT. ANTENNA Clear view for free TV chan $17 941-244-8138 1-0+#3)"+ ), 3!%./'((2$2%&(* TV 27 SYLVANIA runs good $50 941-698-5069 FURNITURE6035 TWIN BEDS -complete with frames. $300 941-999-4922 ELECTRONICS6038 NILES SVL4 speaker sel vol control SYS $30 941-4860189 PANASONIC TV 50Flat panel w-Warr. $450 941-585-7740 STEREO EQUIP pion,25cd teac cass@ turntbl $175 941505-1663 FURNITURE6035 SOFAS (2) w/pillows, 2 oak tables, 2 glass top tables, 1 table lamp, All for $225 Or Sold Sep.941-629-2699 TABLE LAMPS WHITE CERAMIC/FLORAL DESIGN $100 941-627-5278 TABLES BRONZE oval end tables/glass tops $90 941629-8138 UTILITY CART light wicker, 29X29X18 $126 941-2755837 WICKER SET 2 chairs w/pads& loveseat $55 941391-6377 FURNITURE6035 SOFA LEATHER 7 Tan In good condition $35 863-2026077 SOFA like New premium fabric $200 941-347-8332 SOFA Like New! Lazy Boy. All Leather w/Throw Pillows. REDUCED $400 941-456-6010 SOFA new micro suede, recliner 7ft. $200 941-769-5995 FURNITURE6035 SECTIONAL COUCH LEATHER LIKE NEW $399 941-456-1100 SET PINE single bed and.dresser,no mattr. $110 941-505-1663 SLEEPER SOFA Rattan, Qn bed, Ex cond. $300; Cabinet solid oak, 36x76x21 $275 941-637-7713 SOFA 7ft Micro Suede recline ends, new c $200 941-7695995 SOFA BED Queen-Tan Geo.VGC $350 941-8828752 FURNITURE6035 MIRROR TROPICAL style 48x30 beautiful $30 941-6276542 ORIENTAL RUG lotus. blk. ex. cond. $149 941-235-2203 PATIO FURNITURE Hanamint Outdoor Loveseat Bench Like New $195 941-525-0756 PATIO FURNITURE White Rattan Table, (2) chairs & couch $150; Accent chairs (2) Blue $20/ea 941-637-7832 SECRETARYS CHAIR On Canisters. Leather Back & Seat. $5 941-629-2699 Lvaw,,IooooooooLaftoftWednesday, October 15, 20147 Little WordsGOREN BRIDGEFind the 7 words to match the 7 clues. The numbers in parenthesesWITH BOB JONES014 Tribune Content Agency, LLC represent the number of letters in each solution. Each lettercombination can be used only once, but all letter combinationsA LITTLE CARE will be necessary to complete the puzzle.C)North South vulnerable. North deals. the king of trumps in addition to the CLUES SOLUTIONS ctwo missing aces. Believing that he >NORTH could count 13 top tricks, South bid45 the grand slam. 1 acted out (10)K 7 6 4 Declarer won the opening club A K 9 8 2 lead and cashed the ace and queen of 2 slender hounds (7)*A73 trumps. When trumps split 4-1, heWEST EAST continued to draw all of the 3 prompted (8)6 10 8 6 3 2 69 remaining trumps. When the spades o8 110 5 3 2 split 5-1, South was doomedHe 4 very eager (4) LJ 7 6 Q1054 could not recover and finished down*KQ109 *J652 two.SOUTH Declarer was very unlucky to walk 5 leather for cowboy boots (9) oA A K Q J 7 4 into a 51 spade split, but the contractA Q J 9 should have been made regardless. 6 actress Claire (5) co3 After the ace and queen of trumps4684 revealed the heart position, the only 7 be overly fond (4) othing that could go wrong was aThe bidding: horrible spade split. Nothing can beNORTH VAST SOUTH WEST done about a 6-0 split, but it was poor +1 Pass 2* Pass play not to cater to a 5-1 split. After D S M IM PA SA2NT Pass 3:` Pass playing the ace and queen of trumps,4* Pass 4NT Pass South should have cashed the ace of546* Pass Pass Pass 7C Pass spades and then ruffed a spade withPass*0 or 3 among the four aces and the dummy's king of trumps. It would NTO D E D E S REM S Ntrump king (key cards) then have been a simple matter tolead a heart, finessing against East'sOpening lead: King of 4 known 10, draw the remaining trumpand claim the balance. L U K AK AV E D I NHad North held a real club suit, hewould have introduced it rather than (Bob Jones welcomes readers'bid two no trump. The four-club bid, responses sent in care of thistherefore, was clearly a cue-bid, newspaper or to Tribune Content ESK TE DAN DO INagreeing hearts and showing a club Agency, LLC., 16650 Westgrovecontrol. The partnership was using Dr., Suite 175, Addison, TX 75001.Key-Card Blackwood, so South was E-mail responses may be sent to Tuesday's Answers: 1. LEIS 2. BAGPIPERS 3. STARKable to discover that his partner held tcaeditors@tribune.(-om.) 4. STREAKED 5. LOUDNESS 6. DEFILE 7. CRABS 10/15TODAY'S 1 2 3 4 5 6 7 8 9 10 11 12 1314 15 16CROSSWORD PUZZLE 17 18 19ACROSS 47 Talk big PREVIOUS PUZZLE SOLVED 20 21 221 Lab locale 48 Stomp or clump7 Deadly snake 51 Ally opposite B S M T LAPPS G A M E10 Very willing 52 Ms. Witherspoon 23 24 25 26 2714 Oatmeal 53 August LEER O N_ E A L I S ARalternative happening U R S A U N I T E S T I15 Meadow plaint (2 wds.) R E A C T S T E X T I L E 28 29 3016 Exasperate 56 Aboard ship NEEK*0 I S I T E17 Nook 57 Hot time in P L A S T E R S ROASM N I T 31 32 33 34 35 3618 Architect's wing QuebecI L L SUN O A19 Memo abbr. 58 Tinsel strand20 Thus! (3 wds.) 62 Cuff link PAL E T T E B O X S T E P 37 38 39 4023 The One-L 63 Choice word E M I LE L O N E V ELama 64 Racehorses, D A N KE A P P EASA ED 41 42 43 4426 Cached or slangily N R D A R Istashed 65 Extreme PR OVERSEE R A K I S H27 Looks intently 66 Unseal, 45 46 4728 Psyche's suitor poetically H E R A REP RO I N C A29 Between GER 67 Mesh, as gears M A G S I DEAL D I A L 48 49 50 51 52and SPA SLOP E :STEE OT'TO30 "Aye, aye" DOWNfollower 1 Fast-food rest. 10-15-14 Cc) 2014 UFS, Dist, by Univ. Uclick for UFS 53 54 5531 Tarzan's kid 2 Listener's need32 -Magnon 3 DC lobby 22 Final words 48 Box-office hitman 4 Shogun's 23 Remove wiretaps 49 Easily irritated 56 57 58 159 160 6133 Fragrant firs warriors 24 Bakery lure 50 Polished off37 Thurman of 5 Indifference 25 Trustworthy (2 wds.) 62 63 64"Gattaca" 6 Places 29 Fridge coolant 51 35mm setting38 Wield an axe 7 Feminist 30 Clear wrap (hyph.)39 Incan treasure Bloomer 32 El 52 Spy mission 65 66 6740 Memo acronym 8 Sound 33 Its north of Java 54 Vegas rival41 Shipwreck, 9 11th President 34 Like a house 55 Towel offmaybe 10 Kitchen gadgets 35 Mouthy starlings 59 KGB Want more puzzles?43 Tease 11 Not stiff 36 Scorch counterpart Check out the "Just Right Crossword Puzzles" books44 Rustic lodging 12 Vows locale 42 Green drink 60 Trouser half at QuillDriverBooks.com45 Holm of 13 Bumper 46 Stick together 61 Compass pt,"Alien" mishaps 47 Danish explorer46 Cable channel 21 Tossed Vitus -
PAGE 66
\f\005b\006 nt\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt r\00 rfr ntfrbbr r fnftb rfnttt MEDICAL6095 DIABETIC SOCKS 190 Pairs Available $.80/pair 941-423-0012 ELECTRIC BED, Twin mattress, Gel pad, 2 rails, trapeze. $350 630-204-4243 LIFT CHAIR Burgandy cloth, works great. $325 517-2382628 MOBILITY SCOOTER new batteries & charger $350 941-697-7653 NICODERM CQ step 3 unopened kit $20 714-5992137 PRIDE GOGO 4 Wheel Changeable Colors NEVER Used. $800 941-875-3856 SHOWER CHAIR w/ Back $15941-629-2699 SHOWER SEAT Extended seat, adjustable $35 517238-2628 %*$)*!$& #&*,!-&&"'"*+( TRANSPORT WHEELCHAIR LIKE NEW $65 941-268-8951 WHEEL CHAIR almost new and lightweight $75 941-4565001 WHEELCHAIR ELECTRIC battery/charger $499 941275-5837 WHEELCHAIR/4 WHEEL WALKER (2 in one) $95 941-268-8951 MUSICAL6090 ORGAN ETSEY Electric small roll-top $400 941-445-0493 PIANO BLACK upright studio piano $75 941-214-8144 PIANO Winter Musette Spinet very gd cond $200 941-6291347 MEDICAL6095 BATHTUB & SHOWER GRAB BARS INSTALLED Dont W ait to F all to Call! Free In-Home Evaluation 22 Years ExperienceCALL JIMS BATHROOM GRAB BARS,LLC 941-626-4296 2 WHEEL WALKER OR QUAD CANE EACH $15 941-268-8951 BED, TWIN XL Adjustable bed, electric w/wired remote. exc. cond. $1400 941-505-0826 BEDSIDE COMMODE LARGER Size, Like NEW $25 941-268-8951 ANTIQUES COLLECTIBLES6070 PINBACKS BOY scouts of America 15 items $50 941697-6592 PLAYBOY MAGAZINES OVER 350 ISSUES $50 941-3801157 TEA SET silver plated/5 pieces $100 941-681-6417 THE SHOE BOOK bill shoemakers sign $20 941-3916377 TONKA TOY Jeep vintage USA pressed steel $45 941697-6592 VINTAGE BOTTLES bottles 1835 Iowa farm $15 941743-0420 MUSICAL6090 ACOUSTIC-ELEC GUITAR Ibanez PF5ECE in excellent condition. W/ case, strap, new strings. $240 941-769-0479 KEYBOARD CASIO LK-40 w/stand & AC adapter $100 941-505-7272 LIGHTING SYSTEM band stage band or dj $300 941544-0042 ORGAN LOWREY adventurer ex. cond. $150 941-6977653 ANTIQUES COLLECTIBLES6070 HONEY DISH w/lid 1910 Paneled Thistle Higbee $95 937732-5406 LIM ED PICTURE Elegant with M. Theresa quote $70 941-882-4545 LIONEL ENGINE w/tender runs exc cond $325 941-7351452 LIONEL SANTA handcar never used has box $55 941735-1452 LIONEL TRAIN items and up, mostly postwar $25 941-7351452 MASKS (5) Haitian colorful for display $40 941-585-8149 MIRROR LABATTS Canada beer vintage 14x17 $45 941-697-6592 NORITAKE CHINA 51 Pcs Champagne $100 941-5052672 NORITAKE CHINA 51 Pcs. Champagne $100 941-5052672 OFFICE DESK Excellent!Drawers on both sides! $75 941575-9800 PIANO OLDWINTER MUSETTE/bench $100 941380-1157 PIE PLATE Fireking vintage pieplates $10 941-740-0420 CLOTHING/ JEWELRY/ ACCESSORIES 6065 LADIES CLOTHING SIZE 1420 $1 941-380-1157 LEATHER JACKET Grey-Suade/cotton large $10 941-445-5619 PARTY DRESS black sz8.great for cruse $30 941391-6377 RADO WATCH quartz diastar handsome $325 941-7351452 SNEAKERS New Balance Brand New-Mens 15 4E $40 941-426-0760 WEDDING DRESS used, great shape size 8. $250 941-626-9027 ANTIQUES COLLECTIBLES6070 3 DOLL tea sets25 pieces one stamped JAPAN $20 941497-7230 AIRMAIL COVERS old US cachets some signed $225 941-735-1452 ALWAYS BUYING ANTIQUES, ART, SILVER NEW ENGLAND ANTIQUES (941) 639-9338 AMER FLAG 5x9 In great shape $30 941-445-5619 Buying Pre-1965 Silver Coins T op Prices P aid! Call 941-626-7785 CASH PAID **any old military items, swords, medals, uniforms, old guns. Dom (941)-416-3280 COIN ENGLISH 1918 one penny bronze $15 941-6976592 COIN SILVER peace dollar 1922s XF $45 941-697-6592 COMIC BOOKS Vintage 1970s and up ea $1 941-4741776 CUCKOO CLOCK albert schwab black forest $85 941497-7230 FAITH MOUNTAIN w light by Thomas Kinkade $100 941627-5278 FIESTAWARE ORANGE jackolantern plates and mugs retired $15 941-743-0420 TV/STEREO/RADIO6040 TV 42 PLASMA HD TV w/remote + manual EC $175 941-249-5138 TV STAND 3-level glass/metal 20x36x18 $50 941-456-3986 COMPUTER EQUIPMENT6060 17 MONITOR Perfect cond, not a flat panel $10 941-7432656 COMPUTER WIN XP runs great + MS Office $25 941743-2656 DESKTOP PC Tower Win7 ready to use $100 941-6391113 MONITOR FLAT SCREEN nice 17 great color $35 941474-1776 PRINTER HP 3150 e-print, scan, copy $25 859-466-9572 PRINTER Lexmark x5070 excellent cond manual & disc included $36 941-423-7005 CLOTHING/ JEWELRY/ ACCESSORIES 6065 BELT BUCKLES 26 Available, All Pewter. $10 941-423-0012 BRIDAL VEIL used. Great shape $50 941-626-9027 CLOTHES GIRLS 2doz, asst clothes sz 3 $20 941-5051663 COACH NWT Black Handbag. $175 941-661-6185 HOMECOMING DRESS Gorgeous! Perfect! Sm $50 941575-9800 JACKET Womens Blk Leather. Hip length, size S $10 941-830-1531 JEWELRY BOX small walnut floor model $15 941-8763908 LADIES CLOTHES 4-10 Name Brands $20 862-8120995 MINKS:BLOND MINK CAPE LARGE SIZE& DARK MINK COATLARGESIZEGREATCOND. $250/EA 941-204-3734 w The Sun Classifiedswork!IWO,w.3*.7JNEWSPAPERSAmerica's BEST Community Daily
PAGE 67
r\006 b\002r\001nfftt nt \f\005b\006 RESTAURANT SUPPLIES6225 REST. EQUIP, EVERYTHING needed for a Restaurant. All like NEW!! Must GO! 941-204-2775 941-875-9477 CATS6232 NOTICE: Statute 585.195 states that all dogs and cats sold in Florida must be at least eight weeks old, have an official health certificate and proper shots, and be free of intestinal and external parasites. INSANE CAT RESCUER has Kittens whose Make-AWish is your home! Siamese, Bobtail, Calicos and Fluffy Orange! Gorgeous adult Cats. Call 941-270-2430. DOGS6233 NOTICE: Statute 585.195 states that all dogs and cats sold in Florida must be at least eight weeks old, have an official health certificate and proper shots, and be free of intestinal and external parasites. CHIHUAHUA PUPPY 13 Wk Male, Long Dbl Coat. Looking For Forever Home. Price Red. $600 603-275-2970 DOGS OF VENICE. Your Dog Groomed in my Mobile Salon. 15 Yrs. Exp. Call Stacy (941) 786-7877 LAB PUPS, AKC, Guaranteed, Parents on Site. Ready Now! 239-839-8828 Miniature Schnauzer 1m/1f Reg, 1 black/silver, 1 salt/pepper,1yr guar. 904-955-4525 PETSUPPLIES & SERVICES6236 DOG CAGE 48 long, tray, folds flat. Like new. $75 941-204-0261 APPLIANCES6250 DISHWASHER Black G.E., Excellent Condition! $150 941-681-2279 DRYER, Kenmore, Off White, Runs Great!$100 941-544-1024 ELECTRIC DRYER Roper lge capacity. G/C $125 518-7639936 FREEZER -CHEST 4 ft deep w/ lock & key $150 941-426-8522 941-204-5571 FREEZER Frigidaire, 17 cu. ft. LG. UPRIGHT 32WX70, $200.00 941-743-7285 FREEZER WHITE, 52Hx24Wx26.5D $65 941743-4321 HAIER 6K BTU Window A/C Never Used $140 941-6762019 BUILDING SUPPLIES6170 DOCK POLES /telephone poles, You Haul. FREE 517202-1663 DOOR 3 exterior steel door w/hardware. $60 941-2764782 HEAVY SCROLLED lanai doors wrought iron sliding lanai doors $3,500 941-7430420 LANAI DOORS heavy wrought iron wrought iron sliding lanai doors $3,500 941-743-0420 REPLACEMENT WINDOWS (3)Vinyl, White. 41 3/4 x 52 3/4. New! Must Sell!$200/All. 941-625-4139 TOOLS/ MACHINERY6190 AUTO AC tools + R12 (6 cans) $150 941-585-8149 CHOP SAW CRAFTSMAN10 $150 941-637-8476 CIRCULARSAW & case craftsman$25 941-743-4321 ELECTRIC DRILL 3/8 b.&d. good cond. $15 941-6980729 ELECTRIC SNAKE (2) kit exc. cond. cost 450 $200 941585-8149 ENGINE HOIST 4000lb $150 941-661-4062 GENERATOR 5,000 Watt. Like New. $325 sold sold GENERATOR new coleman 5000 watt w/cord $350 941637-7393 HONDA 2.9 KW Generator $275. Guardian 17.5k W less than 1 hr. $2000. 268-5067 JIG SAW craftsman 16 $35 941-637-8476 LADDER 8FT alum like new $65 941-743-0582 PLANER DELTA 12Used very little. $200 941-6378476 PRESSURE WASHER Gas, Briggs & Stratton 3000psi, Brand new in box $359 941624-2502 after 3pm PUNCH PRESS V &O 2Available $475 941-628-6251 SANDER DELTA orbitor on stand $100 941-637-8476 SURFACE SANDER B.& D. electric good cond. $15 941698-0729 TOOL SALE Generator, Table Saw, Scrolling Saw, Belt Sander, Power Carver, Lawn Tractor, Misc. Hand Tools. For Pricing: 941-504-0629 VAC BLOWER Toro leaf $30 941-743-4321 WORKMATE BENCH BLACK & DECKER $35 941-6378476 OFFICE/BUSINESS EQUIP./SUPLIES6220 LAMP New. Ikea Tertial task, silver, incl bulb $10 859-466-9572 OFFICE OUTFITTERSPre-owned & new office furniture. VENICE 941-485-7015 TYPEWRITER BROTHERS Electric, Good cond. $45.00 941-637-7832 RESTAURANT SUPPLIES6225 CAFE CHAIRS WOOD/NATURAL COLOR $50 941-6816417 DINING SET outdoor resin furniture $250 941-681-6417 FRYOLATOR American Range. $399 941-456-1100 POOL/SPA/ & SUPPLIES6145 HOT TUB MANUFACTURERSELLING@ WHOLESALE PRICING TOPUBLIC. $AVE $$ 941-421-0395 **SPAS & MORE** HUGEINVENTORYBOTH NEWANDUSED!WETAKETRADINSANDALSO MOVEHOTTUBS 941-625-6600 ( ( $ $ " * ) ) # # ' ) ) ! * ( ( % % $ $ " " & & HOT TUB 2008 Dream Maker spas 4 person hot tub with insulated top. Like new Hardly used Includes Baqua Spa water chemicals located in Punta Gorda $1,500 954-793-6404 LAWN & GARDEN6160 2008 DIXIECHOPPERZERO-TURNMOWEREXCELLENT COND. $3500/OBOCALLTONY941-628-8975 Cuddle up by the fire! Firewood Split, Bundled and ready for the firepit! Pine, Oak, or Citrus, 941-468-4372 LAWN MOWER, 22 Toro Self Propelled. $150. sold sold sold LAWN SWEEPER Craftman Lawnsweeper $50 941-6261226 LAWN TRACTOR Craftsman LT 2000 42 cut $450 941626-1777 LAWN TRACTOR Husky LT3800 $500 941-624-2625 RIDING MOWER John Deer LA105. Used 2 Seasons. Exc. Cond. $900 941-639-5194 TOP SOIL For Sale! Please call: 941-468-4372 UTILITY TRAILER 4x8 exc. cond., remov. sides $400 941-313-6910 WEED WACKER B.&D. good cond. $15 941-698-0729 STORAGE SHEDS/ BUILDINGS6165 WEATHER KINGPORTABLE BUILDINGS Purchase or Rent To Own!Free Delivery & Set Up. Ask Your Dealer, Mattas Motors About Options 941-916-9222 BUILDING SUPPLIES6170 BALL VALVES, new 1/2 & 3/4 Scrd & swt $6 314-6091540 BEAKERS FEDERAL PACIFIC Very hard to find $20 314609-1540 SPORTINGGOODS6130 SS PROPELLER 13d X 17P, as new. $259 941-626-7530 TENNIS RACKET stringer 10 yrs old like new $360 941214-8144 VINTAGE CROQUET set no cart $40 941-497-7230 FIREARMS6131 35 CALIBER Lever Action Marlin w/ TUSEO Scope $350 Call 941-613-1864 BARETTA 92 A1 40cal $545; Baretta 22 $245. sold sold sold sold BROWNING 10 guage, BPS, 3 1/2, 24 barrell, Mossy Oak $450. Ruger 380 LCP, SS slide $325. Bersa Thunder 380 CC $275. H&K 40 USP Compact $625. SIG 938 9MM $580. Walther 380 PPK/S $580. Call 941-979-0462. MOUNTED Alligators, Deer Heads, Wild Boar, Bobcat, Gazelle, Bear 941-740-2152 THOMPSONBONE COLLECTOR 50. Cal. Inline, $425. sold sold sold BICYCLES/ TRICYCLES6135 BEACH CRUISER good tires & lg seat step thru $45 941544-0042 BICYCLE, BIRIA Silver, 3 speed $399 941-763-9730 BIKE ADULT/TEEN great selection of great bikes $45 941-474-1776 BIKE ladies comfort bike like new $125 570-540-0010 BIKE PACIFIC 21spd mens mtn $60 941-625-2779 BIKE RACK for 4 bike for 2 hitch $60 941-743-0582 BIKE RACK Thule Parkway 958 for2 $100 941-496-8869 BIKES ADULT good looking / great riding bikes $65 941474-1776 BIKES KIDS nice selection of bikes for the kids $20 941474-1776 FLOOR PUMP Presta & Standard $20 314-609-1540 LIL TYKES trike girls push/ride pink $30 941-5051663 MOTOR ASSISTED bike aluminum $250 941-625-2779 RECUMBENT BIKE 24speed burley limbo $400 941-7430582 ROAD BIKE Caloi alum 54cm frame $425 954-410-4115 TRICYCLE ADULT brand new, in the box! $275 941524-1025 TRICYCLES SCHWINN,(2) Never used $200/ea 941830-0570 Englewood VINTAGE WINDSOR Racer Carrera Sport 54cm cln $150 941-544-0042 TOYS/GAMES6138 MOUNTAIN CLIMBER little tikes with slide $125 941429-8507 PHOTOGRAPHY/ VIDEO6140 MINOTLA 35 m Maxxum 5xi film 3 lens $475 941-6985069 GOLFACCESSORIES6125 CLUB CAR GOLF CART New Batteries Lights $ 2450. 941-716-6792 FACTORY RECONDITIONED2011 CLUB CAR DS New "Black" Body Brand New Batteries 6-8 Volt, New 6" A-Arm Lift Kit 22" Tires, 12" Custom Aluminum Rims, Rear Folding Seat, Lights and Tinted Windshield. Top and Charger $4,850 941-716-6792 PLEASE NO TEXT GOLF CART 4 seater, good batteries, Lights, Rain proof Radio $2,700 941-468-5020 GOLF CLUBS Complete set, Brand new Never used Warrior w bag. $600 941-460-9961 GOLF CLUBS dunlop matched bag $80 941-3304346 GOLF CLUBS samurai 3-10 graphite heads $70 994-1330464 LH GOLFClubs Full set w/bag $50 314-609-1540 SHOES LADIES CALLAWAY sz 9. Worn twice $15 941493-2481 SHOES MENS ECCO Classic Tour sz 10 1/2D. $15 941493-2481 EXERCISE/ FITNESS6128 DIVING SUIT 3PCMENS LARGE $75 941-380-1157 EXERCISE BIKE RECUMBANT W/Electronics $80 941-268-8951 SNEAKERS New Balance Brand New-Mens 15 4E $40 941-426-0760 TOTAL GYM Professional Model. EUC $449 941-5057272 SPORTINGGOODS6130 BOATING TUBE TSUNAMI 3person boating tube heavy duty $75 203-982-4471 BOWFLEX EXERCISE machine very nice! $150 941214-0025 ELLIPTICAL Orbitrek Thane Elliptical Bike seen on tv $40 941-497-7230 FIREWOOD No camping trip is complete without it! Pine, Oak, or Citrus Split, Bundled, and ready for the firepit! 941-468-4372 0 0 .*") .*") (% (% 35#3*' 35#3*' 4+ 4+ "!.,,5/# "!.,,5/# 12)++5$5%&+12)++5$5%&+FISHING REEL Penn 975 International. New. $150 401-499-5633 FISHING ROD GIRLS PINK new with tackle box $25 941661-6185 FISHINGSAND SPIKES 10 ALL FOR $25 714-599-2137 OB JACKPLATE 5 adjustable. $239 941-6267530 SCUBA BOOTIES MENS 8-9 SEA STYLE B/N $20 714599-2137 SOFTBALL BAT alum demarini $25 941-743-0582 SPINNING REEL heavy action & 7 ROD $75 714-599-2137 SPINNINGREELS all work great $15 714-599-2137 HEALTH / BEAUTY6100 BACK PAIN solution Back to life machine $120 941-2448138 HEALTH-O-METER PRO Scales 350 lb Capacity $75 765-365-3202 TREES & PLANTS6110 ARECA PALMS healthy, ready to plant $6 941-637-0357 BANANA/PLANTAIN OR JASMINE tree in 3gal pot $8 941-258-2016 BLOOMING BROMELIADS and other plants $5 941-6816417 CARDBOARD FERNS healthy 3gal local grown $7 941-6370357 CEDAR GOLD Top Shrub Cedar Great Bonsai $15 941204-9100 CRANBERRY HIBISCUS PAGODA or CORAL plant $8 941-258-2016 FOXTAIL PALMS 4 5 gal locally grown $12 941-6370357 HAWAIIAN TIPLANT Unique Purple Leaves $15 941-2049100 MONTGOMERY PALM healthy 3gal local grown $15 941-637-0357 ORCHIDS mimosaor purple orchid tree 3-4ft 3gal pot $8 941-258-2016 PEACH HIBISCUS Double Peach Flowers $8 941-2049100 PONY TAIL palms healthy, ready to plant $7 941-6370357 ROSE BUSH big Desert Roses Large Flowering Desert Rose $35 941-204-9100 STAR FRUIT Trees Florida Star Fruit $25 941-204-9100 STAR JASMINE bush or HELICONIA in 3 gal pot $7 941258-2016 BABYITEMS6120 BABY BOUNCER Fisher Price Rainforest $35 941-429-8507 BABY CRIB w/ Dresser/Changing Pd 600 $200 941-391-1797 BABY EINSTEIN jumper Good cond. $40 941-429-8507 BABY HIGH CHAIR Wooden,oak. Blond. $50 941-697-7364 BABYWALKER GOOD condition $10 941-235-1910 CARSEAT BABY and Toddler 1 to 6 years 5-40lb $15 941235-1910 STROLLER PEG Perego pliko p3 $25 941-625-2779 GOLFACCESSORIES6125 CLUB CAR DS 2002 WHITE 4 Passenger. New Flip Back Seat, Lights, HD Rear Springs, SS Hubcaps and Bushings. Strong 9/11 Batteries. $2,650 941-830-5312 Local Delivery Included (25mi.) PLEASE NO TEXT ( ( , & & % % , ! , & & ! $ $ + + ) ) ' " " , # # , $ $ % % " * Lwmti-
PAGE 68
\r\005t\006b fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \006 MISCELLANEOUS6260 RECORD COLLECTION includes album covers 50 cents each. Entire collection. 941-496-9252 RUMBA CLEANER self cleaning for floors $50 941244-8138 RUN YOUR OWN MEDICAL ALERT COMPANY Be the only distributor in your area. Excellent income opportunity. Small investment required. Limited availabilityStart Today! 1-844-225-1200. SCOPE MOUNT Beretta 92/Taurus 92/99 (Aimtech) $30 941-585-8149 SHIPPING CARTONS New 22X22X57 $5 941-6286251 SNEAKERS New Balance Brand New-Mens 15 4E $40 941-426-0760 STATIONARY EXERCISE BIKE Monark $30 941-474-4959 MISCELLANEOUS6260 HANGING LAMP foyer entrance $40 941-629-8138 HARD HATS Construction Workers $5 941-445-5619 LADDER AXT. COSCO, worlds greatest 17 ft $120 941-244-8138 NATURES INSPIRATIONS Potpourri Sweet Nectar $3 941-830-1531 NOI DONTWANTTOSELLMY RECORDCOLLECTIONBUT... MYWIFESAYSI HAVETO! ALLORNOTHING. CALLFOR DETAILS941-496-9252 PAPERBACKS LRG. Print, Romance/Mystery like new, box 17 $25 941-426-2187 PATIO TABLE, glass top 4chairs,,alum. $40 941-6973160 RECORD ALBUM COVERS all kinds of Music. .50 Cents each. Bulk Sale! 941-4969252 MISCELLANEOUS6260 DELL AXIM PDA X51v with Cable/Cradle. $50 941-4260760 DINNETE SET solid oak table,chairs,buffet $125 941697-3160 FIREPROOF SECURITY FILE SentrySafe 1170 $50 941-456-3986 FIREWOOD SEASONED split oak 1/2 facecord $120 941526-7589 FIREWOOD SEASONED split oak 1/2 facecord FREE DELY $120 941-526-7589 FIREWOOD Split, Bundled, and ready for the firepit! Perfect for these cooler nights! Pine, Oak, Citrus 941-468-4372 FURNITURE BLANKETS 10 Heavy duty, thick. $200 770-331-6847 GLASS TOP 55 Round $40 941-223-4592 MISCELLANEOUS6260 AIR MATTRESS Aerobed auto 74 x 54 x10 $70 859-466-9572 BEDSIDE POTTY For boatcamping $30 941-445-5619 BOAT TRLWINCH elec power t2400 $150 941-661-9801 BOWFLEX VERY good condition. $150 941-456-5579 CAR MATS 4. Grey. For Hyundai Elantra. $10 941-830-1531 CAR MATS 4. Rubber, grey. $10 941-830-1531 CARGO CARRIER Voyager box on SUV roof $60 941244-8138 COMP.CHAIRS Armed desk chairs $15 941-979-6974 CRAB TRAPS NEW. W/ROPE, FLOAT, ZINC, REBAR $35 941-830-0998 CREDENZA BEAUTIFUL wood! TV shelf/bks $75 941575-9800 APPLIANCES6250 MICROWAVE LN-WHT-CTOP $35 941-473-4194 MISCELLANEOUS6260 1913 WESTERN Electric oak wall telephone exc. cond. $495. Call 941-268-5067. ACURA MDX MATS all weather factory mats $80 941-4298507 HOCKEY Regulation size table $125 941-456-5579 APPLIANCES6250 KITCHEN SINK 2 bay stainless steel w/ faucet $50 941628-6369 REFRIDERATOR/FREEZER G.E. Black Side x Side, 22 Cu. Ft. Ice & H2O Dispenser on Door. Excellent Condition! $500. 941-681-2279 %*$)*!$& #&*,!-&&"'"*+( REFRIGERATOR Whirl Si/Si. H2O/Ice. Paid $1,371, Asking $700 22cf. Bgt 11/27/13 But Cant Use. 941-639-9369 STOVE WHIRLPOOL 30 Elec/white G/cond. $200 941-882-8752 WASHER Whrilpool WhrilpoolDuet w/stand frnt load $400 941629-1347 WASHER/DRYER 3 YRSWHT-GE-LN $295 941-4734194 WINDOW AIRCONDITIONER 5000 BTU 18 x 12 $50 203982-4471 We don't,. aroundmonkellFor all yoursports, weather,health, entertainment,local, national andworld news...we've got R.SUNj The best newspaper in the jungle.
PAGE 69
r\006 b\002r\001nfftt nt \f\005b\006 HONDA7160 2010 HONDA CR-V EX 2 WD 84K MI $14,357 855-481-2060 Dlr 2010 HONDA CROSSTOUR EXL NAV 44K MILES $19,990 855-280-4707 DLR 2010 HONDA INSIGHT 75K MI $10,875 855-481-2060 Dlr 2011 HONDA ACCORD CROSSTOUR 80K MI $13,950 2012 HONDA CIVIC 4DR EX LTHR 42K MI $14,987 855-481-2060 Dlr 2012 HONDA CIVIC 4DR LX 16K MI $15,874 855-481-2060 Dlr 2012 HONDA CR-V EX 29K MILES $20,911 855-280-4707 DLR 2012 HONDA PILOT EX 29K MI $24,990 855-280-4707 DLR HYUNDAI7163 2007 HYUNDAI ENTOURAG GLS 44,760 MI $10,457 855-481-2060 Dlr 2007 HYUNDAI SANTA-FE GLS 162K Miles. $5,900 732-644-3213 2007 HYUNDAI SANTAFE GLS 98K MI $8,950 855-481-2060 Dlr 2009 HYUNDAI SONATA 4DR GLS 94K MI $8,995 855-481-2060 Dlr 2013 HYUNDAI ELANTRA 4DR LMTD 12K MI, $15,950 855-481-2060 Dlr 2013 HYUNDAI SONATA 4DR GLS 35K MI $14,875 855-481-2060 Dlr 2013 HYUNDAI SONATA HYBRID LMTD NAV 26K MILES $23,990 855-280-4707 DLR INFINITI7165 2004 INFINITY Q45 NAV 66K MILES $11,990 855-280-4707 DLR 2006 INFINITY G35 2DR LTHR 98K MI $12,475 855-481-2060 DLR 2011 INFINITY QX56 NAV-DVD 46K MILES $42,990 855-280-4707 DLR JAGUAR7175 2012 JAGUAR XJ PORTFOLIO 26K MILES $54,990 855-280-4707 DLR 2012 JAGUAR XK NAV COUPE 20K MILES $54,911 855-280-4707 DLR KIA7177 2011 KIA RIO LX 4 Door Sedan, Auto, Power Windows $10,695 941-916-9222 Dlr. 2013 KIA SOUL PLUS ECO 42K MI $14,875 855-481-2060 Dlr MAZDA7180 2007 MAZDA 6, 94k mi., Extra Sharp!! $7495 941-916-9222 Dlr. USED CAR DEALERS7137 Mattas Motors 941-916-9222Buy Here Pay Here WE FINANCE EVERYONE MUSTHAVEINCOME& DOWNPAYMENT941-473-2277www .pctcars2.com ACURA7145 2010 ACURA TL 42K MILES $17,911 855-280-4707 DLR AUDI7147 2008 AUDI TT COUPE QUATTRO 75K MI $21,990 855-280-4707 DLR 2012 AUDI A5 2 DRNAV 19K MILES $38,990 855-280-4707 DLR 2012 AUDI A5 CONV 27K MILES $34,911 855-280-4707 DLR BMW7148 2011 BMW 328ISD NAV. 48K MILES $23,990 855-280-4707 DLR 2011 BMW 550I GT-NAV 31K $36,990 855-280-4707 DLR 2012 BMW 328ICV CONV. 19K $37,990 855-280-4707 DLR 2012 BMW X5 NAV 31K MI $38,990 855-280-4707 DLR 2014 BMW X3 NAV 7,596 MI $40,990 855-280-4707 DLR HONDA7160 2004 HONDA ACCORD 119K MI $6,987 855-481-2060 Dlr 2004 HONDA ODYSSEY 122K MI $7,995 855-481-2060 Dlr 2005 HONDA CR-V EX AWD 88K MI $10,845 855-481-2060 Dlr 2006 HONDA ACCORD 2DR EXL V6 114K MI $9,284 855-481-2060 Dlr 1-0+#3)"+ ), 3!%./'((2$2%&(* 2006 HONDA ACCORD 47K MI $12,547 855-481-2060 Dlr 2006 HONDA ACCORD 92K MI $7,885 855-481-2060 Dlr 2006 HONDA ELEMENT 141K MI $9,877 855-481-2060 Dlr 2007 HONDA ACCORD 4DR EXL 79K MI $12,475 855-481-2060 Dlr 2008 HONDA CIVIC HYBRID 59K MI $11,875 855-481-2060 Dlr 2008 HONDA FIT 88,471 MI $8,944 855-481-2060 Dlr 2008 HONDA FIT BASE 66,581 MI $10,987 855-481-2060 Dlr 2010 HONDA CIVIC 4DR LX 84K MI $10,247 855-481-2060 Dlr FORD7070 2005 FORD ESCAPE 117K MI $5,845 855-481-2060 Dlr 2008 FORD FUSION SE $10,695 Mattas Motors 941-916-9222 Dlr. 2008 FORD TAURUS 44DR LMTD 42K MI $11,874 855-481-2060 Dlr 2010 FORD FUSIONSE 50K MI $12,990 855-280-4707 DLR 2010 FORD MUSTANG 2DR V6 64K MI $12,950 855-481-2060 Dlr 2010 FORD TAURUSLMTD 34K MI $18,990 855-280-4707 DLR 2011 FORD MUSTANGSHELBY GT500 20K MI $44,990 855-280-4707 DLR GMC7075 2005 GMC ENVOY-XL SLE 48K MI $10,990 855-280-4707 DLR JEEP7080 2003 JEEP LIBERTY SPORT 96K MI $5,987 855-481-2060 Dlr 2011 JEEP WRANGLER UNLIMITED. SAHARA 62K MI $27,990 855-280-4707 DLR LINCOLN7090 05 TOWNCAR SIG., 21k mi, Shwrm Cond., Lded, Perform. White/Dove Lthr, Brnd New Michelins Sr. owned. Carfax Grgd $14,150 941-249-1664 2006 LINCOLN TOWN CAR 35,500 mil Signature LTD Leather Like new Large Trunk., $13,950 941-457-0402 must see PONTIAC7130 2006 PONTIAC G6 2 DR LTHR 6SPD 92K MI $8,875 855-481-2060 Dlr 2007 PONTIAC VIBE 5DR 2013 SCION FRS COUPE 10K MI $21,990 855-280-4707 DLR DODGE7060 2005 DODGE NEON Black, $6495 $5995 941-916-9222 Dlr. 2005 Grand Caravan SXT 80K VERYGOODCONDITION. DRIVEIT& MAKEANOFFER$5640 941-224-6031 2005 SATURN L300 4DR V6 87K MI $5,963 855-481-2060 Dlr 2012 DODGE GRAND CARAVAN 4DR LMTD 57K MI $15,987 855-481-2060 DLR 2013 DODGE CHALLENGERR/T HEMI 7,021 MI $29,990 855-280-4707 DLR FORD7070 2003 FORD F-250 XLT 246,615 MI $7,844 855-481-2060 Dlr 2004 FORD F-150 XLT. 4x2 Supercab. 40k MI. 1 Owner. Exc. Cond. 4.6-V8 Engine. Factory Tow Pkg. $10,000239-222-0774 Located In Punta Gord *NO DEALER FEES* *DRIVETRAIN WARRANTY INCL. 3 MO/3,000 MILESWITH EVERYPURCHASE!* 13 Hyundai Elantra $11999 11 Ford Fiesta $9899 09 Hyundai Elantra $6999 08 Toyota Prius/Tour $9999 08 Ford Escape Hyb $7999 08 Honda Fit $7299 08 Kia Ronda $7999 07 Dodge Caliber $6499 06 Honda Element $9599 05 Chrysler PT Cr Conv. $5999 04 Hyundai Santa Fe $5999 03 Chrysler PT Cr. Tur.$4299 T RUCKS 06 Dodge Dakota $7999 05 Ford Sport Trac $9499*TRADESALWAYSWELCOME* *FINANCINGAVAILFORMOSTBUYERS* 6640 TAYLORROADPUNTAGORDAFLORIDA33950 (941) 347-7500 CALLFORANAPPOINTMENT! CADILLAC7030 2011 CADILLAC DTSPremium Gold Package. Lipstick Edition. Red, White top, All Options, Mint Condition! The last of the full siz e Cad d y! Garage kept, Non-Smoker, 38k Miles, Has 36k Miles on Warr. 1 Owner, $38,000 941-391-2022 2012 CADILLAC CTS SEDAN, Only 10,210 Miles! $19,984. 863-494-3838 Dlr. 2012 CADILLAC CTS SEDAN, Only 8,455 Miles! $24,999. 863-494-3838 Dlr. CHEVY7040 2008 CHEVY COBALT SILVER LS, Nice Car! $4,988. 941-787-3044, Dlr 2010 CHEVY CAMARO, 49,135 Miles! $15,984. 863-494-3838 Dlr. 2010 CHEVY MALIBULT SEDAN 30K MI $13,990 855-280-4707 DLR 2011 CHEVY MALIBU 18,505 Miles! $13,325. 863-494-3838 Dlr. 2012 CHEVY CAMARO, Only 3,895 Miles! $32,984. 863-494-3838 Dlr. 2012 CHEVYSONIC Only 8,289 Miles! $11,825. 863-494-3838 Dlr. 2014 CHEVY CRUZE, 16,379 Miles! $14,775. 863-494-3838 Dlr. 2014 CHEVY IMPALA, Only 10,024 Miles! $19,225. 863-494-3838 Dlr. 2014 DODGE JOURNEY, 11,966 Miles! $18,130. 863-494-3838 Dlr. CHRYSLER7050 1992 CHRYSLER LEBARON Convertible 60,000 miles power steering, power wind. AC, New tires, Interior & Exterior in excellent cond. Runs great. Convertible top is in Ex cond. Non smoker, Asking $3800. 937-325-5906 2001 CHRYSLER SEBRING 75.3k mi, Auto, PS, PW, Red, New tires, Great cond. $4500 941-966-1758 2002 TOYOTA SEQUOIA 192K MI $6,874 855-481-2060 Dlr 2004 CHRYSLER SEBRING 112,000 MIL Touring convertible good condition, $3,750 941-493-7280 2004 CHRYSLER SEBRING DAIMLER 61K MI $6,574 855-481-2060 Dlr ( ( , & & % % , ! , & & ! $ $ + + ) ) ' " " , # # , $ $ % % " * 2005 CHRYSLERPT CONV. Great Price At $5995! 941-916-9222 DODGE7060 2004 DODGE DURANGO ST $7995 941-916-9222 Mattas Motors Dlr. 2005 DODGE DAKOTA DALIMER SLT 110K MI $10,248 855-481-2060 Dlr MISCELLANEOUS6260 KIRBY VAC all attachments $100 941-380-1157 TOASTER OVEN Black & Decker.New, used twice. $35 941-474-4959 TOMPSONS WATERSEAL 9 Gal Venice FL call Joe $50 941-493-6271 VHS TAPES-MOVIES Many to choose from $1 941-445-5619 WANTED TO BUY: Eucalytpus Wood, Any Thickness & Any Width. 815-228-6801 WHEEL COVERS 2013 Honda Fit 2 OEM Exc. $50 941-505-2672 WOODEN STOOLS 2. 29 HIGH $30 941-697-7364 Well-Equipped. Very Nice Driver. $2495 (941)-426-3494 2001 BUICK CENTURY LTD. Good Condition. Clean, Well Maintained. 63K Miles. $3,750 941-637-7849 2002 BUICK CENTURY CUSTOM,ONLY 37k Mi! AMUSTSEE!! 941-916-9222 Dlr. CADILLAC7030 2001 CADILLAC ELDORADO Red, 100k miles, Non smoker. Sr. Owned. $3900. 941-697-9897 2006 CADILLAC DTS lo mi 41K Beautiful car $11,900 941-224-6031 k,,oooooooooMATTAS MOTORS941-916-9222"SAVING YOU MONEY MATTERSAT MATTAS V 1 11 11 11 11 11 11 1 -
PAGE 70
\f\005b\006 nt\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt r\006 21 STARDECK Deckboat & Trailer. 150 merc. New interior/gauges. Racing paint. $13,000 941-627-2754 ( ( , & & % % , ! , & & ! $ $ + + ) ) ' " " , # # , $ $ % % " * 24 AQUASPORT1998 CEN-TERCONSOLEW/ FIBERGLASST-TOP, 225HP JOHNSON, $16,900 RUNS& LOOKSGREAT! 941-505-8138 28 TOPAZ SPORTFISH Twin 305 Merc Inboards, Power Anchor, Low Hrs. VHF Radio, A/C In Cabin Power Head & Holding Tank. Solid Boat, Lift Kept 20 years. $10,300 941-473-9581 SPORTUTILITY/ VEHICLES7305 2011 CADILLA SRX 29,034 Miles! $21,925. 863-494-3838 Dlr. 2011 CADILLAC ESCALADE Only 27,446 Miles! $41,984. 863-494-3838 Dlr. 2011 FORD EXPLORER, 25,852 Miles! $26,984. 863-494-3838 Dlr. 2012 JEEP OVERLAND47K MI, 1 OWNER, EXCOND. $32,500 413-237-2633 2014 CHEVY CAPTIVA SPORT Only 6,436 Miles! $18,870. 863-494-3838 Dlr. 2014 CHEVY TRAVERSE Only 8 Miles!! $25,365. 863-494-3838 Dlr. 2014 CHEVY TRAVERSE, Only 9,244 Miles! $26,599. 863-494-3838 Dlr. BOATS-POWERED7330 16 BASS TRACKER 1987 45 hp Motor. 80# Trolling Motor. $2,500 941-764-6118 TRUCKS/ PICK-UPS7300 2003 FORD F-350 14Box Truck, 106k mi., $10,500 941-628-1124 2007 CHEVY COLORADO Crew Cab, 4WD, Ex. Cond! 86K Mi. 941-716-4620 $12K )$%(!,%(*".' !/%-*("".#.%&"+ 2011 CHEVY SILVERADO 1500, 41,040 Mi! $25,599. 863-494-3838 Dlr. 2012 CHEVY AVALANCHE, Only 5,338 Miles! $31,984. 863-494-3838 Dlr. 2013 CHEVY SILVERADO Only 9,326 Miles! $19,449. 863-494-3838 Dlr. 2014 CHEVY SILVERADO 1500, Crew Cab $25,984. 863-494-3838 Dlr. A A P P P P L L Y Y N N O O W WDONTWAIT. DRIVETODAYGUARANTEEDCREDIT APPROVAL941-473-2277 SPORTUTILITY/ VEHICLES7305 1999 CHEVROLET BLAZER 107,800 mi, Excel. Condition! New Tires, Leather Interior, 4WD. 1 Owner. All Power. $3,900. 616-836-2965 2000 MERC MOUNTAINEER 4 dr, auto, v6, full pwr, 96K Clean $2,500 941-624-0334 2008 CHEVY HHR, Only 28,773 Miles! $9,984. 863-494-3838 Dlr. 2011 BUICK LACROSSE 33,800 Miles! $16,240. 863-494-3838 Dlr. 2011 BUICK LACROSSE, 41,480 Miles! $15,984. 863-494-3838 Dlr. AUTOS WANTED7260 ALL VEHICLES WantedDead or Alive, Top $$ Paid Starting at $250-$5000 Free pick up 941-623-2428 WE BUY & PICK UP JUNK CARS 941-661-1928 I BUY SCRAP CARS,TRUCKS AND WRECKS 941-456-1342 AUTO PARTS/ ACCESSORIES7270 92 TOYOTA Camry Doors, $150 941-676-2019 96 MIATA soft top and frame $275 941-629-5939 TIRE 245/45/20 Brand New. Falken. $95 941-204-3274 TRANSM, & MOTOR FORD 400 cu in $400 941-474-4959 VANS7290 1999 DODGECUSTOM Van Low Miles! Good Condition! $4,500. Neg. 941-929-5850 %*$)*!$& #&*,!-&&"'"*+( 2003 DODGE CONV. VAN, Low Miles! Fully Loaded! $4,988. 941-787-3044, Dlr 2010 DODGE Grand Caravan WHEELCHAIR van, 10 lowered floor & ramp. 941-870-4325 VOLKSWAGEN7220 2008 VOLKSAGEN EOS 2DR LTHR 45K MI $13,991 855-481-2060 Dlr 2009 VOLKSAGEN EOS 4DR LTHR SNRF 75K MI $13,775 855-481-2060 Dlr 2012 VWJETTA SPORTWAGON, 49,166 Mi! $14,984 863-494-3838 Dlr. 2013 VOLKSWAGEN GOLF LIFTBACK 4,125 MI $17,990 855-280-4707 DLR 2013 VOLKSWAGEN JETTA 4DR LTHR SNRF 19K MI $14,875 855-481-2060 DLR 2013 VOLKSWAGEN JETTA SPORT WAGEN 19K MI $24,990 855-280-4707 DLR VOLVO7230 2008 VOLVO S40 4DR 77K MI $10,877 855-481-2060 Dlr 2012 VOLVO S60 23,162 Miles! $19,125. 863-494-3838 Dlr. ANTIQUES/ COLLECTIBLES7250 1974 MG MGB 60,000 mi, Daily driver new brakes stereo CD, $6,500 941-258-4771 1985 CHEVROLET EL CAMINO, Great condition. Must see., $5,500 941-6298391 GULF COVE PARK 3RD ANNUALOKTOBERFEST AND CLASSIC CAR SHOW Saturday October 18th 10AM-2PM. Contact Thom Collins at 941-698-5092 BUDGETBUYS7252 #1 TOPCASHPAID UP TO $5,000 CARS, TRUCKS,ANYCOND. 941-650-5785 2002 LINCOLN TOWNCAR, Executive Edition, Blue! $2,488. 941-787-3044, Dlr 2003 CHRYSLER T&C Leather, Loaded. $2,988. 941-787-3044, Dlr 2003 LANDROVER FREELANDER, Low Miles! AWD! $2,988. 941-787-3044, Dlr GOOD DEPENDABLE CARSFROM $1000-$2900 (941)-623-2428 AUTOS WANTED7260 BEST$$ FOR JUNKERSAvailable 24/7 941-286-3122, 623-5550 MERCEDES7190 1997 MERCEDES-BENZ SL320 Conv. & Hard Top. Anniv. Edition. 48K MI. Exc. Cond. $5,975/obo941-214-0889 2006 MERCEDES E350M 47K MI $15,987 855-481-2060 DLR 2010 MERCEDES GLK350 47K MILES $24,990 855-280-4707 DLR 2013 MERCEDES S550 AMG PACK 14K MILES $71,635 MI $6,992 855-481-2060 Dlr 2008 NISSAN SENTRA 4DR 141K MI $8,995 855-481-2060 2011 NISSAN MAXIMA S-NAV 41K MI $22,990 855-280-4707 DLR 2011 NISSAN ROGUE SV 36,506 MI $15,744 855-481-2060 Dlr 2012 NISSAN ROGUE SL NAV 31K MI $17,911 855-280-4707 DLR 2013 NISSAN SENTRA SR 4DR 10K MI, $15,950 855-481-2060 Dlr 2014 TOYOTA ALTIMA, Only 1,345 Miles! $18,984. 863-494-3838 Dlr. TOYOTA7210 1999 TOYOTA TACOMA 116K MI $6,954 855-481-2060 Dlr 2002 TOYOTA RAV4 53,000 miL Model Great condition 53K MI, $8,300 305393-4464 2004 TOYOTA CAMRY XLE. 1 Owner. Exc. Cond. Red. $9,350 941-391-6377 2004 TOYOTA SIENNA 130K MI $7,874 855-481-2060 Dlr 2008 TOYOTA CAMRY 4DR LE 47K MI $12,875 855-481-2060 DLR 2009 TOYOTA COROLLA 4DR LE 55K MI $11,897 855-481-2060 2009 TOYOTA VENZA 5DR 67K MI $15,984 855-481-2060 DLR 2010 TOYOTA COROLLA 4DR LE 37K MI $12,875 855-481-2060 DLR 2011 TOYOTA COROLLA 4DR 18K MI $14,897 855-481-2060 Dlr 2011 TOYOTA HIGHLANDERNAV 33K MI $29,990855-280-4707 DLR 2012 TOYOTA CAMRY SE 24K MI $21,911 855-280-4707 DLR 2014 TOYOTA AVALON NAV 3,510K MI $34,990 855-280-4707 DLR nurse$29.00Relaxing Swedish Massage" I 1 rtisNo Coupon required `Plus tipJ 11Get a Relaxing Swedish Massage& Save $10.00 sNational Massage TherapyAwareness Week 1143 N. Toledo Blade is October 19.25 3718 Tamiami Trail Unit BPort Charlotte, FL 33952\nessssen e !,ds o J7face your 51o (inMassage and Spa / e .Jumper lrecforyMM32638 Gaff X ar i3718 Tamiami Trail, Port CharlotteNext to Post OfficeCall for an appointment today!941.457.1230 or 941-624-0318 of 941-429-3012
PAGE 71
\006t b\002r\001nfftt fn \r\005b\006 nior ivi ha non-medical solution for your everyday needs!Our caregivers are experienced, screened,bonded, and insured employees. We offerBorrow With C 0 N FI D E N C E temporary or Long-Term services inour home or r in n a a facility.Purchase your Dream Home with 50% Down* 'Womicma44s,41W a,Ittld 4 HomemakingNo Monthly Mortgage Payments & SeeeessKeep 100% Ownership Housekeepingh y Household Organization CompanionshipGovernment Insured and Tax Free a Wardrobe Assistance Surgery RecoveryCreate Another "Pension-Like" Income a ina & Facility CareC Coordoordinatti ng Services With TransportationWilliam "Bill" Mercer Other FacilitiesSpecialist with Member-National Reverse & Agencies Laundry & Linens12 years experience Mortgage Lenders Association Enjoy a beautiful day or Meal Planning/NMLS #439847 evening while knowing your Preparationloved one is being cared forFree Assessments! Hourly RatesCall our local office at... Call Today!24/7 Available941-575-1020 Locations:Clock Tower Plaza Punta Gorda Bradenton/265 E. Marion Avenue, Suite 116 Cross Sarasota 333 'I/ #103 2831 J I' Trail, 1REVERSE MORTGAGE Punta Gorda, FL 33950 Blvd, Punta Gorda, FL ; : ,cQASSOC1ATES LLC bmercer @ FLreverse.com i 34237A FLORIDA COMPANY *must pay property taxes and insurance (941) (941)**call for details 209-1318NMLS #393872 *May vary by qualifying factors. 525-2322 I 906.1881i.PREVENT Serious Bathroom FallsLet Us Install A Safety Trade-in Your OldShower & BathtubGRAB BAR Hearing Aids for BrandVarious Lengths Years Experience 2e New Ones and Save'.Ask About Our Over 25 Vears 2 Post Stair Railings& Hallway Banisters Don't Wait to Fall to Ca/il Your current hearing aids MAY BEGulf windsJim's Bathroom Grab Bars T,T,C Where Compassion & Care is Always There. WORTH UP TO $2,400.00 during941-626-4296 Rates as low as $1,500/Month our biggest trade-in event of theLic. a 123956 thePo,kS, r year! Take advantage of this special' 117 a' 7 ` `tO i1 We provide the followingRecommended by Doctors rs and Physical Therapists offer today and enjoy the benefits ofAssisted Living in a homey atmosphere our most advanced hearing systems.Assistance with all activities of daily livingMedications Bathing Dressing Don't have hearing aids?Call Ambulating Showering No problem! You may qualify to_ Three daily nutritional meals and snacksAppointment receive up to 20% OFF suggested retail price onLaundry and linen services New Technology! Call Now to take advantage of thisr 941-764-7694 941-916-8704 Entertainment and activities Annual Event!Cleaning rooms Fully sprinklered buildingGULFWINds ASSiSTEd LIVINg FACiliTy Choose from Trade-In Value Trade-In Value.t, Family Owned Two on onwww. ulfwindsalf.com Complete ONE Hearing TWO HearingReliable Service 2745 E. Venice Ave., Venice, FL 34292 Product Lines Aid AidsFree Estimates Tel: 941-488-5970Insured & Bonded Lic. ZAL'flfl Proper w50 or $1,200.00 $2,400.00Kinnect'-w5o BEST VALUE!e oseniors o n the Go ti r No other discounts apply to the Trade-in Offeror the 20% off suggested retail priceofer. You must choose one or the other. Discount does not apply to pror sales.Transportation for everyone on the Sun CoastFriendliest Ride In Town First surgeon in Trade-In Event Ends(941) 444-0569 Southwest FloridCataract Oct. 31st! Call Now!We'll take you to Doctors Visits, Pharmacies, Bladeless Laser Cataract Shopping, Airports and Cruise Lines FRANTZor the East and West coasts) and Much More! Cataract Center Hearing Centers of Charlotte CountyWe travel from Orlando to Miami... Ft. Lauderdale to Tampa & Southwest FloridaOffice Hours: M-F 7:30AM-5:OOPM 109 Taylor Street Punta Gorda l2866 Tamiami Trait Unit D 2705 Tamiami Trail, Suite 211 2379 East Venice Ave.Weekends/Holidays 8:00AM-5:00PM (941) 505-2020 Port Charlotte, FL 33952 Punta Gorda, FL 33950 Venice, FL 34292 email: seniorsotg@att.net BetterVision.net (941) 621-3655 (941) 621-3522 (941) 584-8406$ TIPS ONLY $ To Advertise In TheActive RetireeA Senior Catering to SeniorsGrocery Shop ck ingPharmac Post Office Senior Directory,Restaurnt PiuPs and Much, More.Port Charlotte, North Port, Punta Gorda vq%ll ArN Is 11 IL Z 11 1% A -1 A n 1% 91 J^ -1E Call Robert 941-456-23221 W
PAGE 72
\r\005b\006 fn\000\000)Tj/T1_1 1 Tf(b\002r\001nfftt \006t Let The DONT BE LEFT IN THE DARK! Light Your Way! Your source for local, national & world news. ardor Zvi nPLACEunIlfltj lipin!11pIL r : CALL DAt our premier retirement residences we know that you will feel right at home. Our At the area's only gated retirement residences, you will enjoy:residences have been designed for the discriminating senior who has planned for their Spacious garden apartments & studios Large walk-in closetsretirement years to enjoy life to its fullest. Walk-in showers with safety bars Furnishings and appliancesOur premier retirement residences prestigious locations alone are enough for you to Three delicious meals daily plus snacks Daily housekeeping serviceshave found the dream of your life. Nestled among beautiful landscaped gardens near theentrances, each resident will relish the lush tropical atmospheres. Personal laundry service with linens providedUncompromising excellence, affordable resort-style retirement living, delicious country Transportation to physician's offices, banks, and shoppingclub style dining and spacious accommodations are just a few of the hallmarks that make Emergency call system Security and safety systems Recreational activitiesour residences the premier retirement Qualified nursing staff 24 hours a day Much, much morecommunities for which we are known. CALfor a Y4 %e c aWens To u rof furor PortF:: 110sandhiIIGardens l'1oirth Vort iJines ardrisb.etia^entetiaf I esideylceof Venice R2901 Jacaranda Blvd. 4900 S. Sumter Blvd. 4950 Pocatella Ave. 24949 Sandlill Blvd.Venice, f L 34293 North Port, FL 54287 North Port, FL 54287 Deep Creek, f=L 55985Assisted Living Facility Lic # 10845 Assisted Living Facility Lic #7860 Assisted Living Facility Lic #99059` 1--0650 9+1-+25-0658 941-426-9 175 9+1-6-_6577Private Duty (941) 716-4974 "We Come To You"CNA/HHA ProvidingI / Personal In Home Care & Companionship HOMEBOUNDMobility & Medication Assistance 6 : IIIIIII, Perms, color, cuts and style!Transportation To Appointments CAROL WARDq_' T lot 1-10 Errands, Linen Service,Light Housekeeping Stylist1 I Fresh Home Cooked Meals & SnacksHelp With Hobbies & Bill Pay Englewood, FloridaTravel Assistance Port Charlotte, FloridaVenice, FloridaHourly Or Up To 24/7 CareLicensed & Insured 941.697-7442 Cell 830-2512JAMES W. MALLONEE, P.A.LAW OFFICE'Oooo) 19JAMES W. MALLONEEHome Health Aide Available 3 Or 4 Days A PROBATE WILLS/TRUSTSLEARN PREVENTION TECHNIQUES Week From 11-4 To Help With Home Care, GUARDIANSHIPS REAL ESTATELight House Keeping, Companionship, Office Hours Monday thru Friday, 9:00AM to 5:00PMTransportation, Errands And Dr. Visits. 901 Venetia Bay Blvd. #360, Venice, FL 34285REVIEW PROTECTION SERVICES Experience u/Patients & Family Members 946 Tamiami Trail, #206, Port Charlotte, FL 33953AAS Human Services Degree Imagine Medical Prep (941) 207-2223MEET LOCAL REPRESENTATIVES FOR KROLL Academy Loyal & Conscientious Fluent In German GLOBAL LEADER IN IDENTITY THEFT 941-716-3385 Call Mark 941-475-6921 941 206-2223PROTECTION AND RESTORATION SERVICES' When Quality Counts QUALITY CAREGIVER=ice GARDINER= Errands, Dr. Appointments,g& SONS artote,S arsota &MOVING manatee & Lee eMeal Prep, Grocery Shopping,Counties.Local and long distance moving Piano/organ moving Companionship,TransportationFull service packing and crating Senior housing relocation= 941.423.5311 1-866-MOVE-FLA I will take care of your loved ones' kenny@gardinerandsonsmoving,com 8604259 941-249-0802Ucensed and Insured fl. Reg. Mover IM2038. USDOT#1645107dor-S ZJNNti'-WS1 AIl1ZS
PAGE 73
\006t b\002r\001nfftt fn \r\005b\006 MOTOR HOMES/ R Vs73. #,,-0'"/$ .),.&1), .%0!!(+(,-!* WANTED All Motor Homes, TTs, 5th whls, PopUps, Vans conversion & passenger, cars & trucks. CASH paidon the spot for quick sale. 941-347-7171 RV/CAMPER PARTS7382 BIKE RACK-RV Ladder $25 941-661-1091 RV COVER Adco Tyvek $125 941-661-1091 RV OUTDOOR Mat 8x20 $40 941-661-1091 TOW BAR blue ox $200 941-661-1091 WIRE CONNECTOR Blue Ox 6-4 $50 941-661-1091 CANOES/ KAYAKS7339 8 FOLDING BOAT PORTABOTE with oars. See Portabote website for specs. $650 941-627-2754 TRAILER & ACCESSORIES7341 2014 TRIPLECROWN TRAILER 6x16 $1900 941-916-9222 Dlr. 2014 TRIPLECROWN TRAILER 7x16 Car Hauler 941-916-9222 Dlr. BOATTRAILER Must sell $100 941-426-8522. TRAILER HITCH Class II Fits 2000-2013 Chevy Impala. $80 941-697-7385 TRAILERS, 24 Enclosed (2) $1200/ea.; 18 Enclosed T railer $1800; 18 x 5 Open T railer $1200; Mower T railers (2) $150/ea. 941-628-1124 UTILITY TRAILER 5X8, new tires, new wiring, ramp & lift, Wooden $850 941-564-8005 1-0+#3)"+ ), 3!%./'((2$2%&(* CYCLES/MOPEDS/ SCOOTERS7360 1981 HONDA CM200T 545 Orig mi., exc. cond. $2495. Call 941-268-5067. 2002 HARLEY ROAD KING FARING& TOURPACKRADIO/CD VERY CLEAN. $8,500. 941-237-9447 REDUCED! 2005 BOULEVARDC50 7837 mi., exc. cond. $4,995. Call 941-268-5067. 2006 HARLEY FATBOY 29K Mi. Special Price $8995 941-916-9222 Dlr. 2009HD SPORTSTER1200ccCUSTOM, NEWCOND. 1324MI$8,500. 941-613-6864 2011 HARLEYTRI-GLIDE 17,000 mil lots of extras $23,500 814-450-6681 PRICED REDUCED CAMPERS/ TRAVELTRAILERS7370 2003 25 SUNLINE Solaris Lite,Beaut. Int. Sleeps 6. Works Fine. $8,800 941-766-0637 MARINE SUPPLY & EQUIP.7338 OB JACK Plate 5 adjustable. $239 941-626-7530 SS PROPELLER 13d X 17P, as new. $259 941-626-7530 CANOES/ KAYAKS7339 17 MADRIVER CANOE Royal-X Construction, Teak Trim. $500 561-818-4443 BOATSTORAGE/ DOCKING7336 BOATDOCK, PUNTA GORDA, Deep water no bridges! $180 per month, up to 34Ft. 941-626-9652 MARINE SUPPLY & EQUIP.7338 KAYAK PADDLES (2) Fiber Glass shaft Cost new $139/ea $60/ea 941-423-2419 , 2 2 . % % $ $ ' * 1 1 # # ) ) ( ( ,* *2 2# #. .% % 2 2. ( (! !# # / /0 0& &) )) )2 2" "2 2# #% %) )+ + BOATS-POWERED7330 21 ACTION CRAFT(2001) Special Edition 2020 Approx. 120/hrs. 225HP Fuel injected Mercury, Like new Cond. $21,000 941-916-9087 OUTBOARD/ MARINE ENGINES7334 2008 150HP HONDA Paint Issues Otherwise Runs Great! $4000 Firm 941-763-9547 ALPHA ONEOUTDRIVE w/SS Prop $450 941-6285192 BOATS-POWERED7330 29 6 REGAL COMMODORE2002 TWINIO, AC, RADAR, GPS, CANVASCAMPERCOVERS. ELECTRICTOILET, TV, VCR, WIND-LESS, GENERATOR. LOADED. $32,000 OBO 508-942-4600 JUST REDUCED 0 0 .*") .*") (% (% 35#3*' 35#3*' 4+ 4+ "!.,,5/# "!.,,5/# 12)++5$5%&+12)++5$5%&+rMGLAM11 I I I2014 CHEVROLET SILVERADO 1500Double cab' I. s.STKK(40288AU RRFBATFSWIMANYTUDFWAS $33,429 A loL i.2014 CHEVROLET CRUZE 2015 CHEVROLET MALIBUAWLsrK:(4obr STM50031wAS $20,944 NOW s l b, 0 AFTFRR(BATES WAS $25,149 NOW 1, d AFTFRRFBATFS2014 BUICK VERANO 2014 BUICK REGALSTKR(840011 ,,,,* 5TKi(840770WAS $32,694 NOW 1$ 21' AFTERR(8ATES WAS $34,694 NOW 7 AFTFRRFBATFS* PLUS TAX, TAG, TITLE AND $599 DEALER FEE. DEALER RETAINS ALL SET FACTORY REBATES AND INCENTIVES. VEHICLES SHOWN FORDEMONSTRATION PURPOSES ONLY. MODEL, OPTIONS AND APPEARANCE PACKAGES MAY VARY. SEE DEALER FOR DETAILS.JUST 20MINUTES FROM: Englewood -North Port -Cape Coral -Arcadia -Fort Myers | http://ufdc.ufl.edu/AA00016616/00505 | CC-MAIN-2018-05 | refinedweb | 83,839 | 65.12 |
I am using MS Visual C++ to do a "quick" little project to create a tiny dll that I need. I hope this is the correct forum for this question.
I have a fairly simple project that compiles with no errors but, when I try to build it, I am getting some linking errors. The errors are cause by my use of msi.h, msiquery.h, and ShFolder.h.
If I understand linking correctly, the linker is trying to match the declaration of certain functions that are declared in the header files I mentioned above with their implementation in some other file. So, it seems that I should find the .lib files that implement the functions I am using, and make sure the compiler can find those files, right?
I am using one function from msiquery.h, and that is MsiSetTargetPath. I am using one function from ShFolder.h, and that is SHGetFolderPath. My includes look like this:
#include "msi.h" //not sure this is necesarry
#include "MsiQuery.h"
#include "ShFolder.h"
The linker errors I am getting are as follows:
FindPublicDocsDir.obj : error LNK2001: unresolved external symbol _MsiSetTargetPathA@12
FindPublicDocsDir.obj : error LNK2001: unresolved external symbol __imp__SHGetFolderPathA@20
I cannot find a msquery.lib or shfolder.lib on my machine. I have found a shfolder.dll file but, I am not sure if I can reference that.
Can someone give me some advice on what to do?
Thanks very much. | https://www.daniweb.com/programming/software-development/threads/129983/linking-error | CC-MAIN-2017-13 | refinedweb | 241 | 70.39 |
Installation Guide
03 - 2017
WebCenter
Contents
1. Copyright Notice........................................................................................................................................4
5. Installation Checklist..............................................................................................................................13
5.1 Installation Checklist for Fresh Installation....................................................................................13
5.2 Installation Checklist for Upgrade.................................................................................................. 14
6. CHILI-WebCenter Connection................................................................................................................17
6.1 Share between CHILI and WebCenter............................................................................................17
6.2 Requirements for Reverse Proxy for CHILI Server........................................................................ 17
7. Pre-Installation Steps............................................................................................................................. 18
8. Installing WebCenter.............................................................................................................................. 22
8.1 Overview of the Installation Procedure..........................................................................................22
8.2 Install SQL Server 2012 Express Edition on the Database Server................................................23
8.3 Install the Application Server Components................................................................................... 24
8.3.1 Install ArtiosCAD on the Application Server........................................................................ 24
8.3.2 Activate the Licenses............................................................................................................. 25
8.3.3 Install the WebCenter Application Server............................................................................26
8.4 Run the Database Schema Scripts on the Application Server......................................................28
8.5 Install the Web Server..................................................................................................................... 29
8.5.1 Uninstall IIS on the Web Server if Configured Incorrectly.................................................. 30
8.5.2 Install IIS on the Web Server................................................................................................ 30
8.5.3 Extend the Upload Limitation...............................................................................................31
8.5.4 Disable 32 Bit Applications................................................................................................... 31
8.5.5 Install the WebCenter Web Server....................................................................................... 31
8.6 Install the On-Board Graphics Engine (OBGE) on the Application Server....................................34
8.6.1 How to perform the.............................................................................................................. 34
8.6.2 How to install the Prerequisite Components...................................................................... 34
8.6.3 How to install Automation Engine 16.................................................................................. 35
9. Testing WebCenter.................................................................................................................................. 36
ii
Contents
iii
1 WebCenter
1. Copyright Notice.
®
PANTONE , PantoneLIVE and other Pantone trademarks are the property of Pantone LLC.
All other trademarks or registered trademarks are the property of their respective owners.
Pantone is a wholly owned subsidiary of X-Rite, Incorporated. © Pantone LLC, 2015. All rights
reserved.
This software is based in part on the work of the Independent JPEG Group.
Portions of this software are copyright © 1996-2002 The FreeType Project ().
Portions of this software are copyright 2006 Feeling Software, copyright 2005-2006 Autodesk
Media Entertainment.
Portions of this software are copyright ©1998-2003 Daniel Veillard. All rights reserved.
Portions of this software are copyright ©1999-2006 The Botan Project. All rights reserved.
Part of the software embedded in this product is gSOAP software. Portions created by gSOAP
are Copyright ©2001-2004 Robert A. van Engelen, Genivia inc. All rights reserved.
Portions of this software are copyright ©1998-2008 The OpenSSL Project and ©1995-1998 Eric
This product includes software developed by the Apache Software Foundation (http://).
Adobe, the Adobe logo, Acrobat, the Acrobat logo, Adobe Creative Suite, Illustrator, InDesign,
PDF, Photoshop, PostScript, XMP and the Powered by XMP logo are either registered
trademarks or trademarks of Adobe Systems Incorporated in the United States and/or other
countries.
Microsoft and the Microsoft logo are registered trademarks of Microsoft Corporation in the
United States and other countries.
SolidWorks is a registered trademark of SolidWorks Corporation.
Portions of this software are owned by Spatial Corp. 1986 2003. All Rights Reserved.
4
WebCenter
1
JDF and the JDF logo are trademarks of the CIP4 Organisation. Copyright 2001 The International
Cooperation for the Integration of Processes in Prepress, Press and Postpress (CIP4). All rights
reserved.
The Esko software contains the RSA Data Security, Inc. MD5 Message-Digest Algorithm.
Java and all Java-based trademarks and logos are trademarks or registered trademarks of Sun
Microsystems in the U.S. and other countries.
Part of this software uses technology by Best Color Technology (EFI). EFI and Bestcolor are
registered trademarks of Electronics For Imaging GmbH in the U.S. Patent and Trademark
Office.
Contains PowerNest library Copyrighted and Licensed by Alma, 2005 – 2007.
Part of this software uses technology by Global Vision. ArtProof and ScanProof are registered
trademarks of Global Vision Inc.
All other product names are trademarks or registered trademarks of their respective owners.
Correspondence regarding this publication should be forwarded to:
Esko Software BVBA
Kortrijksesteenweg 1095
B – 9051 Gent
info.eur@esko.com
5
2 WebCenter
Step Description
1. Install SQL Server 2012 Express Edition on the Database Server on page 23
2. Install ArtiosCAD on the Application Server on page 24
3. Install the WebCenter Application Server on page 26
4. Install the WebCenter Web Server on page 31
5. Start the WebCenter Services on page 32
6. Install the On-Board Graphics Engine (OBGE) on the Application Server on page
34
6
WebCenter
3
WebCenter employs three distinct servers, a Web Server, an Application Server, and a
Database Server.
It also has a FileStore and an On-Board Graphics Engine (OBGE), which is used to generate
view data.
Requirements
Entry Level (Standard - <
Category Advanced Level (Extra Large -
100 users) 100+ users)
7
3 WebCenter
Processor - All other WebCenter x86-64 compatible processor x86-64 compatible processor
(Intel or AMD), minimum 4
Servers (Intel or AMD), minimum 6
cores cores, 2 + 4 per 100 users, 2 + 6
per 100 users for separate DB
server
12 GB or more
RAM Memory (Application 32 GB or more
Server with DB and OBGE)
12 GB or more
RAM Memory (Application 24 GB or more
Server with OBGE)
12 GB or more
RAM Memory (Application 18 GB or more
Server)
12 GB or more
RAM Memory (Separate minimum 12 GB or the size of
Database Server) the DB (whichever is larger),
add 8 GB per 100 users
6 GB or more
RAM Memory (Web Server) 12 GB or more
50 GB or more
Available hard disk space - 200 GB or more
Application Server
8
WebCenter
3
Entry Level (Standard - <
Category Advanced Level (Extra Large -
100 users) 100+ users)
Edition, Standard Edition, Standard Edition, Enterprise
Enterprise Edition) Edition)
Notes
• The Database Server needs 10 GB of free space on the partition containing the database
files to allow for database expansion.
• The Application Server is the default location for uploaded files (also known as the
FileStore).
Ensure it has at least 50 GB of available hard drive space, and that the disk space is
expandable. Alternatively, find a network location with expandable disk space to specify as
the file storage location when loading the Application Server.
• The Web, Application and Database Servers must have the same OS language, regional
setting (such as English (United States)), and time zone setting.
9
3 WebCenter
• You must be able to download and install Java applets automatically to use the Java Viewer.
If Java is installed but a red X appears in the browser when launching the Viewer, consult
your system administrator to see if a firewall or proxy blocks Java downloads.
• If you are using a Microsoft Hyper-V hypervisor virtual machine, do not install both the
WebCenter Web Server and the Esko Licensing software on this virtual machine.
10
WebCenter
4
• WebCenter supports two types of licensing models. You can have counted licenses in the
Named User Model and Concurrent License Model where you can have licenses that are
taken up during a log-in sessions.
• Named User Licenses: A named user license is an exclusive licensure of rights
assigned to a single software user. This License model lets you pay for the number
of users you want to create in WebCenter. This means that the purchased number of
licenses (per type of users) limit the number of users that can be created. Read more in:
Licensing and Users and in this FAQ.
• Concurrent Licenses:
In this model, you can create as many users as you want. The number of users who
may use the system at the same time is determined by your Concurrent Licenses.
The licensing model distinguishes between three types of users: guaranteed users,
concurrent users, and editor users.
Note:
Since WebCenter 14.0.2, large installations from 50 concurrent users require a
WebCenter Advanced License. A special 'advanced' variant of the concurrent user
licenses is also needed in this case.
Server Configuration
• Ports
The required ports for WebCenter 12 and later are 1099, 2500, 4444 and 3873.
In case the Viewer service is installed with the option External (new since WebCenter 14), 3
extra ports will need to be opened between the Application and Web Server: 11099, 12500
and 14444.
• Database
The database shipped as default with WebCenter 16.1 is MSSQL 2012 Express.
• OBGE
In case the OBGE 16.1 is installed on the Web Server (not recommended), make sure to stop
the EG Web Server service before starting Tomcat.
11
4 WebCenter
Note: Since 16.1, Automation Engine no longer uses Hot Folders explicitly, but you can
now configure the FileStore JDF Hot Folder by creating an Access Point which is described in
Create a JDF Hot Folder (Access Point) for WebCenter.
• IIS
If you move to WebCenter 16.1 from WebCenter 12.x, leaving the installation of IIS intact,
a change to IIS may be needed. In IIS, go to Application Pools and open the Advanced
Settings for DefaultAppPool. Make sure that ‘Enable 32-Bit Applications’ is set to ‘False’. After
changing the setting, click ‘Recycle…’.
• Database user
In case of an Advanced installation, it is possible to set a custom password for the
WebCenter database user.
• Boards
Previously, in older versions of ArtiosCAD, the Boards needed to be installed by running
a .bat file after the WebCenter installation. Since ArtiosCAD 14.0, you can install the Boards
automatically during the ArtiosCAD installation, this is highly recommended.
Servicing
• Admin Console
Since WebCenter 14, it is possible to inspect JBoss by going to:
admin-console.
• Services
Since WebCenter14, you will only see the following services:
• JBoss
• Tomcat
• CAD-X
The App-X and Search Crawler services are no longer needed since WebCenter 12.
Note: In order to run the services interactively, open the command prompt and go to
..\Esko\Artios\WebCenter\ApplicationServer\NAMEOFSERVICE\bin for each
service, and run wcr_nameofservice_srv_cmdrun.bat. For example: C:\Esko\Artios
\WebCenter\ApplicationServer\JBoss\bin\wcr_jboss_srv_cmdrun.bat.
12
WebCenter
5
5. Installation Checklist
The Installation Checklist can be used as a tool alongside the rest of the Installation Guide to
ensure you completed all the necessary steps during the installation. There are two versions,
the first one can be used for a fresh installation, the second one can be used in case of an
upgrade.
Note: For servers with Windows Server 2012 or with access to the Internet, this will
happen automatically.
Install the SQL Server 2012 SP1 Express Edition Database engine for WebCenter.
Always install SQL Management Studio on the Application Server.
Create the local BGSYSTEM Windows user (run the script from the WebCenter DVD to
create it).
Create the FileStore folder and share it as a network folder with all rights enabled for the
BGSYSTEM user.
13
5 WebCenter
Install the Application Server component of WebCenter; build the Database schema and
REBOOT.
Install the OBGE from the Automation Engine DVD by selecting the option: Install
Automation Engine 14.1 as On Board Graphics Engine (OBGE) for WebCenter.
Configure the Access Point (formerly known as Hot Folder) in the Automation Engine Pilot
to generate view files for graphic files.
On the Web Server...
Install and configure IIS 7 (Windows Server 2008 r2) or IIS 8 (Windows Server 2012) on the
Web Server.
Make sure that Enable 32-bit programs in IIS is set to False.
Increase the upload limit in the request filtering.
Install the Web Server component of WebCenter and REBOOT.
On the Application Server...
Since WebCenter 12.1, services are started automatically. Verify that the following services
are started:
JBoss
CAD-X
Application Monitor
On the Web Server...
Verify that the following services have been started:
TomCat
Application Monitor
Connect to WebCenter in your browser: http://[WebServer]/WebCenter_Inst.
Username: admin. Password: [blank].
Change password.
Install the ArtiosCAD Defaults in English and Import the Boards (directly from the
ArtiosCAD Defaults Installer).
14
WebCenter
5
FileStore
Database
On the Web Server...
Backup the whole ..\WebCenter\WebServer folder (make a copy, do not move it).
Uninstall the old version of WebCenter on both Application and Web Server and REBOOT
both servers after uninstall.
Remove all WebCenter instances in IIS on the Web Server.
On the Application Server...
Reserve TCP Ports.
Upgrade to ArtiosCAD Enterprise 16.0.1 located on the WebCenter DVD.
Upgrade the Network License Manager via the Install License Server Components
from the ArtiosCAD installer.
Upgrade WebCenter Licenses and dependants (CAD Engine and OBGE) to 16.1.
In case of still using MSDE 2000 Database, use the migration tool on the WebCenter 12.X
DVD to migrate from MSDE 2000 to SQL 2005 Express (oldest Database engine supported
for upgrades).
If you are using MS SQL Server, make sure that SQL Management Studio is always
installed on the Application Server.
Install the Application Server component of WebCenter using the existing FileStore and
Database. DO NOT REBOOT YET
Re-apply email customization on the Application Server.
Build the Database schema if this was not done during the installation.
REBOOT
Update to Automation Engine OBGE 16.1 and configure the Access Point (formerly known
as Hot Folder) in the Pilot to generate view files for graphic files.
On the Web Server...
Install the Web Server component of WebCenter.
Make sure that Enable 32-bit programs in IIS is set to False.
To be able to use Excel based lists from the Web Server, install a 64-bit driver (see link on
the WebCenter DVD). DO NOT REBOOT YET
Re-deploy WebCenter Instance(s) and re-apply customizations.
REBOOT
On the Application Server...
Since WebCenter12.1, services are started automatically. Verify that the following services
are started:
JBoss
CAD-X
Application Monitor
On the Web Server...
Verify that the following services have been started:
15
5 WebCenter
TomCat
Application Monitor
Connect to WebCenter in your browser: http://[WebServer]/WebCenter_Inst.
Username: admin. Password: [old admin password].
Install or merge the ArtiosCAD Defaults in English and Import the Boards (directly from
the ArtiosCAD Defaults Installer).
16
WebCenter
6
6. CHILI-WebCenter Connection
The https ports must have a security certificate attached to it in order to be able to work with
Web Server.
Note: The best practise is to install a properly signed certificate, matching the CHILI server
hostname (NOT the tricked hostname) on the CHILI server. In this scenario, the validation of
the SSL certificate will be smooth when the WebCenter Application Server makes a connection
to it.
Alternatively, you may use a self-signed certificate. However, these are NOT supported for the
WebCenter Web Server. You may get SSL validation errors when the WebCenter Application
Server tries to connect to the CHILI server due to this.
As a work-around, use the WebCenter LDAP CertInstall tool:
17
7 WebCenter
7. Pre-Installation Steps
Execute the following steps to make sure you have all the required information and materials
for the installation.
Attention:
Logging on as DOMAIN ADMIN does not ensure you are a member of the local
Administrators group.
Verify that the account you are using to log on to each machine belongs to the local
Administrators group before you continue!
Note:
The mail server must be on the same network as the WebCenter Application Server.
Also, ensure this mail server has a send-only e-mail account already created for specific
use with WebCenter notifications (this usually requires creation of an account such as
webcenter@mycompany.com).
18
WebCenter
7
19
7 WebCenter
Note:
Ensure that you can use telnet commands and that its port is not blocked in any way.
Make sure you test this before starting the installation. IT Administrators often block the
required SMTP ports.
20
WebCenter
7
Go to Control Panel > Network Connections , right-click on the active network
connection and choose Properties. On the Advanced tab, ensure Internet Connection
Firewall is disabled.
d) Stop and temporarily disable virus software.
Temporarily stop virus services on the Web Server and the Application Server as they are
known to interfere with the WebCenter installation script.
Only after the software is installed should you enable the virus software again.
21
8 WebCenter
8. Installing WebCenter
Installing WebCenter is a multi-step process spread over two or three servers depending on
your configuration. We strongly recommend having three servers.
22
WebCenter
8
Note: These services are set to start automatically by the installer and will thus be started
automatically after each machine reboot. If you prefer to start the services manually, you
may set them to start manually by changing their properties in the Services applet via
Control Panel > Administrative Tools .
Note: Since WebCenter 12 a new monitoring service is installed and started automatically.
This service can be used by your WebCenter support agent for troubleshooting.
7. Install the On-Board Graphics Engine (OBGE) from the Automation Engine media. This will take
about a half hour.
Note:
You must install the OBGE even if you are running a separate Automation Engine
production server.
The OBGE will handle files uploaded through the WebCenter user interface, reducing the
load on your Automation Engine production server.
23
8 WebCenter
8. On the Database Engine Configuration screen, choose the Mixed Mode authentication
type.
9. On the same screen, specify the SQL Server system administrator (sa) password. The
default password is (Drupa2000), but you can enter a different one if desired.
10.On the Reporting Services Configuration screen, select Install and Configure and click
11.The system will now continue with the installation. The last screen shows that the
installation process was completed successfully. You may be asked to restart the computer.
12.If you now inspect your Programs, you should see Microsoft SQL Server 2012 listed, along
with other tools like SQL Server Management Studio.
13.Launch the SQL Server Management Studio to check the connection to the Database
Engine.
14.In case it has not been created yet, add a new database named WebCenter4_0.
15.Launch the SQL Server Configuration Manager to check the TCP/IP and SQL Server service
statuses.
16.Choose SQL Server Network Configuration > Protocols for WEBCENTER > , make sure
TCP/IP is set to Enabled for WEBCENTER.
17.In the SQL Server Services section, restart the SQL Server service. Also, make sure the SQL
Server Browser service is running.
Important:
Even if the Application Server already has a version of ArtiosCAD on it, you must load the
version that came with WebCenter. In the case of WebCenter 16.1, you need ArtiosCAD
Enterprise 16.0.1
Make sure to also run the Install Network License Components installer from the
ArtiosCAD Installer.
In order for WebCenter to output PDF files, the ArtiosCAD PDF option must be purchased
and then chosen when installing.
For more information on loading and configuring ArtiosCAD, refer to its installation
instructions on the ArtiosCAD media.
3. In the Esko ArtiosCAD Setup window, click Install Esko ArtiosCAD 16.0.1en.
Depending on your system configuration prior to loading ArtiosCAD, the Microsoft Data
Access Components and MSXML 6 may be copied to your system.
If the system prompts you to reboot, do so; the installation program will resume
automatically when you log in after the system comes up again. Do not postpone rebooting
if the system requests it.
24
WebCenter
8
4. The Esko ArtiosCAD 16.0en InstallShield Wizard opens.
a) In the Licensing Method screen, choose Network Licenses. Make sure the Server field
contains the name of the Application Server (it should be filled in by default).
b) In the Setup Type screen, choose Typical for a regular WebCenter installation, or
Advanced if you will be working with ArtiosCAD Enterprise.
c) In the Feature Selection screen, make sure PDF Import/Export is enabled.
Note: You will only see this screen when performing an Advanced setup to work with
ArtiosCAD Enterprise.
d) In the Advanced Options screen, you can leave the default options selected. If you wish
to change them please see the ArtiosCAD documentation for details.
Note: You will only see this screen when performing an Advanced setup to work with
ArtiosCAD Enterprise.
e) In the User Files Folder screen, keep the default location for the storage of user files, or
Change it if desired. If you change the location to another system, use a UNC locator (for
example \\system2\designs) instead of a mapped drive letter.
Note: You will only see this screen when performing an Advanced setup to work with
ArtiosCAD Enterprise.
f) Click Install.
g) Once the installation is complete, click Finish to close the installer.
5. If the system asks you to reboot, do so.
Note: You will need to perform extra configuration later to work with ArtiosCAD Enterprise.
Note: Since ArtiosCAD 14.0, you can install the Boards automatically during the ArtiosCAD
Defaults installation, this is highly recommended. In case you do not choose to install the
Boards during the ArtiosCAD installation, you will have to import them manually later.
25
8 WebCenter
Note: To perform this task, consult the Network License Manager User Manual.
26
WebCenter
8
a) Click the icon next to WebServer and select This feature will not be available.
b) Click the icon next to Application Server, and select This feature, and all subfeatures,
will be installed on local hard drive.
c) If desired, click Change to change the installation folder.
d) Click Next.
7. In the WebCenter File Storage Folder screen, choose the location where all data files
uploaded to WebCenter will be stored (the FileStore).
Note: If you want to change the FileStore location, click Change... and browse to your
desired location or enter a UNC address. Using a UNC location such as \\system
\sharename\FileStore is the most reliable option. The FileStore should be on a partition
with at least 50 GB of free space.
Troubleshooting:
If the installer fails to create the FileStore, it will give you a message saying that you have to
set it up manually.
Go to the folder that you will use as a FileStore (by default, C:\Esko\Artios\WebCenter
\FileStore, or the location of your choice), and share it (typically to the user BGSYSTEM).
Click Next.
8. In the Web Server System screen, enter the name you will give to the Web Server and click
Note: Once you have completed the installation and launched WebCenter, the Application
Server must be able to resolve the Web Server name you have entered here into an IP
address.
• Microsoft SQL Server, enter your Database Instance Name. By default, this is
WEBCENTER (using the SQL Server 2012 Express Edition installer on the WebCenter
installation media created this instance).
11.Choose between a Standard (default) and an Extra Large deployment. If Extra Large
is selected, Tomcat and/or JBoss (depending on the server being installed) will be able to
allocate 3 times more memory as is the case with a Standard installation.
27
8 WebCenter
12.Choose between an Internal (default) or External View server. This screen will only be
shown in case of an Application Server installation. If Internal is selected, the View Server
will be running inside the JBoss process. If External is selected, an additional process
running the View Server will be started automatically. Note: For the External view server to
work, 3 extra ports need to be open in the firewall between the web and the application
server: 11099, 12500 and 14444.
28
WebCenter
8
2. Run this file with the appropriate parameters in the console.
Tip:
Run this file without parameters first to see help about which parameters you need to use.
• If you have a SQL database, you will see this:
• If you have an Oracle database, you will see this:
29
8 WebCenter
30
WebCenter
8
d) In Common HTTP features, make sure Default Document, Directory Browsing, HTTP
Errors and Static Content are enabled.
e) In Security, make sure Request filtering is enabled.
9. In the Confirm installation selections screen, check the settings and click Install.
This installs the IIS 7 or 8 Role with the settings you have selected and the default settings.
The Installation Results screen should show Installation succeeded.
10.Click Close to exit the wizard and restart the server if prompted.
Note: Only do this if you previously had WebCenter 10.x or 12.x installed on the same system.
Previously, 32 Bit Applications needed to be enabled. Now however, this settings needs to be
disabled.
31
8 WebCenter
Note: If it has not been loaded, you must load it through Add/Remove Windows
Components in Add/Remove Programs in the Control Panel.
3. Insert the WebCenter media into the media drive, and click Software Installation on the
menu that appears at left, then Install WebCenter 16.1.
4. The setup wizard opens with a Welcome screen. Click Next.
5. In the License Agreement screen, read the agreement, and if you agree to it, select I
accept the terms in the license agreement and click Next.
6. In the Custom Setup screen:
a) Click the icon next to WebServer, and select This feature, and all subfeatures, will be
installed on local hard drive.
b) Click the icon next to Application Server and select This feature will not be available.
c) If desired, click Change to change the installation folder.
d) Click Next.
7. In the Option Selection screen:
a) Enter the name of the Application Server.
This should be a different machine than the one currently running the installation.
Note: You cannot configureWebCenter with IP addresses. If the web server is not
able to find the application server via name resolution, you can map the IP address of
the application server and the hostname of the application server in the C:\Windows
\System32\drivers\etc\hosts file. For example: 10.31.140.69 myappserver.
b) If you want to install WebCenter using an already-existing IIS website (rather than the
Default Web Site), select it in the list.
c) Click Next.
8. Click Install.
9. The Esko Station Information Service may be installed if this is the first Esko software
being loaded on the machine.
If it installs, click Continue when it is done, or wait 10 seconds for the process to continue
automatically.
10.Click Finish when the installation completes.
11.Reboot the machine if prompted.
32
WebCenter
8
2. Click Start > Settings > Control Panel > Administrative Tools > Services .
3. Select the WebCenter JBOSS Application Server and click Action > Start .
4. If not started yet, select the WebCenter Application Monitor service and click Action >
Start .
5. Select the WebCenter CAD-X Server and click Action > Start .
6. If you want to change the services to start automatically when the machine reboots, do so
now:
a) Right-click a WebCenter service and choose Properties.
b) In the General tab, choose Automatic in the Startup type list.
c) Click OK.
d) Repeat for each service that has to start automatically.
7. Close the Services tool and log off.
1. Create a new shortcut in the Start Menu > Programs > Startup folder.
2. Browse to Windows\system32\TASKMGR.EXE.
3. Set the shortcut to Run "Minimized".
33
8 WebCenter
1. On the DVD, in the section Software installation, click the type of installation that fits your
purpose (as explained in Types of Installations).
2. In the section Installation, under Instructions, click Run the Automation Engine
Readiness Check.
3. At the end of the Readiness Check, read the resulting messages carefully.
4. If the Readiness Check resulted in any problem, correct it before proceeding.
5. Click Exit.
1. On the DVD, in the section installation, click Install the Prerequisites Components.
2. Follow the instructions of the installation wizard.
3. When you choose a Standard installation, when asked to enter a password for the SQL
Server, click Use Default to use the default sa password. Or you can enter a Password,
confirm it and click Use Password to use a different password, for example because of
"Strong Password" requirements.
4. Depending on your activated licenses, the Automation Engine Prerequisite Components
First Installation process may ask you separately about the CAD-X component installation
for both the Standard Edition component and the Enterprise Edition component. Click No.
5. Click Exit.
You will be redirected to the installation page to continue with the next step.
34
WebCenter
8
The pre-installation task checks the password complexity rules and domain policies. If the
default password for the BGSYSTEM user does not fulfill the requirements, a pop-up dialog
requests a password.
During installation, only a BGSYSTEM user is created. This user will be used as Automation
Engine System Account (you can choose to change it later using the System Account page).
A clean installation ends with two empty user groups: BGUSERS and BGADMIN.
Learn more about Users and Groups in the separate chapter Pre-Install IT Requirements Guide.
35
9 WebCenter
9. Testing WebCenter
On the Application Server and the Web Server, ensure IIS and the WebCenter services are
started and configured to start automatically.
After starting/restarting the WebCenter services, always wait a few moments until the CPU
processor activity on both servers become idle (<5%) before attempting to access the login
page.
Testing each facet of WebCenter in the exact order below helps to easily and quickly identify
points of failure, if any.
36
WebCenter
10
5. In that window, go to File > New or click .
This opens the Create Container Wizard.
6. In the Welcome screen, click Next.
7. In the Location of the Job Container screen, select Existing Shared Folder and click Next.
8. In the Location of the Network Folder screen, type the name of the Application Server in
the Computer Name field and click Next.
9. In the Select the shared folder screen, select the FileStore share and click Next.
37
10 WebCenter
The Hot Folder/Access Point now appears in the Pilot and is ready for use.
The OBGE will now poll the Hot Folder every 5 seconds instead of only once every minute.
38
WebCenter
10
Setting Description
E-Mail Service Host The address for the preferred mail server that will act as
the server for dispatching WebCenter e-mail notifications
(this server has to comply to the selected protocol type (see
above)).
E-Mail Service Port The port number on which the defined mail server is
Number listening for incoming e-mails.
Outgoing E-Mail Supply a valid e-mail address. This will be used in the "From"
Notifications' "FROM" e-mail header for every e-mail sent by WebCenter.
Address
E-Mail Session Select this option if the mail server connection requires
Authentication authentication with a user name and password.
39
10 WebCenter
4. Type a Recipient address and click Send E-mail.
WebCenter attempts to send an e-mail to the recipient.
The E-Mail Configuration page appears, displaying a message depending on the result of
the test:
• JMS System Error: Communication with the JBoss' proprietary messaging framework
failed.
An administrator should check the JBoss server configuration and/or log files for possible
causes.
• Mail Server Connection Error: The connection to the specified mail server did not
succeed.
Either the data the administrator supplied on the e-mail environment setup page was
incorrect, or the mail server is currently down.
An administrator should either check the e-mail environment settings for possible
misspellings or contact the mail provider as to the status of the mail server.
Note: The settings you defined are saved in the database. For updates from older
WebCenter installations, the email setup is first loaded from the old emailconfig.xml file
and the settings are subsequently stored in the database.
40
WebCenter
10
Note:
You should decide if you want to use BLOBs when you install WebCenter. Switching to using
BLOBs after having used ArtiosCAD Enterprise is not recommended or supported.
Restarting Services
Once you have changed appconfig.xml on the Application Server, restart all the Application
Server’s WebCenter services to start using BLOBs in ArtiosCAD Enterprise.
41
10 WebCenter
ArtiosCAD Enterprise is now configured to use BLOBs. Note that WebCenter will keep copies of
managed documents in its FileStore to improve performance.
Note:
Even if you do not plan to use WebCenter in combination with ArtiosCAD Enterprise, it is
still necessary to install the Defaults in order for WebCenter to be able to process CAD files
properly. Therefore, it is highly recommended to install the Defaults, even if you do not plan to
use CAD files initially.
Note:
The system you use for loading the Defaults must be able to keep the Defaults on it. You will
have to follow the same process to load future Defaults and the new installation will reference
the older version’s Defaults as part of its installation. We recommend using the Application
Server for this process.
Note:
This procedure takes a significant amount of time. We recommend starting it and doing
other things until it completes.
42
WebCenter
10
3. In the Login to Web Browser dialog box, enter your WebCenter server URL, admin
username, admin password, and click OK.
4. Click Create new shared defaults.
5. A progress bar appears. This step will take a few minutes.
6. Click Close when the installation process is done.
Note: See the WebCenter Administration Guide for more details about the following steps.
1. Log on to WebCenter with the admin account (see Log On to WebCenter and Change the
Admin Password).
2. Configure a Company and Location for the initial ArtiosCAD Enterprise users.
3. Create a custom group, if desired, for the initial ArtiosCAD Enterprise users.
4. Create the initial ArtiosCAD Enterprise users. While creating them:
a) Make sure they are at least Project Managers with Limited Visibility of Companies
and Groups.
b) Assign them to the Company and Location you created.
c) Assign them to one or more groups.
Even if you did not create any custom group, you should assign them to the USERS
group.
5. Invite them to the System Defaults Project (which is Shared Defaults in ArtiosCAD
Enterprise).
Tip: You can do this either individually for every user or once through Group membership if
you added all users to the same group (such as USERS).
Inviting them to the Project means that they will be able to use the Defaults.
In order for users to change Shared Defaults, they must have Full permissions on the
Project and be members of the ADMINS group.
Note: All ArtiosCAD Enterprise users must be invited to the System Defaults Project. Users
who are not invited to the project will receive a UFANEX error when they launch ArtiosCAD
Enterprise.
43
10 WebCenter
Note: We strongly recommend you secure your WebCenter site with SSL, especially if you plan
to use WebCenter over the internet (not only within a Local Area Network).
1. On the Web Server, click Start, then Administrative Tools, then Internet Information
Services (IIS) Manager.
2. In the Internet Information Services (IIS) Manager dialog, click your server name (at left).
3. In the dialog's central pane, double-click the Server Certificates icon in the Security
section.
4. In the Actions pane at right, click Create Certificate Request...
This opens the Request Certificate wizard.
5. In the Distinguished Name Properties screen, enter your information as follows:
• Common Name: the name through which the certificate will be accessed (usually the
fully-qualified domain name, for example).
• Country/region: the two-lettered ISO-3166 country code of the country in which your
organization is located. You can find a list of valid country codes on
csrs/country_codes.
Click Next.
6. In the Cryptographic Service Provider Properties screen:
44
WebCenter
10
• leave Cryptographic Service Provider to Microsoft RSA SChannel Cryptographic
Provider,
Note:
• If you do an Internet Search for “SSL certificate”, you will find many providers with
different pricing and options. We have good experiences with VeriSign, Network
Solutions, Godaddy.com, and Thawte.
• The application process can take up to 30 days… Start the application process well in
advance!
• If your company has a DNB (Dun & Bradstreet) number, the application process will be a
lot easier and quicker if you can provide it.
• your server certificate, verified by that intermediate certificate (signed by the Certificate
Authority).
Make sure you have both certificates before going further! You will need to install both of
them on your Web Server.
3. Copy those certificates to your Web Server.
45
10 WebCenter
Note: Only install your intermediate certificate, not your signed certificate in this area!
Installing your signed certificate here would remove your intermediate certificate from
the list, and you would need to reinstall it.
e) Click Next.
10.In the Certificate Store screen:
a) select Place all certificates in the following store,
b) click Browse, select Intermediate Certification Authorities in the Select Certificate
Store pop-up, and click OK,
c) click Next.
11.Click:
a) Finish in the Certificate Import Wizard dialog,
b) OK in the Certificate Import Wizard pop-up stating that the import was successful.
12.Close the Console1 window, then click No in the pop-up asking to save the console settings.
1. On the Web Server, extract your *.cer certificate file from the zip file you got from the
Certificate Authority.
2. Click Start, then Administrative Tools, then Internet Information Services (IIS)
Manager.
3. In the Internet Information Services (IIS) Manager dialog, click your server name (at left).
4. In the dialog's central pane, double-click the Server Certificates icon in the Security
section.
5. In the Actions pane at right, click Complete Certificate Request...
This opens the Complete Certificate Request wizard.
46
WebCenter
10
6. In the Specify Certificate Authority Response screen:
a) browse to your *.cer certificate file,
b) enter a Friendly name for your certificate.
This will be used by the server administrator to easily distinguish the certificate.
c) Click OK.
Your certificate is now installed. If you cannot see it yet in the Server Certificates list of the
Internet Information Services (IIS) Manager dialog, press F5 to refresh.
1. If you haven't done so already, install the intermediate certificate on your Web Server.
2. Export your signed certificate from the server it is installed on:
a) In Internet Information Services (IIS) Manager, select your certificate in the Server
Certificates list and click Export... in the Actions pane at right.
b) In the Export Certificate dialog that opens:
1. Type a file name in Export to, or click the browse button to navigate to a file in which
to store the certificate for exporting.
2. Type a Password if you want to associate a password with the exported certificate.
3. Retype the password in Confirm password and click OK.
This exports your certificate to a .pfx file.
3. Import your signed certificate on your Web Server:
a) Click Start, then Administrative Tools, then Internet Information Services (IIS)
Manager.
b) In the Internet Information Services (IIS) Manager dialog, click your server name (at
left).
c) In the dialog's central pane, double-click the Server Certificates icon in the Security
section.
d) In the Actions pane at right, click Import...
e) In the Import Certificate dialog that opens:
Note: This is important, as due to a bug in IIS, the site binding will not work if the
certificate is not exportable.
4. Click OK.
Your certificate is now installed on your Web Server. If you cannot see it yet in the Server
Certificates list of the Internet Information Services (IIS) Manager dialog, press F5 to
refresh.
47
10 WebCenter
1. Still in the Internet Information Services (IIS) Manager, right-click the Default Web Site
node in the Connections pane, (or the node of the IIS website you have deployed your Web
Server on if it's not the default website) and select Edit Bindings...
2. In the Site Bindings dialog that opens, click Add.
3. In the Add Site Binding pop-up:
a) Choose https as Type.
b) Leave the default https Port (443).
c) In the SSL Certificate list, select your Web Server.
d) Click OK and then OK again.
1. On your Web Server, download and install the URL Rewrite extension for IIS.
Go to, click the Install this extension
button and follow the steps on screen.
2. In the Internet Information Services (IIS) Manager, make sure SSL is not required so
users don't get an error when connecting to your site using http://:
a) Select the Default Web Site node in the Connections pane, (or the node of the IIS
website you have deployed your Web Server on if it's not the default website).
b) Double-click SSL Settings in the center pane.
c) Under SSL Settings, make sure that Require SSL is not selected.
48
WebCenter
10
3. Click Default Web Site or the node of your IIS website again, then double-click URL
Rewrite in the center pane.
4. Create a blank inbound rule:
a) Click Add Rule(s)... in the Actions pane at right.
b) In the Add Rule(s) pop-up, click Blank rule under Inbound rules, then click OK.
The center pane now shows the Edit Inbound Rule form.
5. Edit the rule as follows to perform the automatic redirection:
a) Enter a Name for the rule, for example HTTP to HTTPS redirect.
b) Under Match URL, fill in the settings as follows:
Pattern (.*)
Ignore case on
c) Under Conditions, select Match All in Logical grouping.
d) Add the first condition:
Pattern off
Ignore case on
This ignores addresses starting with https:// (they don't need to be redirected).
3. Click OK.
e) Add the second condition:
Pattern ::1
Ignore case on
This ignores addresses using localhost through IPV6 (::1), as forcing https:// for
those would give a certificate error as the one below (because the certificate is linked
to your site name and not the server's IPV6 address).
49
10 WebCenter
3. Click OK.
f) Add the third condition:
Pattern 127.0.0.1
Ignore case on
50
WebCenter
10
h) Click Apply in the Actions pane at right.
You should now see your rule in the URL Rewrite list in the center pane.
51
10 WebCenter
6. Browse to your WebCenter site using http:// and check that it is redirected to a https://
connection.
Important:
If you have installed your certificates properly on the Web Server (the intermediate certificate
and the signed server certificate), this should work without you having to do anything.
If you haven't, or you are still experiencing connection problems, you should import the
WebCenter certificates into the Automation Engine keystore.
This can also apply when WebCenter and Automation Engine are in the same LAN, if https://
communication is also enforced inside the LAN. Check with your network administrator if this
is the case.
52
WebCenter
10
b) In the Certificate dialog, click the Certification Path tab.
This tab displays the certificate hierarchy. Each top-level entry in the hierarchy represents
a certificate.
4. Export all the certificates (top-level entries) in the hierarchy:
a) Highlight the first certificate in the hierarchy (for example, Thawte Server CA
(SHA1)).
b) Click View Certificate.
c) Click the Details tab.
53
10 WebCenter
d) Click Copy to File to begin the Export Wizard. Click Next.
e) Select DER encoded binary… (.CER) and click Next.
f) Click Browse or type in a valid path and name the certificate (*.cer). We recommend
using a short path and name (such as c:\temp\vali.cer). Click Next.
g) Click Finish, then OK and once more OK.
54
WebCenter
10
h) Repeat these steps until you have exported all the certificates. Close the web browser
when you are finished.
Example
You are running Automation Engine 14 and the Automation Engine server software is
installed on E:\Esko.
You have downloaded two certificates from the WebCenter site in the folder c:\temp:
valicert.cer and starfield.cer.
valicert.cer was first in the hierarchy, so you would import this first, then repeat for
starfield.cer.
You would proceed as follows:
55
10 WebCenter
Tip:
You should also do this if publishing fails because Automation Engine doesn't have the
appropriate certificates. Typically, this gives an error message like the one below:
1. While logged on to the Automation Engine client machine as a local administrator, open a
DOS command prompt.
2. Change to the Esko Automation Engine software directory which contains the keytool utility:
\bg_prog_fastservercltnt_vxxx\jre\bin
For Suite 12, this will typically be c:\esko\bg_prog_fastservercltnt_v120\jre\bin
Note: For the client, make sure to use bg_prog_fastservercltnt and not
bg_prog_fastserver as for the server!
3. Run the import utility for each certificate downloaded, in the proper order: keytool –
import –file <path>\*.cer –alias <aliasname> -keystore <keystore_path>.
Your <keystore_path> is the path to bg_prog_fastservercltnt_vxxx\jre\lib
\security\cacerts. For example: c:\esko\bg_prog_fastservercltnt_v120\jre
\lib\security\cacerts.
You will be prompted for a password. The password is: changeit (case sensitive).
4. You might be asked to trust the certificate. Enter Y for Yes.
It is also possible that the tool tells you that this certificate is already installed. If so, that’s
ok, go on with the next certificate.
You should get a successful message like Certificate was added to keystore.
5. Repeat for each certificate to import in the hierarchy.
6. Reboot the Automation Engine computer to ensure that the changes take effect.
56
WebCenter
10
1. Open a command prompt on the WebCenter Application Server.
2. Change directory to the location of \WebCenter\ApplicationServer\LDAP
\CertInstall.bat.
3. Issue the following command: CertInstall servername:port, where servername is
the name or IP of the LDAP server and port is the port used for secure connection (typically
636).
If successful, a list of certificates sent by the server is displayed (ignore any additional
messages).
4. To install a given certificate, enter its number in the list and press Enter.
We suggest that you install all certificates. Only one certificate can be installed each time
you run CertInstall so it can be necessary to run it multiple times.
57
10 WebCenter
Note:
Troubleshooting the certificate installation
The certificates should be properly installed. If not, try these troubleshooting tips:
• Server or port name is not correct
If the supplied parameters are wrong, the result can look something like the following:
In this case, contact your IT system administrator and verify the parameters supplied.
58
WebCenter
10
• Add the WebCenter site information in the Automation Engine Configure window.
• Configure the Job Web Page URLs in the Automation Engine Configure window.
• Set up the WebCenter View information for the Automation Engine users.
• Set up the Publish on WebCenter ticket.
5. In the Website field of the Delivery area, enter the URL of the WebCenter site (for example:).
59
10 WebCenter
Note: If your site uses secure HTTP, make sure to enter an HTTPS address.
6. Click Open... to test the connection. The login page for WebCenter should appear. If it
doesn't, check your settings.
7. If the Automation Engine server and the WebCenter Application Server are not on the same
LAN, deselect WebCenter and Automation Engine are in the same LAN.
The User Name and Password fields then become available. This is where the Automation
Engine Approval Client configuration in WebCenter is used.
Create a user name and password combination in WebCenter, then enter that same
(case-sensitive) user name and password in the appropriate fields in Automation Engine
Configure.
Click Check Connection to test the connection.
Important: You must be using the Pilot on the Automation Engine server itself to run this
check.
A dialog box appears, proving that the connection works and displaying the WebCenter
version number.
8. If the Connect to JDF Processor area is visible, leave JMF selected in it.
9. Click Check to test the connection.
An Info dialog appears, reporting that the connection is OK. Click OK.
If this dialog does not appear, check your settings.
10.On the left of the Configure window, scroll down and select the new WebCenter1 entry
under WebCenter Sites.
11.Click File > Rename and enter a descriptive name for your WebCenter site.
12.Click File > Save to save the settings.
1. Launch the Automation Engine Pilot and connect to the production server with an
administrator account.
2. Choose Tools > Configure.
3. In the Configure window, select Jobs > Job Web Page in the left pane.
4. In the Address field, enter the URL of the WebCenter site (for example: http://
pacwebserver/WebCenter).
5. Still in the Address field, append this text to the end of the URL: /projdetails.jsp?
projectName=
6. Click +[ ] InsertSmartNames.
7. In the SmartNames column, scroll down and click JobName.
60
WebCenter
10
8. Click Insert to append it to the URL in the Address field.
9. Click Close to return to the Configure window.
The result should resemble?
projectName=[JobName] with [JobName] in green.
10.Click File > Save to save the settings.
You can now right-click your Job folder in the Automation Engine Pilot and select Go to Job
Web Page; this opens the WebCenter project associated with your Job in a browser.
1. Launch the Automation Engine Pilot and connect to the production server with an
administrator account.
2. Click the Tickets view.
3. Locate the Publish on WebCenter default ticket, right-click it and click Duplicate....
4. In the Save As pop-up that opens, replace the word Default in the Save As field with a
meaningful name (for example the name of your WebCenter site).
5. In the Scope area, select the Global option.
If you have no blue job folders containing files, you are not prompted to select the scope.
6. Click Save. The new ticket should appear in the list.
7. Double-click your new Publish on WebCenter ticket to change its settings.
8. On the Destination tab, define where you want to publish your file:
a) In the Site list, select your desired WebCenter site.
b) In the Project field, enter the JobName SmartName so that the files are published to the
WebCenter project corresponding to your Automation Engine job.
Note:
• The project does not have to exist in WebCenter at upload time. If the project does
not exist, it will be created. In this case, the person that does the upload from
Automation Engine needs to be Project Manager in WebCenter! Otherwise the
upload will fail.
• If your main goal is not to upload files but to create WebCenter Projects through
Automation Engine, we recommend you use the Create or Modify WebCenter
Project ticket instead (see the Automation Engine documentation for more
information).
c) Leave the Folder and Project Template fields blank unless you know the exact names of
the folder and project template you want to use for every new Project.
In this case, enter them as appropriate; all new WebCenter Projects created with this
ticket will use these values.
61
10 WebCenter
Note:
• You can only use templates that are visible by the WebCenter user performing the
upload (see sub-step f).
d) Enter a Document Name if you want your published document to have a name
different from the input file name.
Note: If the document already exists, the task will create a new version of that
document. If it exists but is in a different folder, the task will fail.
e) Enter a Document Description if desired; this description will be available in WebCenter
as a Version Comment.
f) Leave the User Name and Password fields blank unless there is a specific (and valid!)
WebCenter user who will own each document revision published using this ticket; in that
case, enter the appropriate information.
If you leave these fields blank, anyone using the ticket will have to supply a valid user
name and password each time it is used.
9. On the Publish tab:
a) Leave Prepare for viewing and annotating and Make available for download
selected.
b) In the Allow Downloading in WebCenter area, choose the kind of files to upload to
WebCenter.
• PDF files for proofing are proxy files created by using the selected ticket. If you
choose PDF files for proofing, leave the default Create SoftProof for WebCenter
ticket selected, or choose another ticket if desired. Proxy files uploaded in this
manner will have Download PDF for printing as an option in WebCenter.
The combination of preparing for viewing but not making available for download is
intended for Graphics files that only need Approval.
10.On the Approval tab, deselect Start the Approval Cycle.
11.Click Save. Then click Yes to confirm overwriting the ticket.
62
WebCenter
10
• Contact a proper authority (VeriSign, GoDaddy, etc) and purchase a domain name.
Note: It takes several days for the A record information to propagate around the world.
Example
MCI is your ISP. You contact MCI and ask them to add an A record for your new domain
name,, to forward HTTP and HTTPS traffic to your public firewall IP address
of 66.55.44.33.
63
10 WebCenter
After about 3 days or so, this record has been propagated across the world. If someone in
Thailand ‘pings’ the domain name, he/she should receive a reply with the IP
address of 66.55.44.33.
10.7.3 Move the Web Server Inside the Demilitarized Zone (DMZ)
You should physically arrange the network devices so that the Web Server is in a proper DMZ
architecture (between two firewalls or plugged into a DMZ port of the public router/firewall).
Note: You can change the default port numbers used at any time—to do this, modify the IIS
settings and the WebCenter configuration files on both the Web Server and the Application
Server to reflect these custom port numbers.
1. On the Web Server, click Start > Run and type inetmgr. Then click OK to start Internet
Information Services (IIS) Manager.
2. Expand the Web Site node.
3. Right-click the Web Site node and choose Properties.
4. Click the Web Site tab and verify that the IP Address is correct (or use the drop down list to
change it).
5. In the TCP Port field, ensure you are using the correct port for HTTP traffic; the default port
is 80 (this needs to match your firewall rules).
6. Close IIS Manager.
64
WebCenter
11
Deployment Workflow
The intended workflow is to install WebCenter, deploy it to Development, modify the
Development version, and then when you are satisfied, deploy the Development version to
Production.
As time goes by, you can keep modifying the Development version as desired without affecting
the Production version. When you are satisfied with the changes made to the Development
version, you can deploy it to Production.
At the time of deployment, the custom directory is not overwritten if it already exists in a
target instance, so customizationConfig.xml and any other customized files in the custom
directory are not changed. But when a new instance is created by deployment, the custom
directory is created with its default configuration.
To further develop the installed version, use the WebCenter Deployment Manager:
• If you want to change the name of the development version, click the ... button in the
Development area, and specify the new name of the development version. When you have
changed the name, click Deploy Development.
Web authors can then modify the site at
(or whatever name you chose earlier), while normal users can still work using the site at.
• Once the developed version is ready for production use, use the WebCenter Deployment
Manager again.
If you want to change the name and location of the production version, click the ... button in
the Production area and enter the new name. Then, click Deploy Production.
65
11 WebCenter
The site in WebCenter_Dev will be copied to WebCenter. Production use starts by users
pointing their browsers to.
Note:
You can have multiple development and deployment versions of WebCenter by changing the
names for each deployment, e.g. DEV1, DEV_Other, WebCenter_Prod1, and so forth.
Also, the deployment name is not case sensitive, so for example WebCenter_Dev and
WebCenter_dev are considered to be the same deployment instances.
66
WebCenter
12
1. Copy one of the existing language files, and rename the copy changing the two-letter
language code to the new language code.
Note: The language code must match the official list of two-letter ISO 639-1 codes at. For example, a Danish
language word strings file would be named wcstrings_da.xml.
67
12 WebCenter
6. If the chosen language is a multi-byte language (such as Japanese, Chinese, or Thai), log on
to the Application Server and edit \Artios\WebCenter\config\appconfig.xml. Change
the value in the index_lang field to the appropriate language code that is listed in the
comment below the field, and save the file.
7. Restart the Web Server to see the changes.
68
WebCenter
13
Note: Esko recommends the use of xmlspy® for authoring WebCenter Help XSL files. It is
available from. There are also shareware and freeware XSL editors
available. You could also modify the sample provided using a text editor such as Notepad; do
not use WordPad as it inserts its own formatting codes.
• To change the Webmaster contact name and e-mail address displayed on the login help
page, edit login.xsl.
• If using foreign-language files, append _xx (where xx is the code for the language) to the end
of the file name before the extension, such as login_fr.xsl for a French help file for the login
page.
When determining if a Help link should be on a page, WebCenter looks for a localized Help file,
and then for an English one if a localized one is not found. If neither exist, WebCenter does not
put a Help link on the page.
New style dynamic help system linked to help.esko.com
Since WebCenter 12.1, a lot of pages (mostly in the admin section) use a dynamic help system
linked to help.esko.com. When a user clicks the help icon, context-aware help information is
displayed. By default the documentation from help.esko.com is shown, but this behavior is
customizable.
It is possible to customize a specific help topic, or to link a subset of help topics to a specific
manual or page. The behavior of the help functionality can be configured in the custom folder
on the Web Server.
Each help link has a topic (i.e. common/wc/reference/re_task ). The topic of a help
link can be found by looking at the link address: a help icon always links to help.jsp?
topic={TOPIC}&lang={LANG}.
For customization, the following options are available:
• By placing html files in the correct location in the custom folder on the Web Server:
Customization for help pages is done in the custom/help directory. Customization can be
done per language (by adding files to custom/help/{LANG} directory (where {LANG} is the
abbreviation for the language in WebCenter i.e. custom/help/en for English). Customization
can also be done for all languages. This is done by putting files in custom/help/all.
• By adding a helpconfig.xml file with specific settings to the custom/help folder on the Web
Server: This file can contain a set of rules that will be applied when no specific custom topic
69
13 WebCenter
is found. In the custom help file you define rules that match topic names. When a rule
matches, the rule is applied by sending the user to the correct location, defined in the rule.
Note:
The system first searches in the language specific custom folder for a customized html file, if
no html file is found for a specific language, it will search in the custom/help/all folder for that
topic.
70
WebCenter
14
Note: Reboot pending state of a system can be activated not only by WebCenter but also by
completed Windows updates or other application installation operations.
• Web Server
• Application Server
71.
• temp_dir- This node mentions the folder used to keep temporary work files.
• viewer_data_dir- The node mentions the folder used to store 2D Viewer data files for
individual viewable WebCenter Documents.
• document_thumbnails_dir- The node to store thumbnail files for Documents that support
having custom thumbnails generated per Document WebCenter object.
This is optional. If it is missing, Document Thumbnails are stored in the same folder as the
main Document files (as set in document_dir node).
72
WebCenter
14
Note:
This procedure is fairly complex and involves direct manipulation of core application and
database files.
Expert help is available to perform the upgrade for you at a minimal cost: contact your local
Esko Customer Services division for a quote and scheduling.
Information Needed
Make sure you collect the following information:
• The location of the FileStore (you can find this information in C:\Artios\WebCenter
\Config\appconfig.xml).
• The database engine to use (SQL Server 2008 (R2) / 2012 (Express Edition), Oracle 10g or
Oracle 11g).
Note: If you are already using SQL Server 2005 or SQL Server 2005 Express Edition, you
can continue using it. However, we recommend using SQL Server 2008 R2 or 2012 as it they
more capacity.
• The name of the Database Server, the Oracle Database Identifier (SID) if using an Oracle
database, and the database administrator password (sys password).
• The name and location of the WebCenter4_0 database instance (you can find this
information in Artios\WebCenter\ApplicationServer\JBoss\server\default
\deploy\wc5-ds.xml).
73.
74
WebCenter
14
• WebCenter 16.1 license (plus optional module licenses)
• all other non-standard customizations you may have implemented outside of the
custom folders
3. Make a restore point for the OBGE.
4. Make a backup of the server software configuration.
For detailed instructions on step 3 and 4, please refer to the Automation Engine 14
Installation Manual.
• WebCenter 14 DVD
2. Back up \Artios\WebCenter and any non-standard customizations you have
implemented outside of the WebCenter instances.
Note: Take care not to remove the FileStore if it is inside a WebCenter folder!
75
14 WebCenter
a) Remove the WebCenter software using the Add/Remove Programs applet in the
Control Panel.
b) Reboot the Web Server.
c) Using IIS, remove all WebCenter instances (only the default "WebCenter_Inst" is removed
automatically).
d) Using Windows Explorer, remove \Artios\WebCenter, and any other remaining
WebCenter-related folders.
Note: The installers in other languages should not be used, until further notice.
See Installing WebCenter on page 22 for more information on the installation procedure.
76
WebCenter
14
6. Install Certificates for LDAPS on the Application Server on page 56.
Note:
• The OBGE must have the same or a later version than the Automation Engine production
server.
• Make sure that you do not update any CADx component while updating the OBGE! CADx
must only be updated by the ArtiosCAD installer.
77
14 WebCenter
Attention:
• Do NOT copy the files as the XML structure might be different and you might
break it.
• Do not customize the Default instance of WebCenter as if it doesn't work
anymore you will have to completely reinstall it!
2. In case running the database scripts automatically (preferred) is switched off, run the
WebCenter 14 database scripts.
See Run the Database Schema Scripts on the Application Server on page 28 for more
information on the database schema scripts.
3. Log on the WebCenter web interface and change the administrator password (see Log On to
WebCenter and Change the Admin Password).
4. Deploy new WebCenter instances as desired.
See Deploying WebCenter on page 65 for more information.
78
WebCenter
15
79 | https://fr.scribd.com/document/378954510/Web-Center-Dev | CC-MAIN-2019-26 | refinedweb | 10,510 | 56.86 |
This isn't homework, I'm working through the Malik book on my own.
Am I supposed to use one big loop for this whole task, or a seperate loop for each sub-task?
Code:
//******************************************************************************
// Malik Chapter 5 programming exercise 8
// Pretty stinkin' involved!
// 'Write a program that uses a while loop to perform the following steps:
//******************************************************************************
#include<iostrea>
using namespace std;
int main()
{
//a. Prompt the user to input two integers (smaller one first)
int firstNum, secondNum;
//b. Output all odd numbers between firstNum and secondNum.
//c. Output the sum of all even numbers between firstNum and secondNum.
//d. Output the number and their square between 1 and 10.
//e. Output the sum of the square of odd numbers between firstNum and secondNum.
//f. Output all uppercase letters. | http://cboard.cprogramming.com/cplusplus-programming/88618-how-many-loops-printable-thread.html | CC-MAIN-2015-32 | refinedweb | 129 | 75.71 |
It’s been quite a while since the Netty 4 migration in Finagle was initially announced. We’ve travelled a long way and are happy to announce that there is now (as of Finagle 6.42) support for Netty 4 transports in most of the protocols: Thrift, ThriftMux, Memcached, MySQL, Kestrel, and Redis. Both HTTP/1.1 and HTTP/2 are coming soon!
While we have not yet defaulted to Netty 4, we’ve been running it in production for several months and have gained enough confidence to publicize the availability of the alternative transports in Finagle.
We encourage Finagle users to try out the new Netty 4 transports for their protocols and jump on the fast track to upcoming changes around resiliency (think of HTTP/2) and performance (think of a reduced allocation profile and better threading model in Netty 4).
To switch the transport over to Netty 4 supply the following command line flag:
-Dcom.twitter.finagle.toggle.flag.overrides=com.twitter.$protocol.UseNetty4=1.0
Where
$protocol is one of the following:
mux (use this for ThriftMux),
thrift,
mysql,
memcached,
kestrel.
This command line flag overrides a feature toggle that is evaluated at application startup and is global for all clients/servers running on the same JVM instance.
Note that Netty 4 is already enabled by default in
finagle-redis so no need for an extra CLI flag.
HTTP/1.1 on Netty 4 is still a work in progress. There are known limitations for HTTP clients, but
we’ve been successfully running
finagle-http servers with Netty 4 in production for several weeks
and on TwitterServer’s admin interface for several months.
We feel confident in HTTP/1.1 servers running Netty 4 and encourage you to migrate now using the toggle override. Please note that this will also switch HTTP clients running in the same JVM process over to Netty 4, which we do not recommend at this point.
-Dcom.twitter.finagle.toggle.flag.overrides=com.twitter.http.UseNetty4=1.0
HTTP/2 (i.e.,
finagle-http2) should be considered beta as there are known issues with the ALPN
support. We’re hoping to roll out a feature-complete HTTP/2 implementation in the next couple of
months. In the meantime, HTTP/2 support can be experimentally enabled on any Finagle HTTP client
or server as shown below.
import com.twitter.finagle.Http val client = Http.client .configured(Http.Http2) .newService("")
We’re quite optimistic about enabling Netty 4 by default in the next couple of months. Even though we’re not there yet, we feel very proud of the work we’ve done and the progress we’ve made. It took us several years of engineering effort to be able to start serving Netty 4 traffic in production.
Please file a Github issue if anything doesn’t look right when Netty 4 is enabled. | http://finagle.github.io/blog/2017/02/06/finagle-loves-netty4/ | CC-MAIN-2017-13 | refinedweb | 480 | 62.07 |
#include <DGtal/geometry/curves/ArithmeticalDSL.h>
Aim: This class is an alias of ArithmeticalDSS for standard DSL. It represents a standard digital straight line (DSL), ie. the set of digital points \( (x,y) \in \mathbb{Z}^2 \) such that \( \mu \leq ax - by < \mu + \omega \) with \( a,b,\mu,\omega \in \mathbb{Z} \), \( \gcd(a,b) = 1 \) and \( \omega = |a| + |b| \). Note that any DSL such that \( \omega = |a| + |b| \) is simply 4-connected.
[Reveilles, 1991 : [56]].
A standard DSL can be declared and constructed as follows:
See Digital straight lines and segments for further details.
This class is a model of CPointFunctor and of CConstBidirectionalRange.
Definition at line 708 of file ArithmeticalDSL.h.
Definition at line 716 of file ArithmeticalDSL.h.
Definition at line 717 of file ArithmeticalDSL.h.
Type of base class.
Definition at line 715 of file ArithmeticalDSL.h.
Constructor.
Copy constructor.
Assignment. | https://dgtal.org/doc/0.9.2/classDGtal_1_1StandardDSL.html | CC-MAIN-2020-50 | refinedweb | 146 | 60.61 |
String.IndexOf Method (String)
Reports the zero-based index of the first occurrence of the specified string in 0.
Index numbering starts from zero.
This method performs a word (case-sensitive and culture-sensitive) search using the current culture. The search begins at the firstIndexOf(String) searches for the "n" in "animal". Because string indexes begin at zero rather than one, the IndexOf(String) method indicates that the "n" is at position 1.
using System; public class Example { public static void Main() { String str = "animal"; String toFind = "n"; int index = str.IndexOf("n"); Console.WriteLine("Found '{0}' in '{1}' at position {2}", toFind, str, index); } } // The example displays the following output: // Found 'n' in 'animal' at position 1.
Available since 4.5
.NET Framework
Available since 1.1
Portable Class Library
Supported in: portable .NET platforms
Silverlight
Available since 2.0
Windows Phone Silverlight
Available since 7.0
Windows Phone
Available since 8.1 | https://msdn.microsoft.com/en-us/library/k8b1470s.aspx | CC-MAIN-2015-48 | refinedweb | 154 | 60.61 |
MID.
Originally published by SAM AGNEW at twilio.com
Let's walk through the basics of working with MIDI data using the Mido Python library. is the stage 1 music from the original Castlevania game on the NES.
VampireKillerCV3.mid is the Castlevania 3 version of the same song, which is slightly remixed and plays later in the game when you enter Dracula's Castle (hence the track name "Deja Vu")!
The
MidiFile object is one of the basic types you're going to work with when using Mido. As the name implies, it can be used to read, write and play back MIDI files. You can create a new MIDI file or open up an existing file as a
MidiFile object. Any changes you make to this object won't be written until you call the
save() method with a filename.
Let's start by opening
VampireKillerCV1.mid and examining its properties. Open up your Python shell and follow along with this code which will create a new
MidiFile object with the contents of the file we want:
from mido import MidiFile
mid = MidiFile('VampireKillerCV1.mid', clip=True) print(mid)
We are using
clip=True just in case we end up opening a file with notes over 127 velocity, the maximum for a note in a MIDI file. This isn't a typical scenario and would usually mean the data is corrupted, but when working with large amounts of files it's good to keep in mind that this is a possibility. This would clip the velocity of all notes to 127 if they are higher than that.
You should see some output similar to this:
<midi file 'VampireKillerCV1.mid' type 1, 9 tracks, 4754 messages>
This means that the MIDI file has 9 synchronous tracks, with 4754 messages inside of them. Each
MidiFilehas a
type property that designates how the tracks interact with each other.
There are three types of MIDI files:
Let's loop through some of the tracks and see what we find:
for track in mid.tracks: print(track)
Your output should look something like this:
<midi track '' 5 messages> <midi track 'CV1- Vampire Killer' 7 messages> <midi track 'Staff-2' 635 messages> <midi track 'Staff-3' 659 messages> <midi track 'Staff-4' 728 messages> <midi track 'Staff-5' 635 messages> <midi track 'Staff-6' 659 messages> <midi track 'Staff-7' 1421 messages> <midi track 'Staff-1' 5 messages>
This allows you to see the track titles and how many messages are in each track. You can loop through the messages in a track:
for msg in mid.tracks[0]: print(msg)
This particular track contains only meta information about the MIDI file in general such as the tempo and time signature, but other tracks contain actual musical data:
<meta message time_signature numerator=4 denominator=4 clocks_per_click=24 notated_32nd_notes_per_beat=8 time=0> <meta message key_signature key='C' time=0> <meta message smpte_offset frame_rate=24 hours=33 minutes=0 seconds=0 frames=0 sub_frames=0 time=0> <meta message set_tempo tempo=468750 time=0> <meta message end_of_track time=0>
Now let's actually do something with this info!
If you've opened this file in a music program such as GarageBand, you might have noticed that there are duplicate tracks for the main melody and harmony (corresponding to the NES square wave channels 1 and 2 in the source tune). This kind of thing is pretty common when dealing with video game music MIDIs, and might seem unnecessary.
Let's write some code to clean this file up and remove the duplicate tracks to make it more closely resemble the original NES version. Create and open a file called
remove_duplicates.py, and add the following code to it:
import os from mido import MidiFile cv1 = MidiFile('VampireKillerCV1.mid', clip=True) message_numbers = [] duplicates = [] for track in cv1.tracks: if len(track) in message_numbers: duplicates.append(track) else: message_numbers.append(len(track)) for track in duplicates: cv1.tracks.remove(track) cv1.save('new_song.mid')
This code loops through the tracks in our MIDI file, searches for tracks that have the same exact number of messages, and removes them from the overall MIDI file to get rid of the duplicates.
The new MIDI file is saved to
new_song.mid to keep the original file intact. Run the code with the following command:
python remove_duplicates.py
Now open up
new_song.mid and see for yourself that the MIDI file has no duplicate tracks!
Cleaning up MIDI files is cool, but making new music is a lot more fun! If you open
VampireKillerCV3.mid you can hear the Castlevania 3 version of this song is remixed to be a little more upbeat. The melody stays mostly the same but the harmony adds some more flavor, and the bass and drums are both played at a more consistent pace as opposed to the original game.
Let's write some code to take the bass and drum tracks from the Castlevania 3 version and mash them up with the original melody and harmony tracks from the first Castlevania game.
Open a file called
mashup.py and add the following code to it:
import os from mido import MidiFile cv1 = MidiFile('new_song.mid', clip=True) cv3 = MidiFile('VampireKillerCV3.mid', clip=True) del cv1.tracks[4] del cv1.tracks[4] cv1.tracks.append(cv3.tracks[4]) cv1.tracks.append(cv3.tracks[5]) cv1.save('mashup.mid')
This code deletes the bass and drum tracks from the first file, and adds the bass and drum tracks from the second file. Notice that we are opening
new_song.mid so that we have the version of the MIDI with no duplicate tracks, and saving the new tune to a file called
mashup.mid.
Run this code and open
mashup.mid and jam out to our new remix of Vampire Killer from Castlevania 1 and 3.
There is a lot you can do with MIDI data. You can use it to write interfaces for digital instruments, or use it to clean up data to train on a neural network with Magenta. This post only brushed the surface of the functionality of the Mido library, but I hope you feel a little more equipped to take this further and use it for your own MIDI files!
Feel free to reach out for any questions or to show off any cool music you make with Python:
Originally published by SAM AGNEW at twilio.com
===================================================================
Thanks for reading :heart: If you liked this post, share it with all of your programming buddies! Follow me on Facebook | Twitter
☞ Complete Python Bootcamp: Go from zero to hero in Python 3
☞ Python for Time Series Data Analysis
☞ The complete beginner’s guide to JSON
☞ The Complete Guide to JSON Web Tokens(). | https://morioh.com/p/144a98b4ab3a | CC-MAIN-2020-40 | refinedweb | 1,126 | 70.13 |
What really is Zookeeper?
Zookeeper is a free and open source, distributed, fault tolerant, hierarchical value storage - pretty much like a network share that stores small files in directories and subdirectories. These “files”, which are called nodes in Zookeeper, are small, so the platform is not really a BLOB storage (actually the size of a node is limited to 1mb).
Storing and reading these nodes are extremely fast, so any information can be stored in Zookeeper without seconds thoughts – active keys in a cache, currently active sessions, list of active servers, and so on.
A Zookeeper cluster can consist of multiple servers and there is no predefined master in this topology – the platform will make sure that the storage and retrieval of the nodes are synchronized properly.
Moreover, Zookeeper guarantees consistency, which means that it doesn’t matter which Zookeeper server the client is talking to, the returned values are always consistent. However, it’s good to keep in mind that consistency is reached on the order of tens of seconds scale - usually it’s much faster but Zookeeper doesn’t consider the service to be down within that time period.
Cross platform
The core of the Zookeeper server is written in pure Java and consists only of 190 classes, and about 42k lines of code. It is reasonably small for such a system and as the code is nicely written it is far from hard to read it and understand the internals of the system.
Zookeeper uses a protocol name “Jute” to communicate with the clients, which is somewhat similar to Protobuf that was designed by Google. Interestingly the Jute compiler, which can turn the zookeeper.jute definition into the Java classes, is included in the Zookeeper source code too.
The protocol is quite simple, so even if there is no direct compilation to other platforms, sending the required data across the wire should be straightforward on most systems. For instance, the Python Kazoo implementation simply recreated the required bindings manually.
Ephemeral Nodes
One of the most interesting features of Zookeeper is called Ephemeral Node. While permanent nodes are stored forever, an Ephemeral Node will be immediately deleted when the client who created it disconnects from the server. It is one of the best ways to keep track of actual “live” data, like which services or servers are up and running, who are online on our site, or who joined/left a chat room.
Storage and cleanup
Zookeeper stores the data on disk, so even if the server is restarted, all nodes will available again. As the system is more optimized for performance than storage, cleaning old and deleted data is not part of the Zookeeper server’s normal job.
Earlier versions required a scheduled job to be run to purge old data, newer versions can do it periodically, but not enabled by default. To enable purging the old data from log files, add/uncomment the following in the zoo.cfg file:
# keeps the 3 most recent snapshots of the data autopurge.snapRetainCount=3 # runs every 1 hour autopurge.purgeInterval=1
Watching data changes
Zookeeper can notify the clients if a watched node has been changed, but every watcher fire only once. If we need to keep watching the changes, we need to create a new watcher; however, it is important to keep in mind that while we will receive the latest change to the node, we may not receive all intermittent changes when we are re-creating the watch, or temporarily get disconnected from the server.
Starting the server
For development purposes it’s really easy to start using Zookeeper: after downloading the binaries, simply run
./bin/zkServer.sh start-foregroundIn production mode it might be a good idea to use it as a service or run though supervisord to make sure it is restarted if it crashes for any reason.
Java client
The Curator framework provides high-level access for accessing the Zookeeper server. Even though the protocol is simple so it could be quickly re-implemented, the frameworks typically give extra features like automatic reconnection to the server with a predefined exponential back off time.
To use the Curator framework, simply add the following dependency to the Maven pom.xml file:
<dependency> <groupId>org.apache.curator</groupId> <artifactId>curator-framework</artifactId> <version>2.5.0</version> </dependency>
To read string data from an existing node, only the following is required:
final RetryPolicy retryPolicy = new ExponentialBackoffRetry(BASE_SLEEP_TIME_MS, MAX_RETRIES); final CuratorFramework client = CuratorFrameworkFactory.newClient(CONNECTION_STRING, retryPolicy); client.start(); final GetDataBuilder getDataBuilder = client.getData(); final byte[] configBytes = getDataBuilder.forPath(CONFIG_PATH); final String config = new String(configBytes); System.out.println("Data: " + config);
For a full fledged demo with watchers, deletion, and Zookeeper ACLs, check out the java source code here.
Python client
The easiest way to access Zookeeper is to use the Kazoo client library, which is written purely in Python. It can be installed system wide or just used as a module in a solution and deployed as part of the application.
The steps are very similar to the Java client, so we need to create and start a connection and read the data we are looking for:
from kazoo.client import KazooClient zk = KazooClient(hosts='127.0.0.1:2181') zk.start() print('Data in node: %s' % zk.get('/rabbit/config')[0])As Kazoo is a high level framework, we do not need to recreate the watcher after every change, it will stay active.
For the full source code with an embedded Kazoo client, check out the python source code here.
Performance
The Zookeeper server are surprisingly fast, reaching above 20k operations / second on a singe server setup with 2 cores and 10 simulated clients. The average latency is typically less than 1 millisecond so in most circumstances Zookeeper wont’ be the bottleneck in the system.
For a detailed performance review of the system under different configurations (cores and machines), check out this Zookeeper performance article.
Conclusion
Even though Zookeeper is usually used as part of a larger software package like Apache Hadoop or Apache Storm, it is a great standalone product.
However, unfortunately it is a little bit mystified with articles going in great depth of the election algorithm of the server nodes, which doesn’t really help to understand how to and when to use Zookeeper.
Storing simple hierarchical information in a fault tolerant, distributed fashion with the live tracking capability of ephemeral nodes make Zookeeper a really handy tool across a lot of different software projects. Give it a go, get Zookeeper binaries!
Hi Adam, if I want to automate server additions and dynamically add them to Zookeeper's ensemble, then measure the time it takes for all servers to recognize each other, is Curator or Kazoo the right tools to use? | http://blog.teamleadnet.com/2014/07/taming-zookeeper-introduction-and-how.html | CC-MAIN-2019-22 | refinedweb | 1,127 | 50.97 |
Joerg Heinicke wrote:
>.
Agreed. I think checking a prefix is often faster than checking a suffix
in a string. On the other side a prefix can rest code readibility. IMHO,
the first is better for generated (X)HTML code.
The suffix is also ok. The problem was that a "-input" suffix is too
generic and seems to broke some javascript code somewhere. ajax is the
main reason for change? If yes, then we can use "-cf-input" as the
suffix or something like that.
I am just afraid of adding a ":" in the name. Maybe does not make sense.
Here are some points:
1-It can breaks compatibility somewhere. As sample, all browsers claims
to support CSS standards. The point is at wich level and how they
interpret the word "support".
2-Being in a xpath 1.0 namespace nightmare for months. I am not sure if
suddenly somebody will need to give a meaning to the ":". I know it is
very remote, but...
For the records, I don't have any javascript that need to be reviewed if
we change this behavior. It is just a technical comment.
Best Regards,
Antonio Gallardo. | http://mail-archives.apache.org/mod_mbox/cocoon-dev/200511.mbox/%3C436AFFE4.2040406@agssa.net%3E | CC-MAIN-2016-18 | refinedweb | 193 | 87.31 |
Fast iterations on large numbers of cache objectskburns Sep 21, 2004 2:43 AM
Hi,
I have a large number of objects in my cache (1000) all under the same node (/a/b), all instances of the same class (A). Each of these objects itself contains a Vector of objects (class B). Part of my business logic requires calling a method of class B for all class B instances contained in all Class A instances.
I've implemented this as follows:
1. query for all class A instances
myTree.getChildrenNames("/a/b")
2. for each FQN in the returned Set, get the object
A obj = (A) myTree.getObject(FQN)
3. for each instance of class A, iterate over the Vector of B's calling the method
When running this test, it takes around 4 - 5 seconds to complete. I really need this time to be around 0.5 seconds. When using a Vector in place of the cache, the test takes less than 100 ms - hardly surprising since the objects are already in memory.
I assume that the creation of the objects (during the myTree.getObject() process) is what is taking the time.
The best solution I can think of is to maintain two copies of the objects that I need to quickly iterate over. One copy in the cache, a separate copy in memory (a Vector). This solution is viable only because this fast iteration only involves reading the object's data. When the object changes (in the cache) I can update the Vector version through a TreeCacheListener.nodeModified() mechanism.
Has anyone else faced a similar issue?
Have I overlooked a way to just use the cache only to do this fast iteration?
Many thanks
Ken
1. Re: Fast iterations on large numbers of cache objectsNorbert von Truchsess Sep 21, 2004 4:12 AM (in response to kburns)
If not being evicted, all your objects will reside in memory. What takes the time is the way you gonna access them.
Looking up a thousand Names first and then looking up a thousand Objects by name is pretty much the slowest way at all to do this.
This is like a paperboy that just delivers one paper at a time returning to his office to get the address of the next customer instead of making use of the fact that all customers live in houses that are neatly lined up in a row :-)
Doing it this way will be much faster:
Node myNode = myTree.get("/a/b"); Map allOfMyNodesChildren = myNode.getChildren(); Iterator it = allOfMyNodesChildren.entrySet().iterator(); while(it.hasNext()) { ... }
Even faster would be if you implement a TreeCacheListener that stores references to all the objects in question in a vector you gonna iterate over. Keep in mind, as long we are not talking of Strings or explicit use of 'clone()' Java Objects are passed by reference and not copied. Therefore it's pretty cheap (in terms of memory and cpu-use) to keep a (redundant) list of references to your objects. All u have to make shure is, that u don't keep references of objects u want to be garbage-collected.
2. Re: Fast iterations on large numbers of cache objectskburns Sep 21, 2004 9:22 PM (in response to kburns)
Hi Norbert,
I tried your second suggestion with storing (a reference) to the objects in a Vector.
Just to recap to setup:
- 1000 objects of class A, each storing a Vector containing 10 objects of class B
- Iterate over the 1000 objects (A), for each, calling a method on each of the B's
Case 1:
Store the 1000 objects in a TreeCacheAop
-> Query (from the cache) takes about 2.5 seconds
Case 2:
Store the 1000 objects in a Vector only
-> Query (from the Vector) takes about 20 ms
Case 3:
Store the 1000 objects in a TreeCacheAop and also "add" the object to a Vector
-> Query (from the Vector, ignoring the cache) takes about 2.5 seconds
Why is Case 3 taking so much time (and also about the same time as Case 1)? I don't understand the inner workings of the cache, but is it the CacheInterceptor that is slowing things down? To me it appears that all operations on the object are being routed through the cache version, no matter if I query the cache or the reference in my Vector?
Looks like the only way to handle this fast access is to maintain a seperate copy of the object?
Can anyone help?
Regards
Ken
3. Re: Fast iterations on large numbers of cache objectsBen Wang Sep 21, 2004 9:38 PM (in response to kburns)
Ken,
If you are using TreeCacheAop, I am interested to see why it takes this long. Is it possible that you can send me your setup? I prefer it in JUnit test case file so I may incorporate it into the testsuite later. You will get the credit, of course. :-)
To answer your Case 3 question, yes, if you declare both Class A and B *advisable*, then everything you do is intercepted. But the cost of aop is upfront; that is, during putObject. Afterwards, it should be relatively quick.
-Ben
4. Re: Fast iterations on large numbers of cache objectskburns Sep 22, 2004 3:05 AM (in response to kburns)
Hi Ben,
After some further investigations, I've gone back to the Person, Student classes in the release examples.
Seems that the aop interception is happening during access of objects, and that accessing objects contained within objects significantly increases access times. Here is the setup I used.
1. Add the following lines into the "Person" class:
Vector myHobbies = new Vector();
public void addHobby(Hobby theHobby)
{
myHobbies.add(theHobby);
}
public Vector getHobbyVector()
{
return myHobbies;
}
2. Create a new class "Hobby"
public class Hobby
{
String name = null;
public Hobby(String theName)
{
name = theName;
}
public Hobby()
{
}
public String getName()
{
return name;
}
public void setName(String name)
{
this.name = name;
}
public String toString()
{
return "name=" + getName();
}
}
3. Create objects:
1000 Students adding 10 "Hobby" instances to each student via the addHobby() method in the Person class.
4. Add each Student instance into a TreeCacheAop instance and also into a Vector (myVector).
5. Iterate:
Do a query on the Vector (myVector)...
Object[] array = myVector.toArray();
Student a = null;
String hobbyName;
Vector hobVect = null;
Object[] hobarray = null;
for (int i=0; i<array.length; i++)
{
a = (Student) array;
// test 1
hobbyName = a.getName();
// test 2
hobVect = a.getHobbyVector();
hobArray = hobVect.toArray();
// test 3
loop through hobArray calling "getName()" on each
}
Results:
test 1 - duration = 100ms
test 2 - 430ms
test 3 - 530 ms
Seems to me that as soon as you access the Vector of objects (hobbies) under each Student is where the performance hit is kicking in?
I'll try and put this into a JUnit test for you tomorrow.
Hope the above sheds some light.
Any ideas so far?
Many thanks
Ken | https://developer.jboss.org/thread/83107 | CC-MAIN-2018-39 | refinedweb | 1,150 | 70.94 |
After completing the assembly and installation of the PiSmart Car, you can enjoy the fun of playing and learning at the same time! We have provided a library SunFounder_PiSmart for operations of the PiSmart, which includes abundant functions such as analog value reading, PWM output control, LED Ring control, motor and servo control, and interaction control by STT and TTS. What’s more, there is also a library designed for amateurs, which is convenient for you to use the PiSmart.
For Amateurs
Introduction
The Amateur library is prepared on the PiSmart platform for users to learn from scratch. It’s a simplified model at entry level, with which you can DIY projects more simply and make human-computer interaction more intelligent. Now let’s check how to use the PiSmart to make an interactive car.
Step 1: Create a Project
There is a tool for setting up the project automatically on PiSmart. You can create a project named pismart quickly by using this tool. Type in the command:
pi@raspberrypi:~ $ pismart start_project my_pismart
my_pismart is your project name, and you can use any name you like for your project.
The tool will create a project directory my_pismart automatically, and it includes two files:
dictionary.sps The library file for speech recognition commands; please refer to the related chapter later for details.
my_pismart.py Main code file of the project.
Note: After the main code of the project is run, some files will be generated automatically in the directory. Files with suffix as .db, .dic, .fsg, and .jsgf are indispensable to the speech recognition library.
Step 2: Modify the Main Code
Change directory (cd) to the project directory and use the nano editor to open the main code file my_pismart.
pi@raspberrypi:~ $ cd my_pismart
pi@raspberrypi:~/my_pismart $ nano my_pismart.py(): # Erase pass below and add your code here pass
You will find that there already exists some code. Here is the structure of the template:
from pismart.amateur import PiSmart
from time import sleep
To import the necessary modules.
def setup():
Put your setup code here, to run once
def end():
Ending function which will clear what’s in setup.
def loop():
Put your main code here, to run repeatedly
if __name__ == “__main__”:
Entrance of the program
When you’re writing code by yourself, generally you only need to modify the contents in setup() and loop(): settings in setup() and the circular process in loop().
Step 3: Run the Main Code
In the main code directory, you can run the code with the sketch python my_pismart.py:
pi@raspberrypi:~/my_pismart $ python my_pismart.py
Before running the code, please use a prop (like the package box) to hold the car, wheels hanging in the air. Since the car is still in debugging, it’s not safe to run it with the incomplete code. Let it run on the road only after the program has been completed.
Now the project is created. Let’s move on to develop functions of the car from easy to difficult. | https://learn.sunfounder.com/5-learning-and-application/ | CC-MAIN-2021-39 | refinedweb | 503 | 62.98 |
React Redux Performance Optimization - Selectors & Reselect
In this video you will learn about selectors in Redux and how to improve their performance by using Reselect library. Let's jump right into it.
Content
Here I have a generated create-react-app project with redux-connect. As you can see here we have 2 reducers and we have 2 actions: change username and add user. When we type something in input we change the username field in reducer and when we click on Add button we save user in our reducer.
It may seem as a lot of already written code so if some parts are not clear for you I will link my previous video about reducers here on the top.
Now let's talk about selectors. So as you can see normally we just write in mapStateToProps fields that we need from state. This is completely fine but just imagine that we have several components where we connect to the same data. First of all it's code duplicate and secondly it's easier to make an error because we don't use a single function but we each time write the full path.
To avoid this we can use selectors. What is selector? It's just a function which returns the part of the state. Let's create a selectors.js file in store and a selector to get users array from our state.
src/store/selectors.js
export const usersSelector = (state) => state.users.users;
As you can see there is no magic here. It's just a function which gets the global state and returns some part of it. The important thing is a codestyle. Normally we have a postfix selector in the name of we start the word with selectSomething.
Now we can use this selector in our App component.
import { usersSelector } from "./store/selectors"; const mapStateToProps = (state) => { return { users: usersSelector(state) }; };
So we just moved getting of some properties to selector and it works exactly like before but we can now reuse the same function everywhere.
Let's try a more complex example. For example we want to have a search input and get a filtered array of all users that we have.
App.js
handleSearch = (e) => { this.props.dispatch({ type: "CHANGE_SEARCH", payload: e.target.value }); }; <input type="text" placeholder="Search" value={this.props.search} onChange={this.handleSearch} />
We also need to add this field in our reducer.
src/store/reducers/users.js
const initialState = { users: [], username: "", search: "", }; const reducer = (state = initialState, action) => { switch (action.type) { ... case "CHANGE_SEARCH": return { ...state, search: action.payload, }; default: return state; } };
As you can see now our search property changes when we type in our input. So we have in reducer a searched string and our users. Which means we can filter users on the fly inside mapStateToProps.
const filteredUsers = state.users.users.filter((user) => { console.log("filtering users..."); return user.includes(state.users.search); }); return { users: usersSelector(state), filteredUsers: filteredUsers }
As you can see everything is working and every time when we type we get a filtered users array.
But there is a super important thing to remember. Every time when our Redux state changes all mapStateToProps are being called. Doesn't matter on what properties you are subscribed. They are all being called. This is why with each letter that we type we see console.log of calling mapStateToProps.
Which is actually fine if we just select properties from the object. Because if this properties didn't change React won't rerender the component. But it's not find if we make some additional calculation. Because in our case now our filtering users is being called every single time when we change the state. This is really bad because if we have lots of data it will take a lot of time.
But we have a solution for that. What we want to do is define when we must recalculate our filtered users. For this we must install an additional library which does exactly that and it is the recommended solution from Redux.
yarn add reselect
Now let's move our filtering in selector. First of all because it make our code cleaner and secondly it will be easier to use reselect there.
selectors.js
export const filteredUsersSelector = (state) => { return state.users.users.filter((user) => { console.log("filtering users..."); return user.includes(state.users.search); }); };
So everything is working as before but at least our mapStateToProps is clean.
Now the question how reselect helps us to make filter less often? It memoizes value. Memoization means that the calculation of our filter is being cached until some of the properties that we define won't change. In our case to calculate filtered users we need users property from the state and search property. So if this 2 properties didn't change then we will get a cached value back.
import { createSelector } from "reselect"; export const filteredUsersSelector = createSelector( (state) => state.users.users, (state) => state.users.search, (users, search) => { return users.filter((user) => { console.log("filtering users..."); return user.includes(search); }); } );
So here we first define as a functions all dependencies of our calculations. Then in the last function we make calculations based on all properties that we defined before. The syntax may look scary but it's just 1 or several functions which define our dependencies and then the last function with calculations.
Now as you can see in browser our filtering is not called when we change username in state. So any changes in state except of this 2 properties that we defined are completely ignored. Only when users array or search changes, we recalculate our data.
But now I think you want to ask why we are not memoizing every selector that we have? Because it also takes performance to store a value and check if dependencies changed and it doesn't make any sense to make it for simple selections on the state.
Call to action
So here are important points to remember.
- Defining selectors is good because they are reusable and our mapStateToProps looks cleaner and we can easily test our selectors
- Memoization without additional library is not possible but extremely needed when you have calculations that you want to make
- Reselect library is awesome to solve exactly this problems. | https://monsterlessons-academy.com/p/react-redux-performance-optimizations-selectors-and-reselect | CC-MAIN-2021-31 | refinedweb | 1,044 | 58.08 |
Opened 9 years ago
Closed 8 years ago
#1799 closed enhancement (wontfix)
Replace dots by dashes or hyphens from form fields id's of related objects
Description
Dots in html id's gives an error in CSS when trying to assign styles.
maybe this will do:
def get_id(self): "Returns the HTML 'id' attribute for this form field." return FORM_FIELD_ID_PREFIX + self.field_name.replace('.', '_')
Attachments (1)
Change History (6)
Changed 9 years ago by david@…
comment:1 Changed 8 years ago by Gary Wilson <gary.wilson@…>
- Has patch set
- Triage Stage changed from Unreviewed to Design decision needed
Not sure it would be worth committing changes to oldforms at this point in time. Is this an issue in newforms too?
comment:2 Changed 8 years ago by mtredinnick
- Component changed from Admin interface to django.newforms
- Triage Stage changed from Design decision needed to Accepted
Should be fixed, but only in newforms.
comment:3 Changed 8 years ago by anonymous
All right - i will test with newforms.
comment:4 Changed 8 years ago by chrj
I'm having some trouble decoding the ticket title "...form fields id's of related objects". Using the normal recipe for creating a newform, fields are created as properties and thus does can not contain dots (syntactically incorrect).
However if you manually alter the fields / base_fields properties of the form, you could make a field with a dot in the name.
Is it Django's problem, if you manually tries to break things?
comment:5 Changed 8 years ago by durdinator
- Resolution set to wontfix
- Status changed from new to closed
Not an issue with newforms; wont fix oldforms.
while newforms are under development here is a patch :) | https://code.djangoproject.com/ticket/1799 | CC-MAIN-2015-32 | refinedweb | 283 | 62.88 |
llvm-lit module for first-class utest.h unit test support
Project description
llvm-lit module for first-class utest.h unit test support
This module allows you to run a utest testsuite as part of a larger lit testsuite. This is useful when you want to mix API unit tests with functional testing of your driver programs.
Installation
pip install lit-utest
Requirements
lit is required. Your tests should be utest.h-based or behave like it.
Usage
In each of your main utest test files, set the build command:
// UTEST: cc %s -o %utest_bin
This works just like the built-in ShTest RUN: line, but introduces the special UTEST keyword to lit. The runner executes this command and the runs the resultant %utest_bin output file. All lit substitutions are available for use as usual.
Once your build commands have been added to your unit tests, configure lit with the UTestRunner in lit.local.cfg:
import lit_utest config.test_format = lit_utest.UTestRunner()
lit will now expect all discovered tests in the subdirectory to behave as utest tests, and ignore those without a UTEST: build command. It runs each unit test separately using utest’s --filter switch, and collects the results and prints them in the way you’d expect lit to do:
-- Testing: 3 tests, 3 threads -- XFAIL: lit_utest :: shell_tests/runline.xfail.test (1 of 3) PASS: lit_utest :: shell_tests/runline.test (2 of 3) PASS: lit_utest :: utest_tests/test.c (3 of 3) *** MICRO-TEST: lit_utest :: utest_tests/test.c[MyTestF.c2] -> PASS *** MICRO-TEST: lit_utest :: utest_tests/test.c[MyTestF.c] -> PASS *** MICRO-TEST: lit_utest :: utest_tests/test.c[MyTestI.c/0] -> PASS *** MICRO-TEST: lit_utest :: utest_tests/test.c[MyTestI.c/1] -> PASS *** MICRO-TEST: lit_utest :: utest_tests/test.c[MyTestI.c2/0] -> PASS [...]
For examples, see the test directory, where we eat our own dogfood.
Compatibility
This module should work in all places upstream lit is supported, but I will make no extra effort to support python < 2.7
Unlicence
utest.h is Public Domain, llvm is either NCSA or Apache-2 license depending on the version, so it makes sense to dedicate this work to the PUBLIC DOMAIN.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages. | https://pypi.org/project/lit-utest/ | CC-MAIN-2022-21 | refinedweb | 385 | 67.55 |
Dhaval Giani, an Oracle Linux kernel developer and development manager, shares some of his thoughts and insights from Linux Plumbers Conference 2018.
This is my report from LPC 2018 held in Vancouver, BC on November 13-15, 2018.
Oracle had a strong presence at LPC this year. I counted at least 20 of us (so ~4% of the conference attendees).
Like last year, I organized the Testing and Fuzzing microconference. It was a popular microconference (I counted over 100 attendees at peak times).
Highlights of the testing microconference:
The Automated Testing Summit (ATS) this year was co-located with ELCE. Kevin Hilman provided a report about events at the summit. There was a push to standardize testing procedures, starting with how testing is done, to defining various terms. There was a strong embedded presence this year but the summit organizers would like to expand it to include more distributions and server folks. A big goal going forward is to unify all the secret sauces which various companies have. LWN has covered this talk, and I highly recommend reading about it here.
KernelCI was another important topic. The goal of this project is to test non-x86 platforms. The original success criteria used to be a successful compile on the platform. Now, we have reached a point where more often than not, we have a successful boot. This is great work by the kernel community, and kernelCI is only going to get more and more important as we reach a point where we will actually be able to run test suites for more than a few references platforms. KernelCI will soon be a Linux Foundation project. LWN has covered this as well.
Our own Knut Omang talked about his new make runchecks which helps to improve code quality by running a bunch of automated checks (such as checkpatch, smatch, sparse, checkdoc, Coccinelle). The tool aims to categorize errors so that users can filter on them. The talk was quite well received, with a lot of "this is a cool idea" being heard around the room.
Dmitry Vyukov from Google talked about syzkaller and syzbot. These projects are working very well to automate a lot of kernel fuzzing and reporting a number of issues (some of them having security implications). Around 70% of the bugs reported by syzkaller/syzbot are getting fixed upstream. There is also a lot of future automation being worked on.
Matthew Wilcox from Oracle talked about his kernel testing in userspace. Matthew has extracted some kernel code into a library which can then be built into a user space test suite, but also be run as part of kernel test suites. At this point, it only works for Matthew but if he gets some collaborators, he believes it can be made more generic. Steven Rostedt implemented an ftrace probe filter to inject allocation failures during this talk. This was an enjoyable discussion.
Finally Dan Carpenter, also from Oracle, talked about smatch. Smatch had quite some success in finding issues in the kernel with many of them having security implications. It was a great talk on how smatch worked and what new features were coming. One notable moment was Dan's work with detecting spectre v1 issues, and confirming if something was a real issue or not. Matthew Wilcox stated that the issue Dan highlighted was real and even created a patch for it.
This was an excellent session, and I loved the interaction we had. There was talk about expanding ATS next year to get more coverage. Stay tuned to hear more about it.
I also attended an old favourite of mine, Real Time Scheduling microconference. That was also a fantastic microconference. I have been following the PREEMPT_RT project for many years now, and it is getting close to being all in mainline. Talks have shifted from, when will we get to mainline, to what do we do after it is mainline (more testing seemed to the theme). Oracle's Prakash Sangappa talked about real-time inside namespaces, which led to a spirited discussion. Once missing bandwidth inheritance comes into place, we will be able to allow real-time inside namespaces which would make namespaces (and by extension containers) very useful.
Daniel Jordan from Oracle organized the Scalability microconference. This was another exciting microconference, with a lot of great problems being discussed. Steven Sistare and Subhra Mazumdar from Oracle talked about improving the scheduler's load balancer. One of the key issues coming up now is, does the scheduler scale well on both the higher end (big iron) as well as the lower end (embedded and mobile) at the same time. Is it time to start bringing in tunables. Oracle is currently one of the very few participants looking to improve the high end performance. We will be keeping a close eye to maintain and improve performance characteristics of Linux in general and the scheduler in particular. There was talk about how to improve hugepages by Mike Kravetz, an Oracle kernel developer (along with Christoph Lameter) , and on ktask by Daniel Jordan. This was also a very interactive microconference that I enjoyed greatly.
The rest of my time at the conference was spent in the hallway track, meeting old friends and discussing crazy ideas. We talked about how it is time now for cgroups v3 (just kidding!), and in general about the various other problems people are trying to solve across the stack.
The Linux Plumbers Conference 2018 website located here has a link for the detailed conference schedule which has clickable links for each session. This year sessions were video taped so you can watch the presentations as well as the discussions that occurred. Also, the etherpads have all the notes from each session available.
Finally, no report of LPC is complete without a mention of the social events. We got to meet a lot of old friends and made new ones. One key takeaway I had was that our push to get patches accepted upstream, and increasing participation is getting noticed. It is good to see Oracle's contribution to Linux and open source being acknowledged by other developers.
I would like to thank Oracle for sponsoring my travel and the LPC organizing committee for organizing another great edition of the conference. | https://blogs.oracle.com/linux/linux-plumbers-conference-2018-report | CC-MAIN-2019-47 | refinedweb | 1,046 | 63.8 |
National Conference president and former Jammu and Kashmir Chief Minister Farooq Abdullah today said that Pakistan-occupied Kashmir belongs to Pakistan and this won't change.
National Conference president and former Jammu and Kashmir Chief Minister Farooq Abdullah today said that Pakistan-occupied Kashmir belongs to Pakistan and this won’t change. Abdullah also termed as “wrong,” the talk of an independent Kashmir as the Valley is landlocked and surrounded by three nuclear powers — China, Pakistan and India. “I tell them in plain terms — not only the people of India, but also to the world — that the part (of J&K) which is with Pakistan (PoK) belongs to Pakistan and this side to India. This won’t change. Let them fight how many wars they want to. This won’t change,” Abdullah said.
Earlier, Pakistan Prime Minister Shahid Khaqan Abbasi had also said that the idea of an independent Kashmir was not based on “reality.” Abdullah further said that,”We should understand that there has been a decision (of accession), but India didn’t treat us well. India betrayed us,” as per PTI. “Internal autonomy is our right. They (Centre) should restore it. Only then the peace will return (to the Valley),” he added.
Speaking to reporters at the sidelines of a function at the party headquarters, Abdullah said, “I am saying that there is nothing like the issue of freedom (independent Kashmir) here. We are landlocked. On one side we have China, Pakistan on the other side and India on the third side.” “All three of them have atom bombs. We have nothing except Allah’s name,” he added.
The former J&K chief minister said those (separatist) who are talking about Azadi, are talking wrong. Asked whether the visit of the Centre’s special representative for Kashmir Dineshwar Sahrma to the state was successful, Abdullah said only Sharma could say anything about it.
Get live Stock Prices from BSE and NSE and latest NAV, portfolio of Mutual Funds, calculate your tax by Income Tax Calculator, know market’s Top Gainers, Top Losers & Best Equity Funds. Like us on Facebook and follow us on Twitter. | https://www.financialexpress.com/india-news/nc-president-farooq-abdullah-says-pok-belongs-to-pakistan-and-this-wont-change/929273/ | CC-MAIN-2019-13 | refinedweb | 356 | 64.1 |
Templates can be instantiated by providing an optional TemplateTransformer. These are able to process the raw content of a template before it reaches the parser. Any modifications that are thus performed like this will be seen by the parser engine as if it was the actual content of the template.
One such transformers is able to filter XML through XSLT stylesheets. Below is a very simple example of how to get a template that will be transformed through XSLT :
TemplateTransformerXslt transformer = new TemplateTransformerXslt();
Template template = getXmlTemplate("name", transformer);
print(template);
The XML template could then have been defined like this for example :
<?xml version="1.0"?>
<?xml-stylesheet type="text/xsl" href="templates/view.xsl"?>
<content/>
With the following stylesheet :
<?xml version="1.0" encoding="ISO-8859-1"?>
<xsl:stylesheet version="1.0"
xmlns:xsl=""
xmlns:
<xsl:template
<html>
<head>
<link rel="stylesheet" type="text/css" href="[!V 'stylesheet'/]"/>
</head>
<body>
<div class="[!V 'divclass'/]">
<rife:value
</div>
<p>ok</p>
</body>
</html>
</xsl:template>
</xsl:stylesheet>
Note the use of the special <rife:value tag. These tags are RIFE extensions that have been added to the XSLT processor so that you can easily create invisible tags. Otherwise a lot of XSLT noise would have to be added. To make these tags work you should define the correct xmlns:rife namespace in the xsl:stylesheet tag and indicate that the rife prefix refers to an extension element.
The supported tags are the following :
<rife:value
<rife:valuedefault</rife:value>
<rife:blockcontent</rife:block>
<rife:blockvaluecontent</rife:blockvalue>
<rife:include
These will thus generate the corresponding invisible comment tags.
Notice that the compact tag format has been used too as attribute values. Xalan (which ships with J2SE 1.4) however by default escapes url strings in html documents. This for example turns the space in a RIFE template tag into %20. To prevent this you're able to explicitly set output properties.
For example like this :
transformer.setOutputProperty(TemplateTransformerXslt.OUTPUT_METHOD, "html");
transformer.setOutputProperty(TemplateTransformerXslt.OUTPUT_USE_URL_ESCAPING, "no");
It's also possible to create a chains of XSLT stylesheets with the following command :
transformer.addFilter("view2.xsl");
transformer.addFilter("view3.xsl");
The transformations will be performed in the same order as the order of the filter additions. An XML document stylesheet processing instruction is always the first stylesheet in the filter chain.
Every stylesheet filename will be looked up through the classpath as regular files (not classnames as with RIFE templates). | http://rifers.org/wiki/display/RIFE/XSLT+support | crawl-002 | refinedweb | 408 | 57.27 |
Python API for the MCWS interface of JRiver Media Center
Project description
pyMCWS
A python API wrapper for MCWS, the web interface of the excellent JRiver Media Center. The aim is to replicate the MCWS functionality as close as possible in a pythonian, easy to use manner. Additionally, common use-cases can be implemented in easily accessible recipes.
Currently, the minimum required version of JRiver MC is 26. Backwards compatibility is possible, but will have to be requested - it is mainly the automatic field conversion that is preventing it.
Usage
use your package manager of choice to install pymcws:
pip install pymcws
First order of action is to import pymcws. You can just import the package and use it as a one-stop-shop-all:
import pymcws as mcws
using this method, all functions and recipes are imported and available via the mcws object. You can then initialize a server and start using commands:
# get the server office = mcws.get_media_server("AccessKey", "readonly", "supersecretpassword") # use a recipe to play an album files = office.recipes.query_album("Ludovico Einaudi", "I Giorni") office.playback.playpause() zones = office.playback.zones() for zone in zones: print(zone.index, zone.id, zone.name, zone.guid, zone.is_dlna) office.playback.playpause(zones[0])
For a full set of examples, please see examples.py.
Using the API and recipes
pymcws wraps the MCWS API in a 1:1 manner. If you are looking for then that's located under pymcws.playback.stop. This way, you can import API functions to your scripts as needed.
To call these functions, you need a server. The easiest way to get one is to call pymcws.get_media_server() along with an access key, username and password. The server returned in this way already imports the API functions and provides them locally. These two calls are functionally identical:
# get the server office.playback.playpause() mcws.playback.playpause(office)
Use whichever you prefer. If you intend to use the second option exclusively, consider using pymcws.get_media_server_light() to get your server - the returned class does not import API functions directly.
The general philosophy of pymcws is to make communication with mcws as easy as possible. Wherever possible, the behaviour if the API has been replicated 1:1, where exceptions exist, they are documented. The main difference is that pymcws provides classes that model complex entities like zones and files, and uses these classes to facilitate interaction. More on these classes in the following sections.
Finally, pymcws provides convenience methods that enable users to quickly execute common tasks. These are stored in pymcws.recipes and contain functionality like playing and querying albums.
The MediaServer class
The MediaServer class covers all functionality to communicate with JRiver Media Center. The most important feature is connection negotiation. When providing an access key, the server is resolved, and the best connection strategy is chosen. Inside your home network, this will be the local IP, outside it will be global IP.
Working with Files
JRiver Media Center has a complex model for files and allows adding custom fields with varying types. pymcws queries these field definitions and automatically performs type conversions for them, allowing users to work with common types like string, int, float, datetime etc. directly. These conversions happen both ways: When saving changes to files, the types are converted back to jriver-compatible versions.
Files themselves are simply (extended) dictionaries. Calling my_file["Date"] returns the datetime of the corresponding field. Changing values works the same way as well, but changes are not persisted immediately. Files keep track of which values you have modified. Once you are happy, call pymcws.file.set_info() and pass it the file to save the changes. pymcws will only transmit changed and new fields. Please do not create a file yourself, as jriver takes care of assigning a key. Instead, call pymcws.library.create_file to get a new file and start populating it with values.
Working with Zones
Zones are the places where you can play music, accordingly they are mainly used for playback commands. List them with pymcws.playback.zones(), and use them to specify which zone the command is for. The zone argument is always optional, if no zone is provided, JRiver Media Center will use the zone currently selected in the UI.
The function I need is not in pymcws!
That's quite possible. I mainly extend pymcws as I need new features. The current structure makes it easy to add functionality quickly. Please feel free to open an issue in the issue tracker.
Contributing
Contributions are very welcome. Please create pull requests at your leisure. If you are not of the coding kind, you can also leave a request for a specific functionality in the issue tracker.
Version History
v1.1.0
- Added sensible default behaviour to library.playlist() and files.search(). Both will now return lists of MediaFiles by default.
v1.0.1
- Upgraded to Python 3.9 and improved type hinting.
- Added files.playback() to retrieve current playlist from zones based on
- Added library.create_fields() to create new fields. However, MCWS currently fails to execute the request, see
v1.0.0
- Major rewrite of pymcws that fixes everything I started to dislike about the structure.
- Usage is more intuitive now, see Readme.md and example.py for details.
- Editing and saving files is now possible.
- Several additional endpoints implemented.
- Finally added tests. Please read the documentation carefully if you intend to run them. They can destroy your library.
v0.2.2
- Implemented playback_loadDSPPreset based on
v0.2.1
- Introduced session management for established media servers.
v0.2.0
- Added automatic field resolution. Fields are automatically converted to and from their corresponding python types by the API, sparing you the postprocessing.
- Because of this, the required version of MC is now 26. Earlier version support is possible but needs to be requested.
- Play recipes use more reasonable defaults for shuffle and repeat.
- Several smaller bugfixes.
v0.1.0
- Added remote connection capabilities. The MediaServer class queries JRiver's web service and tries to determine the best possible connection method automatically.
v0.0.7
- Fixed zones being ignored in play_recipes.
v0.0.6
- Fixed failing package installation on case-aware file systems.
v0.0.5
- Created query recipes for easier querying.
- Improved image and cover art handling.
- Implemented library_values.
- Implemented automatic query escaping for the jriver search language.
- Play recipes allow setting shuffle and repeat states.
- Introduced zone handling.
- Full automatic local ip resolution, also for multiple network adapters.
v0.0.4
- Support for getting file info and parsing MPLs.
- Support for getting images for library files.
- More lenient timeouts for local connections should prevent huge queries from failing.
v0.0.3
- MediaServer now throws exception if key cannot be resolved instead of failing silently.
- Added mute, shuffle and repeat.
- Added volume control.
- Improved example.py to explain usage better.
- Fixed wrong behavior of playback_stop.
v0.0.2
- api.py now has a method to get a server directly from pymcws object. This allows basic usage by only importing pymcws.
v0.0.1
- Initial release and proof of concept.
- Resolve media network access keys.
- Issue playback commands.
- Search and play files to different zones on server.
- First play_recipes that facilitate playback of files.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages. | https://pypi.org/project/pymcws/ | CC-MAIN-2022-21 | refinedweb | 1,229 | 52.76 |
If you are OK with using a map, using a rowhandler to generate the xml
will be very simple, and not measurably slower than the current
implementation.
Again, I think this is truly a better approach. Why?
It's fast, because it only goes through the returned results once.
It's very light weight because only one Map from your query is in
memory at any time.
It is simpler, because...it's just text.
Because it's just text, so it has none of the memory baggage that
Document does.
It has zero dependencies on any external xml libraries.
Here is an example:
===
import com.ibatis.sqlmap.client.event.RowHandler;
import java.util.Map;
public class XmlRowHandler implements RowHandler {
private StringBuffer xml = new StringBuffer("<?xml version=\"1.0\"
encoding=\"UTF-8\"?>");
private String container;
public XmlRowHandler(String container) {
this.container = container;
}
public void handleRow(Object object) {
Map map = (Map) object;
for (Object key : map.keySet()) {
xml.append("<").append(key).append(">");
xml.append(map.get(key));
xml.append("</").append(key).append(">");
}
}
public String getXml() {
return wrap(xml, container);
}
private String wrap(StringBuffer xml, String container) {
return "<" + container + ">" + xml.toString() + "</" + container + ">";
}
}
===
It's yours, run with it. ;-)
Larry
On 6/4/06, Shepherdz <zhaoxinpei@ndtech.com.cn> wrote:
>
> Bill,
>
> I would say that we are in the same boat. In our platform, we want to use
> AJAX in the web tier. Therefore xml representation is more straight forwards
> than other approaches. We want to build a generic object structure using
> xml. Thus we can get rid of some meaningless reflections in our platform.
>
> We have tried Hibernate. Unfortunately, its performance is poor in
> processing large result. IBatis is much faster.
>
> In the current situation, I recommend you to use HashMap result instead of
> xml, which is also a generic structure. Then convert the Map to xml in your
> own code. Although this approach will delay your program a little bit, it is
> acceptable.
>
> Actually, I'm now trying to modify the source of IBatis to enable a better
> xml support. However, it seems the IBatis team has planned to get rid of xml
> support from 3.0's core. If so, using HashMap result may be a better
> decision in the current status. It can be also efficient and generic, with
> only a little cost.
>
> Anyway, we insist that xml support is very important, even more important
> than beans, for it is a more generic and flexible representation. No matter
> how 3.0 is implemented, a powerful and efficient support of xml result
> mapping is a very competitive feature.
> --
> View this message in context:
> Sent from the iBATIS - User - Java forum at Nabble.com.
>
> | http://mail-archives.apache.org/mod_mbox/ibatis-user-java/200606.mbox/%3Ca10a823c0606050442h2218dd0an10dd2309d2b5db74@mail.gmail.com%3E | CC-MAIN-2017-39 | refinedweb | 443 | 60.01 |
Since NetFX 3.5, WCF has support for working with JSON data. You can define your data contracts according to the JSON “schema” you expect to receive / want to return, plug them into your operation contracts, and your server is talking JSON. With this feature you can define the contract such as:
- public class Person
- {
- public string Name { get; set; }
- public int Age { get; set; }
- public Person[] Children { get; set; }
- }
- [ServiceContract]
- public interface ITest
- {
- [WebInvoke(RequestFormat = WebMessageFormat.Json, ResponseFormat = WebMessageFormat.Json)]
- int Create(Person person);
- [WebGet(ResponseFormat = WebMessageFormat.Json)]
- Person Find(int personId);
- }
and handle requests or return responses such as the ones below:
- { “Name”: “John Doe”,
- “Age”: 30,
- “Children”: [
- { “Name”: “John Jr”, “Age”: 8 },
- { “Name”: “Jane Doe”, “Age”: 5}]
- }
So this feature works quite well, with only one problem. You need to know the “schema” of the data you’re receiving (or returning). There are some cases where the service doesn’t know it upfront – for example, when the definition of the schema is part of the message itself (and you want to populate a data grid from it):
- {
- “columns”: [“Name”, “Age”, “Occupation”],
- “data”: [
- { “Name”: “John Doe”, “Age”: 30, “Occupation”: “Accountant” },
- { “Name”: “Jane Roe”, “Age”: 29, “Occupation”: “Doctor” }
- ]
- }
Currently, unless you want to parse the JSON yourself (or let WCF parse the JSON into “XML” using the JSON/XML mapping, and parse the information from the “XML” nodes yourself), WCF doesn’t support this scenario well. You’re tied to the data contract, and if you don’t have a data contract, you’re stuck.
In comes JsonValue
In Silverlight (since SL2), there is an API which deals with JSON in an untyped way. The JsonValue classes provide a DOM in which one can load a JSON document, and work with it without linking it to any specific CLR types. I like to think of JsonValue as the equivalent to XElement in the XML world: JsonValue : DataContractJsonSerializer :: XElement : DataContractSerializer. Silverlight, however, is a client-only platform, and as such the JsonValue classes didn’t have any integration with the service model (i.e., it can’t be used in an operation contract).
We found that the JsonValue abstraction, however, is quite interesting, so we decided to port it to the desktop framework, and hook it up to WCF. So you can now consume that “schema-less” value
- [ServiceContract]
- public class withUntypedJson
- {
- [WebInvoke(ResponseFormat = WebMessageFormat.Json, UriTemplate = “/SumFields/{fieldName}”)]
- int SumFields(string fieldName, JsonObject input)
- {
- int result = 0;
- if (input.ContainsKey(“data”))
- {
- JsonArray data = input[“data”] as JsonArray;
- if (data != null)
- {
- for (int i = 0; i < data.Count; i++)
- {
- if (data[i].ContainsKey(fieldName))
- {
- result += data[i][fieldName].ReadAs<int>();
- }
- }
- }
- }
-
- return result;
- }
- }
Now, besides porting the code from Silverlight, we also added additional features such as Linq support, better casting, among others, to make the experience of using the new APIs simpler. The code above, for example, can be rewritten simply as
- [ServiceContract]
- public class withUntypedJson
- {
- [WebInvoke(ResponseFormat = WebMessageFormat.Json, UriTemplate = “/SumFields/{fieldName}”)]
- int SumFields2(string fieldName, JsonObject input)
- {
- var values = from d in input.ValueOrDefault(“data”)
- select d.Value.ValueOrDefault(fieldName).ReadAs<int>(0);
- return values.Sum();
- }
- }
I want to use it; now what?
Since the next iteration of .NET Framework (where this feature may be included) is still a long time away, we decided to publish the code to enable users to take advantage of this feature now. As of this morning, we have a new Codeplex site at which contains the binaries needed to use this feature and all its source code, so if you need it the way it is, simply use it. If you need some change, you can either open an issue and wait for the next update (which should be fairly quick), or even fix it yourself, so you don’t get blocked. The JsonValue code is on the “jQuery Support” link on the main page.
Go ahead, download it, let us know what you think!
More information
I only touched the surface of this new API. You can find more information at the following pages:
- JsonValue walkthrough:
- JsonValue feature details:
Hi Carlos,
I've seen that services that are being created to be consumed from jQuery using this new feature aren't implementing a service contract interface, like we're doing in traditional WCF services (SOAP and REST (System.ServiceModel.Web).
What's WCF Team position about?!
Thanks a lot.
What's WCF Team position about that?!
Hi Israel,
It's true that traditionally in WCF, the contract-based approach indicated that one should first define the interface, then the implementation, but there is not an "official" guidance in this regard. That makes a lot of sense in many cases – when you're sharing the contract between the client and the server (i.e., using ChannelFactory<T> on the client), when you want to explictly define the operations of your service.
For REST (and specifically the jQuery support), however, these advantages are not as clear. First, the contract cannot be used in the client (we only have support for plugging the JsonValue types in services, not on clients). Second (as mentioned in tomasz.janczuk.org/…/wcf-support-for-jquery-on.html), for WCF HTTP services we don't have any standard metadata / description format for HTTP/REST services, so a CLR construct that corresponds directly to such description is not as important. Third, for REST services we're actually not defining operations, we're defining resources which can be accessed by the clients, so the analogy with interfaces isn't as strong in the REST space.
Having said all of that, you're welcome to continue splitting the interface and the implementation. Personally, I still do that, even for WCF HTTP REST services, because I like to be consistent in my code. But for people who are only interested in HTTP/REST services, the "rapid" approach of having all the definitions and implementation in one single place can be a valid choice as well.
Hi
when i implemented using the same like this:
[WebInvoke(UriTemplate = "", Method = "POST")]
public SampleItem Create(JsonObject js)
{
// TODO: Add the new instance of SampleItem to the collection
throw new NotImplementedException();
}
I am getting an error :
Type 'System.Json.JsonObject'
can you please let me know how to correct the same
Prasad, in order for the JsonValue/JsonObject/JsonArray/JsonPrimitive to be recognized by WCF within operations, you need to add the WebHttpBehavior3 in your endpoint (instead of the WebHttpBehavior, which is what you'd normally use if writing a REST endpoint). That behavior is in the Microsoft.ServiceModel.Web.jQuery, which is installed by the installer from the codeplex project.
A side comment to the "what's next?" part – consider looking into the ASP.NET Web APIs, which have most of the functionality mentioned in this post in an architecture directed to HTTP services. | https://blogs.msdn.microsoft.com/carlosfigueira/2010/10/29/working-with-untyped-json-in-a-wcf-service/ | CC-MAIN-2016-30 | refinedweb | 1,137 | 52.8 |
XPath is a handy expression language for running queries on XML. This post is about how to use it with XML namespaces in Java (javax.xml.xpath).
This Java code and uses an XPath expression to extract the value
of the
bar attribute from a simple document:
When run, it prints
hello on the console.
XML with namespaces
When the XML uses namespaces, things get a little bit trickier. These two documents are functionally equivalent:
<?xml version="1.0" encoding="utf-8"?> <!-- ns1.xml --> <data xmlns: <foo:value>1</foo:value> <bar:value>2</bar:value> </data>
<?xml version="1.0" encoding="utf-8"?> <!-- ns2.xml --> <data xmlns: <bar:value>1</bar:value> <foo:value>2</foo:value> </data>
Note that the namespace prefixes (
foo and
bar)
have been swapped round, but the
value element in the
namespace contains the value
1 in
both documents. Likewise, the
value element in the
namespace contains the number
2 in both documents.
Since the namespace prefixes can vary in the documents, a namespaced XPath expressions need to map their own prefixes to the URIs. The namespace URIs act as constant identifiers - that's their job! In the Java API, this mapping is performed by implementing the NamespaceContext interface.
This code uses a
NamespaceContext to extract the
value in the namespace from each of the
documents:
Note that the expression was compiled for reuse. Output:
1 1
The prefixes given to the context only need to be consistent with the XPath expressions, not the documents. This code works just as well:
Unfortunately, there are no implementations of
NamespaceContext
provided in the standard library (well, there is one in StAX but it is
of limited utility). If you choose to implement it yourself, take note
of the entire contract as defined in the javadoc. A sample
implementation is provided below.
Note 2011/07: I've corrected the above listings to
remove a namespace mapping of
("", "") with an
expression starting with
/:data. This expression is not
legal syntax - see the comments for more details.
Found a great impl: org.apache.ws.commons.util.NamespaceContextImpl.
You can use the following maven dependency for it:
org.apache.ws.commons
ws-commons-util
1.0.1
test
Thanks for your post, it's a pity we cannot find any implementation of NamespaceContext provided in the standard library.
Can I use your sample code for the NamespaceContextMap or is it protected by a copyright ?
Thanks again and seeya
@Anonymous - anyone is free to use the sample code in this post with the caveats noted at the bottom of the page.
Is there any way to use default namespace without using ":" (as the standard?) /data/foo:value instead of /:data/foo:value ?
I am using xalan 2.7.1 and doesn't work, and if I use saxon I got a Unexpected colon at start of token
@Anonymous - I wasn't aware that implementations varied. I would be inclined to just namespace everything: "/xyz:data/abc:value"
According to
/:data/foo:value is an invalid expression.
@Anonymous - thanks for the link to the applet; I was not aware of it.
Prompted by the comments, I've checked the spec. Namespace prefixes must be at least one character long.
Here are the relevant parts of the lexical structure:
PrefixedName ::= Prefix ':' LocalPart
Prefix ::= NCName
NCName ::= Name - (Char* ':' Char*) /* An XML Name, minus the ":" */
Name ::= NameStartChar (NameChar)*
Support for XPath in the Java 6 runtime is for version 1.0.
The fact that /:elementName worked as an expression was just an accident of the implementation.
I shall correct the post.
dang, I just implemented this in Clojure as a function that takes a hash-map of prefixes to URI strings, and returns a full implementation of NamespaceContext, and it's literally 7 lines of code.
(defn namespace-map
[mapping]
(let [prefixes (fn [uri] (map key (filter #(= uri (val %)) mapping)))]
(proxy [Object NamespaceContext] []
(getNamespaceURI [prefix] (get mapping prefix))
(getPrefix [uri] (first (prefixes uri)))
(getPrefixes [uri] (.iterator (prefixes uri))))))
Nice, but note that your type does not meet the class contract for NamespaceContext as it does not perform the special constant handling required by the API documentation.
Thanks! I fixed it up.
(defn namespace-map
"Returns an implementation of NamespaceContext ... actual usefulness TBD"
[mapping]
(let [defaults {XMLConstants/XML_NS_PREFIX XMLConstants/XML_NS_URI
XMLConstants/XMLNS_ATTRIBUTE XMLConstants/XMLNS_ATTRIBUTE_NS_URI}
mapping (merge mapping defaults)
prefixes (fn [uri] (map key (filter #(= uri (val %)) mapping)))]
(proxy [Object NamespaceContext] []
(getNamespaceURI [prefix] (get mapping prefix))
(getPrefix [uri] (first (prefixes uri)))
(getPrefixes [uri] (.iterator (prefixes uri)))))) | http://illegalargumentexception.blogspot.com/2009/05/java-using-xpath-with-namespaces-and.html | CC-MAIN-2014-42 | refinedweb | 749 | 55.03 |
Usage¶
torchelastic requires you to implement a state object and a train_step function.
For details on what these are refer to how torch elastic works.
While going through the sections below, refer to the imagenet example
for more complete implementation details.
Implement state¶
The State object has two categories of methods that need to be implemented:
synchronization and persistence.
sync()¶
Lets take a look at synchronization first. The sync method is responsible for
ensuring that all workers get a consistent view of state. It is called at
startup as well as on each event that potentially leaves the workers out of sync,
for instance, on membership changes and rollback events. Torchelastic relies on
the sync() method for state recovery from surviving workers (e.g. when
there are membership changes, either due to worker failure or elasticity,
the new workers receive the most up-to-date state from one of the surviving
workers - usually the one that has the most recent state - we call this worker
the most tenured worker).
Things you should consider doing in sync are:
- Broadcasting global parameters/data from a particular worker (e.g. rank 0).
- (re)Initializing data loaders based on markers (e.g. last known start index).
- (re)Initializing the model.
> IMPORTANT: state.sync() is not meant for synchronizing steps in training. For instance
you should not be synchronizing weights (e.g .all-reduce model weights for synchronous SGD).
These type of collectives operations belong in the train_step.
All workers initially create the state object with the same constructor arguments.
We refer to this initial state as S_0 and assume that any worker is able to create
S*0 without needing any assistance from torchelastic. Essentially S*0 is the bootstrap
state. This concept will become important in the next sections when talking about
state persistence (rollbacks and checkpoints).
(optional) capture*snapshot() and apply*snapshot()¶
> You do not have to implement these methods if you do not want rollbacks
from failed train_steps
torchelastic has the ability to rollback a state if a train_step fails to
execute successfully, which may result in the state object being left partially
updated. It relies on a properly implemented capture*snapshot() and apply*snapshot()
methods of the state to ensure that the state is restored to before the
faulty train_step.
The capture_snapshot() method, as the name implies, takes a snapshot of the state
and returns the necessary information to be able to restore
the state object. You may return any object from capture_snapshot() so long as you
can use it in the apply_snapshot(snapshot) method. A possible implementation of a
rollback is:
snapshot = state.capture_snapshot()
try:
train_step(state)
except RuntimeError:
state.apply_snapshot(snapshot)
state.sync()
> NOTE: Since certain fields of the state may need to get re-initialized,
torchelastic calls the sync() method. For instance, data loaders may need
to be restarted as their iterators may end up in a corrupted state when the
train_step does not exit successfully.
Notice that the apply method is called on the existing state object, this implies
that an efficient implementation of snapshot should only return mutable, stateful
data. Immutable fields or fields that can be derived from other member variables or
restored in the sync method need not be included in the snapshot.
By default the capture*snapshot() method returns None and the apply*snapshot() method
is a pass, which essentially means “rollback not supported”.
> IMPORTANT: The apply_snapshot object should make no assumptions about
which state object it is called on (e.g. the values of the member variables).
That is, applying a snapshot
to any state followed by state.sync() should effectively restore the
state object to when the corresponding capture_snapshot method was called.
A good rule of thumb is that the apply_snapshot should act more like a set
method rather than an update method.
(optional) save(stream) and load(stream)¶
> You do not have to implement these methods if you do not plan on using
checkpointing.
Much like the capture*snapshot and apply*snapshot, the save and load methods form a pair.
They are responsible for persisting and restoring the state object to and from
a stream which is a file-like object
that is compatible with pytorch.save.
torchelastic relies on these methods to provide checkpoint functionality for your job.
> We encourage users to use torch.save and torch.load methods when implementing
save and load methods of their state class.
> NOTE: The default implementations of save and load use capture_snapshot
and apply_snapshot
Implement train_step¶
The train_step is a function that takes state as a single argument
and carries out a partition of the overall training job.
This is your unit of work and it is up to you to define what
a unit is. When deciding what your unit of work should be, keep in mind the
following:
- Rollbacks and checkpoints are done at train_step granularity. This means
that torchelastic can only recover to the last successful train_step Any failures
during the train_step are not recoverable.
- A train*step iteration in the train*loop has overhead due
to the work that goes in ensuring that your job is fault-tolerant and elastic.
How much overhead depends on your configurations for rollbacks and checkpoints as well
as how expensive your snapshot, apply, save and load functions are.
> In most cases, your job naturally lends itself to an
obvious train_step. The most canonical one for many training jobs is to map
the processing of a mini-batch of training data to a train_step.
There is a trade-off to be made between how much work you are
willing to lose versus how much overhead you want to pay for that security.
Write a main.py¶
Now that you have state and train_step implementations all that remains
is to bring everything together and implement a main that will execute your
training. Your script should initialize torchelastic’s coordinator, create
your state object, and call the train_loop. Below is a simple example:
import torchelastic
from torchelastic.p2p import CoordinatorP2P
if name == “main”:
min_workers = 1
max_workers = 1
run_id = 1234
etcd_endpoint = “localhost:2379”
state = MyState()
coordinator = CoordinatorP2P(
c10d_backend=”gloo”,
init_method=f”etcd://{etcd_endpoint}/{run_id}?min_workers={min_workers}&max_workers={max_workers}”,
max_num_trainers=max_workers,
process_group_timeout=60000,
)
torchelastic.train(coordinator, train_step, state)
Configuring¶
Metrics¶
See metrics documentation.
Checkpoint and Rollback¶
See checkpoint documentation
Rendezvous¶
See rendezvous documentation | https://pytorch.org/elastic/0.1.0rc2/usage.html | CC-MAIN-2022-27 | refinedweb | 1,047 | 55.03 |
Hi, thanks for your care about GNU/kFreeBSD..
On all glibc based systems (linux,hurd,GNU/kFreeBSD) <sys/time.h> is the same. It defines TIMEVAL_TO_TIMESPEC conditionally everywhere. So it remains to explain why libevent fails on GNU/kFreeBSD and builds fine on linux.
From long description:
libevent is meant to replace the asynchronous event loop found in event driven network servers. Currently, libevent supports kqueue(2) and select(2). ./configure on linux and hurd: checking sys/event.h usability... no checking sys/event.h presence... no checking for sys/event.h... no ./configure on GNU/kFreeBSD: checking sys/event.h usability... yes checking sys/event.h presence... yes checking for sys/event.h... yes It tries to use kqueue kernel interface, which is available only on BSDs (including GNU/kFreeBSD), but not on linux. The builds fails in fact by kqueue.c:222: warning: implicit declaration of function 'TIMEVAL_TO_TIMESPEC' The kqueue.c is not built on linux, so it does not fail here..
We are glibc based, we should use glibc definition of <sys/time.h>. The "fix" is easy, just define _GNU_SOURCE in the top of kqueue.c, similarly as already done in buffer.c, evdns.c, rtsig.c. Yet better for upstream would be to define _GNU_SOURCE in config.h on all glibc based systems - via some autoconf test. Thanks again for your care about GNU/kFreeBSD. Petr --- libevent-1.3e/kqueue.c 2007-08-15 02:24:21.000000000 +0200 +++ libevent-1.3e/kqueue.c 2008-08-11 16:36:20.000000000 +0200 @@ -30,6 +30,8 @@ #include "config.h" #endif +#define _GNU_SOURCE 1 + #include <sys/types.h> #ifdef HAVE_SYS_TIME_H #include <sys/time.h> | https://lists.debian.org/debian-bsd/2008/08/msg00023.html | CC-MAIN-2015-27 | refinedweb | 278 | 63.76 |
This is the mail archive of the gcc@gcc.gnu.org mailing list for the GCC project.
Hello- I recently started using -flto in my builds, it's a very impressive feature, thanks very much for adding it. One thing that occurred to me while switching over to using it: In an LTO world, the object files, it seems to me, are becoming increasingly less relevant, at least for some applications. Since you are already committing to the build taking a long time, in return for the run-time performance benefit, it makes sense in a lot of cases to go whole-hog and just compile everything every time anyway. This comes with a lot of advantages, besides fewer large files laying around, it simplifies things a lot, say I don't need to worry about accidentally linking in an object file compiled differently vs the rest (different -march, different compiler, etc.), since I am just rebuilding from scratch every time. In my use case, I do such things a lot, and find it very freeing to know I don't need to worry about any state from a previous build. In any case, the above was some justification for why I think the following feature would be appreciated and used by others as well. It's perhaps a little surprising, or at least disappointing, that this: g++ -flto=jobserver *.o will be parallelized, but this: g++ -flto=jobserver *.cpp will effectively not be; each .cpp is compiled serially, then the LTO runs in parallel, but in many cases the first step dominates the build time. Now it's clear why things are done this way, if the user wants to parallelize the compile, they are free to do so by just naming each object as a separate target in their Makefile and running a parallel make. But this takes some effort to set up, especially if you want to take care to remove the intermediate .o files automatically, and since -flto has already opened the door to gcc providing parallelization features, it seems like it would be nice to enable parallelizing more generally, for all parts of the build that could benefit from it. I took a stab at implementing this. The below patch adds an option -fparallel=(jobserver|N) that works analogously to -flto=, but applies to the whole build. It generates a Makefile from each spec, with appropriate dependencies, and then runs make to execute it. The combination -fparallel=X -flto will also be parallelized on the lto side as well, as if -flto=jobserver were specified; the idea would be any downstream tool that could naturally offer parallel features would do so in the presence of the -fparallel switch. I am sure this must be very rough around the edges, it's my first-ever look at the gcc codebase, but I tried not to make it overly restrictive. I only really have experience with Linux and C++ so I may have inadvertently specialized something to these cases, but I did try to keep it general. Here is a list of potential issues that could be addressed: -For some jobs there are environment variables set on a per-job basis. I attempted to identify all of them and came up with COMPILER_PATH, LIBRARY_PATH, and COLLECT_GCC_OPTIONS. This would need to be kept up to date if others are added. -The mechanism I used to propagate environment variables (export + unset) is probably specific to the Bourne shell and wouldn't work on other platforms, but there would be some simple platform-specific code to do it right for Windows and others. -Similarly for -pipe mode, I put pipes into the Makefile recipe, so there may be platforms where this is not the correct syntax. Anyway, here it is, in case there is any interest to pursue it further. Thanks for listening... -Lewis ============= diff --git gcc/common.opt gcc/common.opt index 3b8b14d..4417847 100644 --- gcc/common.opt +++ gcc/common.opt @@ -1575,6 +1575,10 @@ flto= Common RejectNegative Joined Var(flag_lto) Link-time optimization with number of parallel jobs or jobserver. +fparallel= +Common Driver RejectNegative Joined Var(flag_parallel) +Enable parallel build with number of parallel jobs or jobserver. + Enum Name(lto_partition_model) Type(enum lto_partition_model) UnknownError(unknown LTO partitioning model %qs) diff --git gcc/gcc.c gcc/gcc.c index a5408a4..6f9c1cd 100644 --- gcc/gcc.c +++ gcc/gcc.c @@ -1716,6 +1716,73 @@ static int have_c = 0; /* Was the option -o passed. */ static int have_o = 0; +/* Parallel mode */ +static int parallel = 0; +static int parallel_ctr = 0; +static int parallel_sctr = 0; +static enum { + parallel_mode_off, + parallel_mode_first_job_in_spec, + parallel_mode_continued_spec +} parallel_mode = parallel_mode_off; +static bool jobserver = false; +static FILE* mstream = NULL; +static const char* makefile = NULL; + +/* helper to turn $ -> $$ for make and + maybe escape single quotes for the shell. */ +static void +mstream_escape_puts (const char* string, bool single_quote) +{ + if (single_quote) + fputc ('\'', mstream); + for (; *string; string++) + { + if (*string == '$') + fputs ("$$", mstream); + else if (single_quote && *string == '\'') + fputs ("\'\\\'\'", mstream); + else + fputc (*string, mstream); + } + if (single_quote) + fputc ('\'', mstream); +} + +/* In parallel mode, if environment variables are changing for each job, + then we need to store them in the makefile. */ +static void +propagate_environment_to_makefile () +{ + static const char *const vars[] = { + "COMPILER_PATH", + LIBRARY_PATH_ENV, + "COLLECT_GCC_OPTIONS", + }; + unsigned int i; + for (i = 0; i < sizeof(vars)/sizeof(*vars); i++) + { + const char *const v = vars[i]; + const char *const val = getenv(v); + fprintf (mstream, "job%d: __environment", parallel_ctr); + fputs (i ? "+=" : "=", mstream); + if (val == NULL) + { + fputs ("unset ", mstream); + mstream_escape_puts (v, false); + } + else + { + mstream_escape_puts (v, false); + fputc ('=', mstream); + mstream_escape_puts (val, true); + fputs ("; export ", mstream); + mstream_escape_puts (v, false); + } + fputs (";\n", mstream); + } +} + /* Pointer to output file name passed in with -o. */ static const char *output_file = 0; @@ -1727,6 +1794,7 @@ static struct temp_name { const char *suffix; /* suffix associated with the code. */ int length; /* strlen (suffix). */ int unique; /* Indicates whether %g or %u/%U was used. */ + int parallel_sctr; /* which parallel spec was it for. */ const char *filename; /* associated filename. */ int filename_length; /* strlen (filename). */ struct temp_name *next; @@ -2831,6 +2899,39 @@ execute (void) } #endif + /* In parallel mode, just update the Makefile and return. */ + if (parallel_mode != parallel_mode_off) + { + parallel_ctr++; + fprintf (mstream, + ".PHONY: job%d\n" "all: job%d\n", + parallel_ctr, parallel_ctr); + propagate_environment_to_makefile (); + fprintf (mstream, "job%d:", parallel_ctr); + if (parallel_mode == parallel_mode_first_job_in_spec) + parallel_mode = parallel_mode_continued_spec; + else + fprintf (mstream, " job%d", parallel_ctr - 1); + fputs ("\n\t@+$(__environment)", mstream); + /* TODO: if -pipe is in effect, probably this only works on unix-like systems? */ + for (i = 0; i < n_commands; i++) + { + if (i) + fputs(" |", mstream); + const char** arg; + for (arg = commands[i].argv; *arg != NULL; arg++) + { + fputc (' ', mstream); + mstream_escape_puts (*arg, true); + } + if (commands[i].argv[0] != commands[i].prog) + free (CONST_CAST (char*, commands[i].argv[0])); + } + fputc ('\n', mstream); + execution_count++; + return 0; + } + /* Run each piped subprocess. */ pex = pex_init (PEX_USE_PIPES | ((report_times || report_times_to_file) @@ -3843,6 +3944,24 @@ driver_handle_option (struct gcc_options *opts, handle_foffload_option (arg); break; + case OPT_fparallel_: + if (strcmp (arg, "jobserver") == 0) + { + jobserver = true; + parallel = 1; + } + else + { + parallel = atoi(arg); + if (parallel <= 1) + parallel = 0; + } + /* Downstream tools need jobserver mode since + they will be called from our Makefile. */ + if (parallel) + save_switch ("-fparallel=jobserver", 0, NULL, true, true); + return true; + default: /* Various driver options need no special processing at this point, having been handled in a prescan above or being @@ -4510,6 +4629,12 @@ do_spec (const char *spec) { int value; + if (parallel) + { + parallel_mode = parallel_mode_first_job_in_spec; + parallel_sctr++; + } + value = do_spec_2 (spec); /* Force out any unfinished command. @@ -4526,6 +4651,8 @@ do_spec (const char *spec) value = execute (); } + parallel_mode = parallel_mode_off; + return value; } @@ -5135,7 +5262,8 @@ do_spec_1 (const char *spec, int inswitch, const char *soft_matched_part) for (t = temp_names; t; t = t->next) if (t->length == suffix_length && strncmp (t->suffix, suffix, suffix_length) == 0 - && t->unique == (c == 'u' || c == 'U' || c == 'j')) + && t->unique == (c == 'u' || c == 'U' || c == 'j') + && t->parallel_sctr == parallel_sctr) break; /* Make a new association if needed. %u and %j @@ -5161,6 +5289,7 @@ do_spec_1 (const char *spec, int inswitch, const char *soft_matched_part) temp_filename_length = strlen (temp_filename); t->filename = temp_filename; t->filename_length = temp_filename_length; + t->parallel_sctr = parallel_sctr; } free (saved_suffix); @@ -6869,6 +6998,7 @@ class driver bool prepare_infiles (); void do_spec_on_infiles () const; void maybe_run_linker (const char *argv0) const; + void maybe_run_make () const; void final_actions () const; int get_exit_code () const; @@ -6918,6 +7048,7 @@ driver::main (int argc, char **argv) do_spec_on_infiles (); maybe_run_linker (argv[0]); + maybe_run_make (); final_actions (); return get_exit_code (); } @@ -7624,6 +7755,17 @@ driver::prepare_infiles () if (!combine_inputs && have_c && have_o && lang_n_infiles > 1) fatal_error ("cannot specify -o with -c, -S or -E with multiple files"); + /* Check if we are using a makefile to implement parallel mode. */ + if (parallel) + { + makefile = make_temp_file (".mk"); + record_temp_file (makefile, 1, 0); + mstream = fopen (makefile, "w"); + if (mstream == NULL) + fatal_error ("failed to open temporary Makefile %s", + makefile); + } + /* No early exit needed from main; we can continue. */ return false; } @@ -7863,6 +8005,75 @@ driver::maybe_run_linker (const char *argv0) const && !(infiles[i].language && infiles[i].language[0] == '*')) warning (0, "%s: linker input file unused because linking not done", outfiles[i]); + + /* in parallel mode, add the dependencies for the final link. */ + if (parallel_ctr > 1 && linker_was_run) + { + int j; + fprintf (mstream, "job%d:", parallel_ctr); + for (j = 1; j < parallel_ctr; j++) + fprintf (mstream, " job%d", j); + putc('\n', mstream); + } +} + +/* in parallel mode, actually do the build now. */ +void +driver::maybe_run_make() const +{ + char jobs[32]; + const char *new_argv[6]; + const char *errmsg; + int err = 0; + int status = 0; + + if (!parallel) return; + + if (ferror (mstream) != 0 + || fclose (mstream) != 0) + fatal_error ("error writing to Makefile %s", makefile); + + if (!jobserver) + { + /* Avoid passing --jobserver-fd= and similar flags + unless jobserver mode is explicitly enabled. */ + putenv (xstrdup ("MAKEFLAGS=")); + putenv (xstrdup ("MFLAGS=")); + } + + new_argv[0] = getenv ("MAKE"); + if (!new_argv[0]) + new_argv[0] = "make"; + new_argv[1] = "-f"; + new_argv[2] = makefile; + if (!jobserver) + { + snprintf (jobs, 31, "-j%d", parallel); + new_argv[3] = jobs; + } + else + new_argv[3] = "-j"; + new_argv[4] = "all"; + new_argv[5] = NULL; + + errmsg = pex_one (PEX_SEARCH, + new_argv[0], + CONST_CAST(char *const*, new_argv), + new_argv[0], + NULL, NULL, &status, &err); + if (errmsg != NULL) + { + if (err == 0) + fatal_error (errmsg); + else + { + errno = err; + pfatal_with_name (errmsg); + } + } + if (WIFSIGNALED (status) + || (WIFEXITED (status) && WEXITSTATUS (status) >= MIN_FATAL_STATUS)) + errorcount++; } /* The end of "main". */ diff --git gcc/lto-wrapper.c gcc/lto-wrapper.c index f75c0dc..ce50269 100644 --- gcc/lto-wrapper.c +++ gcc/lto-wrapper.c @@ -982,6 +982,9 @@ run_gcc (unsigned argc, char *argv[]) no_partition = true; break; + case OPT_fparallel_: + /* Fallthru. */ + case OPT_flto_: if (strcmp (option->arg, "jobserver") == 0) { @@ -1239,7 +1242,11 @@ cont: { fprintf (mstream, "%s:\n\t@%s ", output_name, new_argv[0]); for (j = 1; new_argv[j] != NULL; ++j) - fprintf (mstream, " '%s'", new_argv[j]); + /* don't propagate parallel when we call gcc again, + it is wasteful since we are only giving it + one file. */ + if (strcmp (new_argv[j], "-fparallel=jobserver") != 0) + fprintf (mstream, " '%s'", new_argv[j]); fprintf (mstream, "\n"); /* If we are not preserving the ltrans input files then truncate them as soon as we have processed it. This | http://gcc.gnu.org/ml/gcc/2014-12/msg00121.html | CC-MAIN-2018-09 | refinedweb | 1,752 | 51.89 |
Hello. I am trying to insert a new item to a binary search tree but I can't get my code to work right. Here I am suppose to ask the user for the new class object's data and then store it in the binary search tree. No matter what I try to inert it outputs 'Can't have duplicate code', even if I know it is not there. This is my first time working with binary search trees and my class is accelerated so I don't have the chance to really take my time and learn it on my own like I usually do. I'm just confused on where to go from here and how I can fix my code.
This is what I have in main. This is the code I am having trouble with:
Code:int main() { BinarySearchTree<Stock> tree; Stock company[23]; //a class to hold data about stocks string name, symbol; double price = 0; //this is a menu driven program, i only the part of the code I am having trouble with else if (choice == INSERT) { cout << "Enter the new company's name: "; cin.ignore(); getline(cin, name); cout << "Enter the new company's symbol: "; getline(cin, symbol); cout << "Enter the new company's price: "; cin >> price; for (int i = 0; i < 23;) { //search for the next empty spot in the class array of objects while (company[i].getPrice() != 0) { i++; } if (company[i].getPrice() == 0) { company[i].setName(name); //the setters are in the class Stock company[i].setSymbol(symbol); company[i].setPrice(price); tree.insert(company[i]); //outputs 'can't have duplicate code' even if it is not in tree already } } }
Here is what the code looks like to insert an item to the binary search tree. I know there is nothing wrong with this code because my teacher helped the class write it. This code is just here for clarification:
Code:template <typename T> void BinarySearchTree<T>::insert(const T& item) { insert(root, item); } template <typename T> void BinarySearchTree<T>::insert(Node<T> *&r, const T& item) { using namespace std; if (r == nullptr) { r = new Node<T>; r->info = item; r->left = nullptr; r->right = nullptr; } else if (item < r->info) insert(r->left, item); else if (item > r->info) insert(r->right, item); else cout << "Can't have duplicate code.\n"; } | https://cboard.cprogramming.com/cplusplus-programming/179742-how-insert-class-object-binary-search-tree-post1298903.html?s=58202fa41deb00b7b430979630e6d1df | CC-MAIN-2021-04 | refinedweb | 393 | 63.63 |
"build production" compiles fine, but app tries to load classes dynamically still?
"build production" compiles fine, but app tries to load classes dynamically still?
So I have an app that works fine in dev mode, dynamically loading. All of the files I created, ~140 of them, are in a requires array somewhere in the app, so there are no warnings about lazy loading.
When I ran sencha app build production, it completed fine and created an all-classes file. When I load the generated html file in the production folder in my browser, it throws about 7 404 errors. It appears it is still trying to lazy load my classes. Here is an example:
Code: 404 (Not Found)
I basically did this:
ran "sencha -sdk <path to 4.1.1> generate app FH ."
removed the current app folder
put the app folder I had already built in the same location as the default generated one
ran "sencha app build production" //No errors or warnings here
loaded in browser
got 404 errors
Not sure if the docs are out of date, or something incorrect is happening, but I see references to an app.json file in the docs, but that isn't being generated on my end. Did a search for that file name as soon as did generate app.
Using Sencha Cmd v3.0.0.250
Updated my build.xml file via helpful user on stackoverflow. It works now, but getting different errors. That may be a setup thing I am going to investigate further separately.
Code:
Ext.application({ ..... uses: [ /*ant-generated-content-start*/ /*ant-generated-content-end*/ ], ..... }
build.xml
Code:
<target name="-before-build"> <echo message="Collecting all views in application class property ... "/> <fileset id="app_views" dir="${app.dir}/app/view" casesensitive="yes"> <include name="**/*.js"/> </fileset> <pathconvert pathsep="," property="app_view_names" refid="app_views" targetos="unix"> <chainedmapper> <globmapper from="${app.dir}/app/*" to="${ant.project.name}/*" casesensitive="no" handledirsep="yes"/> <chainedmapper> <regexpmapper from="^(.*)\.js$$" to='"\1"'/> <filtermapper> <replacestring from="/" to="."/> <replacestring from="\" to="."/> </filtermapper> </chainedmapper> </chainedmapper> </pathconvert> <echo message="Collected views: ${app_view_names}"/> <echo message="Injecting into app.js ..."/> <replaceregexp file="${app.dir}/app/app.js" match="/\*ant-generated-content-start\*/(.*)/\*ant-generated-content-end\*/" replace="/*ant-generated-content-start*/ ${app_view_names} /*ant-generated-content-end*/" byline="true" /> </target> <target name="-after-build"> <echo message="Reverting to original app.js ..."/> <replaceregexp file="${app.dir}/app/app.js" match="/\*ant-generated-content-start\*/(.*)/\*ant-generated-content-end\*/" replace="/*ant-generated-content-start*/ /*ant-generated-content-end*/" byline="true" /> </target>
- Join Date
- Mar 2007
- Location
- Gainesville, FL
- 37,327
- Vote Rating
- 851
That would mean you haven't required all the classes that you need to. The ones that are trying to be loaded, you need to require in your app ones that were receiving 404 errors were required in parent classes that used them. But I did not have a long requires list of views in app.js. That would become a maintenance nightmare.
I double checked though. Each file that was throwing a 404, I:
1) Looked at it's parent view it was being included in. The parent view had that class in its requires array
2) I checked the final compiled all-classes.js file, and yes, those classes were in there defined properly.
The above build.xml was the only way I could get it to work, but I am satisfied with it.
One thing I am trying to figure out though, is after all the compiling & compression of the all-classes.js is done, can I tell the build.xml to move the all-classes.js to another folder and rename it?
Having the same issue...
Having the same issue...
It would be good to get an response to why this might be happening from the Sencha team.
I had a similar issue w/4.1.3 & Sencha Cmd 3.0.2.288, but I was able to track it down to the store I was creating for a Tree.
The solution for me was to add a requires array to that store definition and explicitly list my model (even though I already had the model property set, and listed it in my apps models array).
-Chris
From:.
And from:
The compiler understands the "keywords" of this declarative language:
· requires
· uses
· extend
· mixins
· statics
· alias
· `singleton
· override
· alternateClassName
· xtype
In either case, there is no mention of the compiler parsing “controllers”, “models”, or “stores” properties to determine dependency hierarchy.
So yes, apparently you have to supply with Ext.requires before creating your Ext.Application, and adding the "requires" property into your classes wherever necessary.
Our big problem is this documented feature not working:
From:.
We were not getting "Synchronously loading 'Ext.foo.Bar'; consider adding 'Ext.foo.Bar' explicitly as a require of the corresponding class" messages, so finding out that our model class needed the following requires:
requires: [
'Ext.data.proxy.Rest',
'Ext.data.proxy.Memory',
'Ext.data.reader.Json',
'Ext.data.writer.Json'
],
Took setting a breakpoint at our failed class definition in all-classes.js (Ext.define line), and then stepping through the Ext.Classmanager.isCreated code.
This is a major bug with 4.1.3 that makes using Sencha CMD Compile nearly impossible - not sure if it has been addressed with later releases.
I should also mention that before we knew which Ext.define to set our breakpoint, we had to:
Ext.Loader.setConfig({
enabled: false,
});
So that it would generate an error like:
Uncaught Error: Ext.Loader is not enabled, so dependencies cannot be resolved dynamically. Missing required class: xxxx all-classes.js:1 Executing script on home page.
You might try this if including all the classes in your app's namespace is not a problem:
Code:
Ext.application({ // ... requires: [ "FH.view.*" ] // ... }); | http://www.sencha.com/forum/showthread.php?256184-quot-build-production-quot-compiles-fine-but-app-tries-to-load-classes-dynamically-still | CC-MAIN-2014-42 | refinedweb | 960 | 50.63 |
table of contents
NAME¶
getxattr, lgetxattr, fgetxattr - retrieve an extended attribute value
SYNOPSIS¶
#include <sys/types.h> #include <sys¶)..)
RETURN VALUE¶
On success, these calls return a nonnegative value which is the size (in bytes) of the extended attribute value. On failure, -1 is returned and errno is set appropriately.
ERRORS¶
-¶
These system calls have been available on Linux since kernel 2.4; glibc support is provided since version 2.3.
CONFORMING TO¶
These system calls are Linux-specific.
EXAMPLES¶
See listxattr(2).
SEE ALSO¶
getfattr(1), setfattr(1), listxattr(2), open(2), removexattr(2), setxattr(2), stat(2), symlink(7), xattr(7)
COLOPHON¶
This page is part of release 5.10 of the Linux man-pages project. A description of the project, information about reporting bugs, and the latest version of this page, can be found at | https://dyn.manpages.debian.org/unstable/manpages-dev/getxattr.2.en.html | CC-MAIN-2022-21 | refinedweb | 138 | 51.85 |
Am trying to click a div with t.click(someDivSelector).click(someOtherSelector), but the first click doesn't seem to be executed.properly. Testcafe starts wiating for the second selector to return something, but that never happens
When I open the console in Chrome while testcafe is waiting for the second selector to return something and I do this in the browser console, it all of a sudden does start working:document.querySelector('[data-element-name=nameOfMydiv]').click()
The click on someDivSelector does an Ajax call after which extra markup is loaded in the UI, which contains something matching someOtherSelector. When testcafe does it's first click, the dynamically loaded content doesn't appear in the UI. When I click that first element with the code above through the Developer Console, the dynamic UI does appear.
So I wonder if testcafe supports clikcing divs and triggering their onclick envent handler.
I'm on Chrome, Windows 10 and TestCafe 0.11.1
Sure it should work. I suppose the issue is specific for your page. Could you please provide us an url of your page and your test code to check it? Or maybe could you create a simple example that reproduces the problem?
As the page isn't public, sending a link is a bit hard. I'll try to do some debugging myself or else try to create a standalone sample reproducing the problem.
Paul
I think I have figured out the problem.
The div I'm trying to click is located in the lower-right corner of the window. The reason that the click of the element in my test isn't triggering the onclick event handler is because TestCafe displays a bar on the bottom of the window, which overlays the div I'm trying to click.
If I put in a wait that is long enough for me to open the Developer Tools in Chrome and set display: none on the div with id="root-hammerhead-shadow-ui", the click of my div starts working fine.
So is seems that TestCafe's status overlay on the bottom of the screen is interfering with the ability to test the elements that are located underneath it
Any suggestions how I can work around that (assuming a proper fix will end up in TestCafe eventually)?
TIA
Hoping I can get some pointers how to workaround this. I've tried to hide the Testcafe bar myself, but it seems like TestCafe is actively trying to not let me interact with the bar, by not allowing me to select is wit document.querySelector for example
TestCafe is actively trying to not let me interact with the bar, by not allowing me to select is wit document.querySelector for example
Yes, TestCafe "hides" their ui from the page script.
The reason that the click of the element in my test isn't triggering the onclick event handler is because TestCafe displays a bar on the bottom of the window, which overlays the div I'm trying to click.
TestCafe should work in this situation. It ignores their ui and should perform click successfully. For example the following test works on my side (TestCafe clicks on the link that is under the TestCafe ui panel:
import { Selector } from 'testcafe';
fixture `Twitter`
.page('');
test('test', async t => {
await t.click(Selector('a').withText('About'));
});
Do you have some element that placed below your element? If yes as a workaround you can call await t.hover(elementBelowSelector) and then perform await t.click(yourDivSelector).Is you element placed in an iframe or not?
await t.hover(elementBelowSelector)
await t.click(yourDivSelector)
Hi,
Tnx for your response.
No, my element is not in an iframe.
Not so sure about whether your example is representative of the problem I'm facing, as the 'About' link from Twitter isn't located below the TestCafe bar (for me at least), but I've first created a simplified sample myself and can't reproduce the problem in there.
So I went on to extract the HTML from the page in which it is reproducible into something stand-alone which I can share. And I managed to do so and the problem is reproducible in there, see the test script below.
It looks like something is wrong with the coordinates and the click is done outside the div import { Selector } from 'testcafe';
fixture `Sample`
.page ``;
test('div', async t => {
const div = Selector('[data-sv-element-name="test"]')
await t
.click(div)
.expect(div.find('span').textContent).contains('It worked');
}
)
Thanks for the example. I've reproduced the problem and created an issue in our repository. Subscribe to it to be notified when it's fixed.
k, great.
Any suggestions for a temporary workaround?
Try to add hover action before click. It works on my side with your example
hover
click
import { Selector } from 'testcafe';
fixture `Sample`
.page ``;
test('div', async t => {
const div = Selector('[data-sv-element-name="test"]')
await t
.hover(div)
.click(div)
.expect(div.find('span').textContent).contains('it worked')
.wait(2000); // just to see the page state
}
)
The .hover(div) approach doesn't work for me unfortunately
I've worked around it now by altering the design locally, by moving the button, which is fine for now working locally, but of course I cannot do that once we set this up into our software factory.
Any idea when the fix could be available for testing?
The issue is under investigation already, we'll provide a fix as soon as possible
Hello.
Is there any info about this issue?
Thanks!
Renato
@csrenatoWe have fixed the issue in the context of the following thread:
Onclick event handler is not executed when TestCafe clicks on the div | https://testcafe-discuss.devexpress.com/t/api-click-on-a-div-element-with-an-onclick-handler-supported/110 | CC-MAIN-2021-39 | refinedweb | 957 | 63.29 |
27 October 2009 09:23 [Source: ICIS news]
SINGAPORE (ICIS news)--Borealis posted a third-quarter net profit of €46m ($68.7m), down 71% year on year, due to poor sales, the Austria-based chemical producer said on Tuesday.
Sales for the three-month period ending on 30 September declined 30% year on year to €1.28bn, Borealis said.
Operating profit slumped 66% to €58m on continued margin pressure, particularly on its melamine and fertilizer businesses, the company said.
For the January-September period, the company said its net profit shrank 93% to €25m, while sales were down 36% at €3.45bn.
Borealis said its sales margins have slightly improved but were still below historic levels.
“Due to the anticipated additional volumes coming on stream from the ?xml:namespace>
Borealis is 64% owned by the International Petroleum Investment Co (IPIC) of
($1 = €0.67)
For more on Borealis. | http://www.icis.com/Articles/2009/10/27/9258168/borealis+q3+net+profit+slumps+71+to+46m+due+to+poor.html | CC-MAIN-2013-20 | refinedweb | 148 | 57.57 |
This tutorial series is about the ttk module, which is a special extension of the popular Tkinter GUI library in Python. ttk basically stands for Themed Tkinter, as it provides theming.
Table of Contents
- Tkinter vs ttk Comparison
- ttk widget tutorials
- More about ttk
- Importing ttk
- List of Options
- Styles
Tkinter vs ttk Comparison
There are two major differences between Tkinter and ttk.
Firstly ttk has 6 new widgets, the Combobox, Separator, Sizegrip, Treeview, Notebook and ProgressBar. As we mentioned earlier, there are 12 other widgets
(Button, Checkbutton, Entry, Frame, Label, LabelFrame, Menubutton, PanedWindow, Radiobutton, Scale, Scrollbar, and Spinbox).
Secondly, the newer widgets introduced by ttk have slight syntax differences when it comes to certain menu options like
bg and
fg, which are normally present in tkinter. Instead of this, ttk introduces a
Style class, which is used to apply customizations. Similarly, there are some new options that ttk introduces that weren’t present in tkinter.
ttk Widget Tutorials
Here we have individual tutorials for each of the 6 new widgets in ttk. Each tutorial is complete with an explanation, examples and list of possible options and customizations..
For the original 12 widgets, you can refer to the original Tkinter tutorial series, where we have individual tutorials for each widget.
For a list of updated options and a tutorial on the new Style class in ttk, refers to the below section.
More about Tkinter ttk (Tutorial)
Here is some extra content and information about the ttk module that will be of great help to all Tkinter and ttk users.
How to import ttk
Importing ttk can get a little tricky as it can be done in several ways. You don’t need to worry about installing or downloading ttk separately however, as it is part of the standard Python library, as a submodule within Tkinter.
A very “raw” way of importing it would be the following:
from tkinter import * from tkinter.ttk import * button = Button(......)
What this does is first import all the Widgets from tkinter without any namespace. The second import from ttk then occurs, and it overrides the tkinter import, replacing all common widgets. Hence when you create a button, it will be from the ttk module. You will no longer be able to use regular Tkinter versions with this method.
import tkinter as tk import tkinter as ttk button = tk.Button(......) ttkButton = ttk.Button(......)
Alternatively, you could import it like this, which preserves namespaces. This gives you greater control over your widgets, allowing you to pick whether to use the Tkinter version, or the ttk version. (Useful if you just want to use a certain widget or two from ttk)
Styles in ttk
Every widget now has a
style option, into which the name of the style is passed. This style is separately configured using the style class, and given attributes such as hover effects and colors. After creating a style, we can assign it to any widget using the
style option.
Every Widget in Tkinter/ttk has a default style, that has a bunch of attributes already applied on it.
The below table shows the names of these default styles, which you may or may not want to override and change certain styling options for widgets belonging to that style group.
For more about Styles and related topics such as themes, check out our Tkinter ttk Style Tutorial, where we explain how to use, modify and create styles.
This marks the end of the Tkinter ttk Widgets tutorial. Any suggestions or contributions for CodersLegacy are more than welcome. Questions regarding the tutorial content can be asked in the comments section below. | https://coderslegacy.com/python/tkinter-ttk-widgets-tutorial/ | CC-MAIN-2022-40 | refinedweb | 605 | 53 |
User talk:Weaseloid/Archive
Hi
. Nice of you to join us. If you'd like to know a bit more about the site please have a look at our RationalWiki:Newcomers' guide. --Bobbing up 15:48, 31 July 2008 (EDT)
.W===========E
....E=====M
......L=O
.......C
......O=L
....M=====E
.E===========W
- Hi. Marginally Less Chaos!Audacity! 15:51, 31 July 2008 (EDT)
- Wow. It seems I've given you two of these, now. You are much favoured by the gods, young Weaseloid. Marginally Less Chaos!Audacity! 15:53, 31 July 2008 (EDT)
I seem to have missed welcoming you while away. Greetings, Weaseloid, and welcome to the ROM!
Radioactive afikomen Please ignore all my awful pre-2014 comments. 20:26, 17 August 2008 (EDT)
Contents
- 1 Article in preparation
- 2 Pig, cake, antibiotics...
- 3 Question on Redirects
- 4 Nice find
- 5 I was bored
- 6 I should warn you
- 7 You blocked me?
- 8 Tits & Freds
- 9 "Hence all the time spent on RationalWiki, when I should be doing more productive real world things"
- 10 I have just sent you a very important email
- 11 "dup"
- 12 anal sex.
- 13 I have left you VERY IMPORTANT MESSAGES in User talk:Weaseloid/Redirects;
- 14 Barney the Dinosaur
- 15 Experiment
- 16 You fucking lion tamer
- 17 Hitler and Evolution
- 18 I need a mount
- 19 Stubbot
- 20 Remove my username
- 21 Freemasonry
- 22 Your nonsense
- 23 Shit!
- 24 Thanks for the help
- 25 Bickle
- 26 Horribly offended by your userpage
- 27 TOR blocks.
- 28 Kels block
- 29 Copy cat
- 30 Some probably unwanted information
- 31 Because
- 32 TK
- 33 "Also known as..."
- 34 In memory of the Weasel incident
- 35 Community Standards
- 36 By the way
- 37 Support or oppose the Science namespace
- 38 Babble
- 39 names thing
- 40 Chalkboard
- 41 Goatmix/cat
- 42 Block
- 43 Therians
- 44 ...
- 45 PhilipV
- 46 January 2009
- 47 WEASEL WAR DANCE!
- 48 External lynx
- 49 Politics cat
- 50 Thanks
- 51 PhilipV again
- 52 Ark Shit
- 53 Seconding
- 54 Anti-Vaccination Commercial
- 55 Night Mode
- 56 "Don't delete talk"
- 57 Wandalism
- 58 Barnstar
- 59 Favor, please.
- 60 Sideways, huh?
- 61 Hello
- 62 Project
- 63 fundamentalism article
- 64 You people must be generous
- 65 I sense a lack of common sense
- 66 Adding Cats
- 67
- 68 Reply from MHOD
- 69 RWW vandal
- 70 Sand cat
- 71 Chalkboard link
- 72 Fall down
- 73 cool
- 74 The Great One Greasy One The Godly One
- 75 Unblocks
- 76 hELL
- 77 Real world
- 78 Thanks
- 79 Weaseldroid
- 80 Hey
- 81 Teach the Controversy...
- 82 Well, well, well...
- 83 Vandal bin
- 84 Support your local Mei
- 85 Welcome template
- 86 Thanks for the greeting!
- 87 Colours...
- 88 Smell that?
- 89 I fed the troll
- 90 merry that thing we do in december!
- 91 Fuck you, you fuckin' fuck.
- 92 Prick
- 93 YouTube Videos at Saloon Bar
- 94 What kind of troll am I?
- 95 w
- 96 =
- 97 Yaarrrr
- 98 This page needs more Mei!
- 99 Sorry--
- 100 Redirects
- 101 w
- 102 Creep
- 103 Saloon Bar rollback
- 104 Rob Smith
- 105 huh? for fuck's sake, Human, "dodging ECs by copying" means you're still ECing everyone else)
- 106 Thanks
- 107 Move
- 108 Damn Frenchie.
- 109 Them hyphens
- 110 Smoking
- 111 Be Fair
- 112 BoN?
- 113 Spam
- 114 Anti-sex stance
- 115 CP homework rollback
- 116 trustworthy article
- 117 trustworthy article
- 118 I saw this...
- 119 Nomination
- 120 UncleHo
- 121 Dude
- 122 advice please
- 123 Laughing Lauren
- 124 A lumbering, impassive, thoughtless monster.
- 125 Sorry
- 126 Coucou !
- 127 Still waiting for your source
- 128 Except...
- 129 Wordsalad
- 130 I would like a source for that
- 131 While I don't entirely disagree...
- 132 You need more goat weasel
- 133 HEY YOU! YEAH, I'M TALKIN' TO YOU!
- 134 An herb
- 135 W. Mitt Romney
- 136 Page protections
- 137 Congratulations on your election to moderator
- 138 You are a moderator
- 139 Votes
- 140 Removing content
- 141 Votes, again
- 142 Pirates?
- 143 eve
- 144 How DARE you add options. Can't you real the rules
- 145 thank you
- 146 I smite you with drinking smilies.
- 147 {{fun}}
- 148 Mod business
- 149 How do you go about feeding a little weasel?
- 150 "oriental woo"
- 151 moderator
- 152 Those were the days...
- 153 'Ship of Fools'
- 154 Why did you delete my userpage?
- 155 I almost voted for you...
- 156 Thanks
- 157 Hungry weasels
- 158 the Asshole Atheist page
- 159 altering user comments
- 160 Geniocracy
- 161 The English did not invent the idea that Joseph of Arimethea brought the Grail to England. A French writer did.
- 162 I'm not trying to evade a community decision
- 163 dos vacas
- 164 Desert Island Discs
- 165 It is better known as strawman fallacy or strawman argument
- 166 I'm using a proxy, you idiot.
- 167 I hate to say it
- 168 Boy's club
- 169 What is that doing there?
- 170 Please
- 171 Congrats
- 172 Bootstar?
- 173 Gay lobby strikes again
- 174 Right, cause there's totally an Oompa Loompa land!
- 175 Thanks
- 176 That link
- 177 Mod stuff
- 178 About credentials
- 179 Patience
- 180 WTF?
- 181 Rights
- 182 Report
- 183 Move
- 184 Moves
- 185 AndrewStewart1
- 186 Boxing day
- 187 Uh
- 188 One-liners
- 189 "Nonsensical block reason"
- 190 Cunt
- 191 Nottingham
- 192 Some guy I've never heard of sneaked that in without prior discussion
- 193 appologies
- 194 Feminism
- 195 Are you seriously accusing me of trolling for opposing the secondary victimization of rape victims?
- 196 Sorry
- 197 Another ill-tempered little mustelid for your delectation
- 198 Trolls
- 199 Signature
- 200 Ninja vs Ninjas
- 201 If you think that external links are too promoting
- 202 User:I am FED UP with the Democrat Party's leftist commie pro-porno, pro-fornication, pro-Islamic-TRASH agenda
- 203 Ferrets on steroids
- 204 Race
- 205 Evolution
- 206 Color@TF
- 207 Personally
- 208 Do you value liberty?
- 209 Cat and marmot wrestling
- 210 It's...
- 211 On being normal namecalling
- 212 Dead wrong
- 213 I have a question
- 214 Hope, etc
- 215 Linode affiliate link
- 216 Blocking rights?
- 217 Like/Dislike
- 218 My recent block
- 219 Bigotry Wiki
- 220 Help
- 221 I'm not silly on days that end in x
- 222 Double standard
- 223 Fuck it, you win
- 224 Nice work.
- 225 Alphabet
- 226 VenomFangX
- 227 That upload
- 228 Thanks
- 229 Moroning
- 230 Fasting = Health woo?
- 231 One of the things that always bugged me about CP...
- 232 Titanic
- 233 Saloon Bar
- 234 Spambots can't do math
- 235 Blog
- 236 "Homosexuality" and MGTOW
- 237 Abuse against Enlightenment Liberal
- 238 Why
- 239 Rape Culture.
- 240 Not a dictionary
- 241 Libel
- 242 Hey. Hey, hey hey, hey. Hey.
- 243 Rome
- 244 short articles
- 245 Cato
- 246 Darrell Huff
- 247 "This user's IQ is a flock of angry weasels."
- 248 Burkean
- 249 Clog WIGO
- 250 just wanted to say
- 251 Junk
- 252 Aww poor baby ...
- 253 Here
- 254 Apology and question
- 255 The new mayor of NYC is your friend.
- 256 what the hell
- 257 RE: Manifesto
- 258 lols Are Strictly Forbidden, Good User!
- 259 My edit
- 260 Anecdotes/Coincidence essay
- 261 Thank you for the Hyde Amendment info
- 262 Godot's new account
- 263 Thank you....
- 264 The cause of "righteous justice"
- 265 Clarification?
- 266 Would you please e-mail wikipedia's Arbcom and say I'm a constructive editor over here?
- 267 As promised
- 268 huh
- 269 TERF
- 270 Et Tu Brute?
- 271 Your edit on Bible contradictions.
- 272 DeadManWonderland
- 273 Over here
- 274 Tag!
- 275 Your revert at War on Drugs
- 276 Hey!
- 277 Apologia
- 278 Vagueness
- 279 We need to make slave owner a category
- 280 I could use your assistance on the rape page and with Ryulong.
- 281 ... unless limey means British
- 282 Deletion logs
- 283 Come on
- 284 Deletion of Portuguese page
- 285 Do not Vandalize my page
- 286 Gallery
- 287 "racism does exist outside the USA you know"
- 288 donotlink.com
- 289 Your signature
- 290 I am super annoyed...
- 291 Suggestions for the Jarrah White article
- 292 RE: Encyclopedia Dramatica & Inquisitor Ehrenstein
- 293 1ABC3
- 294 You are too irrational for rationalwiki.
- 295 WTF
- 296 help
- 297 Those redirects to Rosemary
- 298 BoN
- 299 Um...
- 300 SPJ
- 301 Gator boxes.
- 302 How would you feel if...
- 303 You don't feel
- 304 Duplication
- 305 Really?
- 306 Help
- 307 Why?
- 308 Your recent contribution to the IFL Science page
- 309 Your deletion
- 310
- 311 Thanks
- 312 Civic Cat whine
- 313 BoN voter franchising
- 314 Don't do it!
- 315 American grammar
- 316 "Unjustified"
- 317 Your undo
- 318 You're nominated!
- 319 Dude
- 320 Uh
- 321 Email
- 322 Actions & consequences
- 323 Your opinion greatly needed
- 324 For clarification
- 325 Sorte has now set forth an elaborate stmt of intended definace
- 326 Dicking Around
- 327 I edited your comment
- 328 Ineligible vote struck
- 329 Comments
- 330 Chicken Coop
- 331 GFTOW
- 332 Pizzameister Deal
- 333 OK, I would want you to explain your side of the Sea Shepherd issue
- 334 This belongs here
- 335 Why keep Alternate and Patent Medicine separate?
- 336 ipboptions
- 337 To ensure that you read this
Article in preparation[edit]
You can create a sub page thus: Search [clicking "GO") for "User:Weaseloid/articlename" and clicking on the resulting "You can create the article". This means that when the article is finished to your satisfaction it can be relocated to the appropriate place. Just sayin' is all.
ContribsTalk 07:41, 1 August 2008 (EDT)
- OK, thanks. Weaseloid 08:13, 1 August 2008 (EDT)
- If fair use policies are comparable to Wikipedia's, then screenshots from TV & film shld be permitted. Weaseloid 11:23, 1 August 2008 (EDT)
- Fair use means that it's being used in an article about it (the film or prog) as criticism or explanation etc. not as illustration of some point about something else. I'll leave it for others to look at but we're wary about things like cartoons.
ContribsTalk 11:50, 1 August 2008 (EDT)
- This is true, but I can cite precedent that this is not always the case. This picture appears in the article on Conservapedia. Anyhoo, I have now released the NPOV article out into the wild. Let it fare how it may. If consensus is to remove the picture, so be it. I hope that the Zapp Brannigan quote isn't removed though, as I think it's cute. Also it's a good Futurama episode, with some funny lines from Zapp about the evils of neutrality.Weaseloid 18:53, 2 August 2008 (EDT)
Pig, cake, antibiotics...[edit]
Welcome to the Brotherhood of Pointless Radiohead References ^_^ Our members are few and far between... ~ Gloom(is never asleep) 06:49, 6 August 2008 (EDT)
- Pleased ta meet ya. I think it's actually 'cage', but come to think of it I like 'cake' better. :-) Weaseloid 06:52, 6 August 2008 (EDT)
Question on Redirects[edit]
Hi there! Do you know how to do a "redirect" when there is no content/existing page? I know how to move an existing page to a new name, but if I'd like to just create a re-direct for "Ameircan Indian" to "native American" how do I do that. THANKS!--Waiting for Godot 14:43, 13 August 2008 (EDT)
- I've just done it for you, but they're real easy to do. It looks like this. Just "#REDIRECT [[page you're redirecting to]]". weaseLOIdbite me 14:50, 13 August 2008 (EDT)
- Thanks, I looked at it right after you did one. Easy as "pi".--Waiting for Godot 15:05, 13 August 2008 (EDT)
Nice find[edit]
Well spotted on Jizz's edit on Wikipedia!
GenghisYou have the right to be offended; and I have the right to offend you. 19:04, 15 August 2008 (EDT)
- Thanks, but it wasn't me who found it. It's been around a while - think it was on WIGO CP a week or so back, & it's linked on the Hi Jinx article. But it kinda fits well on his RW User Page, doesn't it. weaseLOIdbite me 19:08, 15 August 2008 (EDT)
I was bored[edit]
So ...
ContribsTalk 00:28, 29 August 2008 (EDT)
- Tough break. Your can have my old mop. CЯacke® 00:46, 29 August 2008 (EDT)
I was bored once, too. But just once.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 06:05, 29 August 2008 (EDT)
I should warn you[edit]
Chick has been known to get litigious over the use of his work by other people. I think we're OK under fair use, though, in this case.
Pink(Astronomy Domine) 11:45, 10 September 2008 (EDT)
- Hmmm. It is on the Jack Chick page so I think it should be OK (although there are one or two elsewhere around RW). I thought there might be fair use issues over it, but I reckon it is justified. weaseLOId
~ 11:48, 10 September 2008 (EDT)
You blocked me?[edit]
For making you lose? Lose what? Oh, that's right THE GAME-ame-ame!
- If there isn't a rule against writing "I lost the game" in an edit summary, there should be one. Everybody who looks at recent changes for next hour or two afterwards is gonna lose. weaseLOId
~ 16:58, 2 October 2008 (EDT)
- But there is a rule that says that says once you have lost the game, you must inform everyone around you at the time. The rules of The Game supercede the rules of RW. ArmondikoVnarchist 04:29, 3 October 2008 (EDT)
Tits & Freds[edit]
Not much point blocking them, they're in Vandal group.
ГенгисYou have the right to be offended; and I have the right to offend you. 15:32, 5 October 2008 (EDT)
- MmmmmYeah, but if they're using multiple accounts to dodge the vandal brake, giving them a couple of hours block may help send them away for a bit. weaseLOId
~
- Narr! They just increment their suffix if one's blocked.
ContribsTalk 15:41, 5 October 2008 (EDT)
- Yeah, I blocked one or two in advance, just after account creation. It didn't do much, they usually come in two or three at a time and a wait a bit to do any blanking. ArmondikoVnarchist 15:57, 5 October 2008 (EDT)
- Then obviously, the only solution is... to ban all one-syllable usernames!
Radioactive afikomen Please ignore all my awful pre-2014 comments. 16:54, 5 October 2008 (EDT)
- I'm afraid I must oppose this scheme.
Pink(What's your name again..? "Ra", isn't it?) 17:06, 5 October 2008 (EDT)
- Well since the name you originally signed up as was far from one one-syllable long, obviously you would be excepted.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 17:07, 5 October 2008 (EDT)
- You mean "Radioactive afikomen"? I never used that account much...
Pink(</tease>) 17:12, 5 October 2008 (EDT)
- Yah, I always liked my old name "85 25 151 22" more.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 17:27, 5 October 2008 (EDT)
- Maybe we should just turn account creation off sporadically. It works for some other wikis. (Well, it doesn't really, but they do it anyway). weaseLOId
~ 17:10, 5 October 2008 (EDT)
- Or use a script that randomly rejects new accounts? --AKjeldsenCum dissensie 17:14, 5 October 2008 (EDT)
- Or have a bot that blocks people at random. Sysops could unblock themselves but the vandals would go down. weaseLOId
~ 17:30, 5 October 2008 (EDT)
- Or go back to invitation-only, just like the RW 1.0! : )
Radioactive afikomen Please ignore all my awful pre-2014 comments. 17:37, 5 October 2008 (EDT)
"Hence all the time spent on RationalWiki, when I should be doing more productive real world things"[edit]
Snap. I win.
Would you like some Christmas cheer?
Pink(It didn't work on the last guy, but I'm very hopeful) 01:03, 6 October 2008 (EDT)
- You've skipped two holidays there, Pink. Whatever happened to Thanksgiving cheer and Halloween cheer?
Radioactive afikomen Please ignore all my awful pre-2014 comments. 01:04, 6 October 2008 (EDT)
- Cheer is always welcome, but Christmas is best confined to December (imo). What kinda Christmas cheer are you offering this early? Also, snap where? weaseLOId
~
- Snap in that your (gloomy) statements seem (gloomily) familiar to me.
- As far as cheer goes, I thought maybe we could sing a carol together ^_^
Pink(It would be fun) 01:14, 6 October 2008 (EDT)
- They are gloomy sentiments indeed. I might take them down again & leave them to rewrite at some less gloomy time. But I was fed up of the crap I had there before. I'm not really much of a one for carol singing (esp in early October) but I warmly appreciate the thought. weaseLOId
~ 01:20, 6 October 2008 (EDT)
- We could make up an October-themed carol! It could be all secular and silly!
Pink(Indeed, there is much scope for silliness in this idea) 01:23, 6 October 2008 (EDT)
- It sounds interesting. Can it involve an owl in some way? weaseLOId
~ 01:34, 6 October 2008 (EDT)
- Yes, certainly! What manner of owl do you envision?
Pink(Must haff spooky pictures) 01:41, 6 October 2008 (EDT)
- Tawny owl. There's one lives somewhere near me & I've heard it hooting sometimes at night, & saw it once or twice. Also I had a dream a few days ago about having a pet owl. weaseLOId
~ 01:45, 6 October 2008 (EDT)
- I'd prefer a wp:burrowing owl. They're ridiculously cute.
Pink(That's a nice dream ^_^) 01:50, 6 October 2008 (EDT)
I have just sent you a very important email[edit]
Or rather, I tried to. I can haz your email enabled?
Radioactive afikomen Please ignore all my awful pre-2014 comments. 04:09, 8 October 2008 (EDT)
- OK, it's active now. What's important that you can't say here? weaseLOId
~ 06:57, 8 October 2008 (EDT)
"dup"[edit]
Nice work, and nice efforts, on the "merge" project! ħuman
22:12, 8 October 2008 (EDT)
anal sex.[edit]
The sexuality articles should stay in the mainspace, not fun, as far as i know. PFoster 10:22, 10 October 2008 (EDT)
- OK. I didn't put it in Fun. I just redirected from mainspace to there, because there were one or two red links to a non-existent mainspace article on anal sex. weaseLOId
~ 11:58, 10 October 2008 (EDT)
I have left you VERY IMPORTANT MESSAGES in User talk:Weaseloid/Redirects;[edit]
I have left you VERY IMPORTANT MESSAGES in User talk:Weaseloid/Redirects
ContribsTalk 12:52, 10 October 2008 (EDT)
Barney the Dinosaur[edit]
How did you get blocked along with Barney the Dinosaur for having the same IP address? - User
06:58, 25 October 2008 (EDT)
- I don't know where you're getting that info from, but I can assure you I am not connected with Barney the Dinosaur, Drew Pickles, etc. I blocked Barney the Dino last night, & as far as I know I have not been blocked at all. weaseLOId
~ 07:11, 25 October 2008 (EDT)
- Must have been reading the log wrong, I can't see it. I just thought it might have been an ironic coincidence that you blocked someone in the same library or internet cafe as yourself. - User
07:18, 25 October 2008 (EDT)
- No, I'm using my own laptop at home. I blocked DrewBot right after Barney so maybe you were just reading it backwards.
- I see you've demoted Master of Puppets. Interesting decision. . . . weaseLOId
~ 07:29, 25 October 2008 (EDT)
- Why has he been particularly problematic? - User
07:33, 25 October 2008 (EDT)
- Not exactly. A few mildly racist edits & some silly ones (see for example, the first draft of American American Vernacular English). There is a very slight possibility he might be Jinxmchue. He appeared on the scene around the time Jinx stopped showing up here. So i did have strong suspicion, but I'm not so sure anymore. I'm probably a long way wrong about this. weaseLOId
~ 07:43, 25 October 2008 (EDT)
- Well he hasn't contributed anything about penises yet, but I will keep an eye on him as I always do. Besides if we knew Jinx wouldn't delete pages and block users he could be a sysop here if he wanted. We already have 3 sysops that are prominent members of CP. - User
07:58, 25 October 2008 (EDT)
- Yeah. I wasn't saying it was necessarily a mistake. Just interesting. weaseLOId
~ 08:32, 25 October 2008 (EDT)
Experiment[edit]
Yes, the ability of those people to accept superficially-plausible gobbledygook was amazing. I've stopped doing it a while ago, since I didn't want checkuser to be any use to them in finding all the accounts. CraigBell 19:21, 27 October 2008 (EDT)
- I checked CraigP's edits & I wouldn't've known any of them were wrong, but then I'm no scientist. It looks likes a lot of those science pages aren't looked at much, which is quite a telling indictment for what's supposed to be an encyclopedia. weaseLOId
~ 19:30, 27 October 2008 (EDT)
You fucking lion tamer[edit]
You tried to block me, didn't you. Ha ha ha.
- Er, Yes? Yes I did. weaseLOId
~ 18:22, 28 October 2008 (EDT)
Hitler and Evolution[edit]
Great work on the Hitler and evolution article. I think that it was pretty indefensible as it stood.--Bobbing up 04:02, 31 October 2008 (EDT)
I need a mount[edit]
I need a mount, and I've heard weasels make very good mounts, do you happen to know a place where I can find a battle-trained weasel? InaVegt 05:07, 2 November 2008 (EST)
- Weaseloid is himself a mighty and battle-hardened weasel. I'm sure you will find him a quite satisfactory mount (though he is a bit bumpy).
Radioactive afikomen Please ignore all my awful pre-2014 comments. 05:26, 2 November 2008 (EST)
- Ina, be careful with your English idioms. Sometimes they can have a double meaning. ;) Lily Ta, wack! 05:32, 2 November 2008 (EST)
- What do you mean? InaVegt 05:49, 2 November 2008 (EST)
- Mounting can refer to the act of sexual congress. Lily Ta, wack! 06:19, 2 November 2008 (EST)
- This is a highly unusual request. If you're anything more than four or five inches tall, then you won't be able to mount a weasel, either in battle or in sexual congress. Them's the brakes. I'm not battle-trained, although I am house-trained, and I am indeed "a bit bumpy". weaseLOId
~ 15:28, 2 November 2008 (EST)
- I see, perhaps I'd need to look around for the Dire kind, my kobold brethren often use such as steeds when out to kill them vile gnomes. InaVegt 16:31, 2 November 2008 (EST)
- Curiouser & curiouser. I am not familiar with the "Dire kind". As to the gnomes, whence their vileness? Perhaps they are only misunderstood. Live & let live. Give Peace a Chance. weaseLOId
~ 16:56, 2 November 2008 (EST)
- The gnomes steal our tools, mock our craft, kill our brethren, and encroach upon our territory, they WILL pay. To make it worse, they ride dire badgers. InaVegt 07:35, 3 November 2008 (EST)
- Dire weasels are mighty beasts, about the size of a small wolf. I believe my brethren are the only ones who have the guts to use them as steeds, however. InaVegt 07:35, 3 November 2008 (EST)
- I knew you were only house-trained, Weaseloid, but I had difficulty making "mighty and house-trained" sound dramatic. : )
Radioactive afikomen Please ignore all my awful pre-2014 comments. 16:58, 2 November 2008 (EST)
- Sexual Congress? You mean like Ted Kennedy getting drunk and frisky with waitresses in the 80's? Or that guy emailing the pages late at night? ħuman
21:34, 2 November 2008 (EST)
Stubbot[edit]
Regarding, I agree. The stubbot seems to have become self aware and is running amok, adding stubs where they already exist. Can anyone fix it? Crundy 14:57, 9 November 2008 (EST)
- Well, I kinda like having stub six times on that page. But yeah, I think it's fixable. If you look at the history, it had {{Stub}} & the bot didn't recognise this & added another, & did the same again when the second one was deleted. Presumably it only recognises {{stub}} & not the capitalised "Stub". weaseLOId
~ 15:00, 9 November 2008 (EST)
Remove my username[edit]
Why are you mentioning my user name on your userpage is there a resion for that if not please remove it it before i do . --Dolphin674 14:06, 30 November 2008 (EST)
- Hahahaha... go on, edit the source code and find out why! ArmondikoVnarchist 14:14, 30 November 2008 (EST)
Ok i am really pissed off this website is 1,000 times worst than conservapedia i am going to leave for good f*** you Weaseloid --Dolphin674 12:06, 6 December 2008 (EST)
!!!! WTF !!!!
and marmite 12:11, 6 December 2008 (EST)
use proper english toast--Dolphin674 13:22, 6 December 2008 (EST)
Use correct English grammar yourself, Dolphin. (Here's "WTF"
and marmite 13:29, 6 December 2008 (EST)
Fuck you don't say anything bad about my spelling --Dolphin674 14:05, 9 December 2008 (EST)
Get mine off too. Or else. I will. Have you. Blocked (and stop using rude terms (all of you)) --"ConservapediaUndergroundResistorcat! 16:18, 16 December 2008 (EST)
- Don't envy your chances CUR. (BTW - you know that no-one but you can see that font you're using in your sig?) Toast 16:27, 16 December 2008 (EST)
- Weasel, my old rabbit hunting chum, I think it was your user page that was the final straw for CUR - he took a leaf out of Dolphin's book! Toast 16:39, 16 December 2008 (EST)
Freemasonry[edit]
Just FYI, The content that you removed was, in itself, not fiction. The ridiculous spin was, and was for humor. To have an article in this wiki without humor or somekind of ridiculous spin about how CP, its cronies, or other ultra-right-wing nutjobs are at fault defeats the purpose. Cheers!--MAstEr oF pUPetStalk! 18:14, 17 November 2008 (EST)
- Not quite sure what you mean. When I fact-tagged those bits, your comment on the talk page said "I made them all up", hence defining them as fiction. Yes, there's no reason why the Freemasonry article can't contain humour, but that doesn't mean making stuff up. Our mainspace articles are primarily factual with some snark & humour, but shouldn't contain false information. weaseLOId
~ 07:25, 18 November 2008 (EST)
The specifics of the sentences preceding the fact tags were made up. But you did alot of surgery on the article and removed alot of stuff. That's what I was referring to (e.g., operative masons and speculative masons are real; the statement about the speculatives killing off the operatives is (ahem) a "bit" of an exagerration, they didn't literally kill them off, but they did assume the whole group; the creation of the group was a self-recognizing endeavour (..."make them feel better about themselves"); the creation in the 18th century in England is fact; and as far as the Schlafly implication, well that's just the RW coming out. As far as fact-tagging, some of the information that you inserted had an obvious unreferenced negative bias, that I didn't change (what's good for the goose and all) but nstead I added balancing information. I think it should have been left the way it was (i.e., with both of our information in it), but I'm not into edit wars on what's supposed to be a light-hearted, spoofy wiki. --MAstEr oF pUPetStalk! 16:08, 18 November 2008 (EST)
- OK, so put the factual stuff back in. The origins in C18 England are still mentioned. I only had problems with the stuff that was obviously untrue (e.g. peasants bitching about the King etc.). As for the Schlafly implication, we don't have to mention Conservapedia in every article. If there's no connection, implying that there is can be confusing & a little bit pointless. weaseLOId
~ 16:19, 18 November 2008 (EST)
I'm gonna leave it alone because it's not really all that important to me, but two quickie points:
- Having a CP twist is (as has been implied to me earlier by one of the 'crats) is a definate plus for keeping an article in the mainspace (as opposed to being banished to the "fun" category).
- I don't think that the bitching about the King thing would be out of character for our site... (entering good information, in an encyclopedic manner, with a funny and/or CP twist).
Cheers ---MAstEr oF pUPetStalk! 16:26, 18 November 2008 (EST)
- Well, I disagree with you on both of those points, but if you don't want to pursue it further then I won't either. weaseLOId
~ 16:31, 18 November 2008 (EST)
- Mention CP cause they really suck. (Uninformed hillbillies) — Unsigned, by: 68.197.173.216 / talk / contribs
BALLSACK — Unsigned, by: 68.197.173.216 / talk / contribs
Your nonsense[edit]
Well, Pi can use the obnoxious and offensive name User:Women are superior to Fall down, but when I do the same, it's a personal attack? I guess that figures, since you haven't treated me fairly since I got here. Fall down
- OK, I've blocked that name too as it's also a personal attack. weaseLOId
~ 22:34, 15 December 2008 (EST)
- In my defense that was a sock of Fall down's I renamed, not that I need a defense against Fall down. - User
23:28, 16 December 2008 (EST)
Shit![edit]
How can you see that? Is that you, Ceiling Cat? CorryIt is a rock, though. Should beat everything. 16:51, 16 December 2008 (EST)
- Would Ceiling Cat take the form of a lowly weasel? The theocatlogical implications are staggering! --AKjeldsenCum dissensie 16:54, 16 December 2008 (EST)
- It's theoscatological, AK. Toast 16:56, 16 December 2008 (EST)
- Get those captions out from under my picture. Yes, I uploaded it, but still. Don't mess with my photos and I won't mess with yours. And its hunting, not spying on people. Use a different picture (and you CAN find them). --"ConservapediaUndergroundResistorcat! 17:27, 17 December 2008 (EST)
- Erm, no. If the picture is your own, then you have released it into the public domain by uploading it here, or at least made it available to other RationalWikians. If you want to have exclusive control of how it is used, then you could delete it from the site. weaseLOId
~ 17:34, 17 December 2008 (EST)
- I found it in an really old book. By now it is in the public domain, but the photographer wouldn't want it being used like this. And it's only humorous to people with warped senses of humor. And maybe you could at least remove the captions and add them later (in a month) to make me more likely to load considerable numbers of photos here. Finally, you can keep the talk page caption, but keep it off the Felidae article. I'm asking quite more politely than the humor is. --"ConservapediaUndergroundResistorcat! 17:41, 17 December 2008 (EST)
- You've done nothing politely and I'm under no obligation to give in to your demands. It's no skin off my nose whether you load a considerable number of photos or none at all. I've tried to be civil to you, but frankly you've been particularly arrogant and uncooperative with other editors, and you are not in a position to dictate the tone of the humour on this site or how public domain photos are used. weaseLOId
~ 17:46, 17 December 2008 (EST)
- You've tried to be civil? Now really, you might being civil, but you're not being polite. I am ending this argument by leaving. --"ConservapediaUndergroundResistorcat! 18:10, 17 December 2008 (EST)
As in leaving you alone and hoping you leave be alone. --"ConservapediaUndergroundResistorcat! 18:16, 17 December 2008 (EST)
- OK, so leave me alone already. weaseLOId
~ 18:17, 17 December 2008 (EST)
Weaseloid I too must complain about your cat picture it does not have "LOL" written in large white letters in a poorly chosen font on it anywhere. - User
18:28, 17 December 2008 (EST)
- LOL. That would involve uploading a modified version of the photo. I should probably leave it a month or so before I try anything like that. weaseLOId
~ 18:30, 17 December 2008 (EST)
- I suppose I owe you an apology. Sorry. Peace treaty? --"ConservapediaUndergroundResistorcat! 10:38, 18 December 2008 (EST)
- Hello there? Why is barely anyone arguing with me or editing pages I'm watching? Are people taking a break? I'm getting bored. I can't debate myself. --"ConservapediaUndergroundResistorcat! 11:04, 18 December 2008 (EST)
- Hey. Thanks for the apology. Debate is good; you just need to try not to take it so personally. If people disagree about an article you're writing or use a photo you've uploaded in a way you don't like, it's not a personal attack, just the wiki at work. You can certainly debate it, but the more you try to force the issue, the more people will make fun out of it. Again that's not vindictive, just the way things fly around here. Mobocracy. :-) weaseLOId
~ 11:15, 18 December 2008 (EST)
Thanks for the help[edit]
Thanks for assisting me in fixing up the pages I made. --Irrational Atheist 15:42, 18 December 2008 (EST)
Bickle[edit]
You provided the inspiration, fella. ;) --Robledo 18:24, 18 December 2008 (EST)
- Cheers. Glad my work on it wasn't in vain. Sorry for getting your name wrong on the edit summary. weaseLOId
~ 18:28, 18 December 2008 (EST)
Horribly offended by your userpage[edit]
The image of the weasel killed my boner I am horribly offended by you watching me masturbate. I am never talking to you again, and you won't be getting any Chanukah presents this year, either. : P
Radioactive afikomen Please ignore all my awful pre-2014 comments. 05:51, 19 December 2008 (EST)
Weasels Ripped My FleshPlease accept this Goat Dentistry medal as a token of . . . errr . . . something. . . . weaseLOId
~ 07:28, 19 December 2008 (EST)
- I accept this token of Goat Dentistry. I'm afraid I've already had my wisdom teeth removed so I'll, uh... bestow it upon someone who needs it.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 19:40, 19 December 2008 (EST)
- I'm still not talking to you, however.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 19:40, 19 December 2008 (EST)
TOR blocks.[edit]
The fact it's a proxy is problematic--but let's be clear; this guy is a hate-monger who is repeatedly issuing personal attacks of a threatening nature against members of our little community. The "1 year" option is in the pull-down. If it's there for any reason, surely that is it. PFoster 10:40, 21 December 2008 (EST)
- If there was a way of blocking Fall Down for a year, I'd have no problem with it. But blocking every proxy he uses for a year doesn't serve any purpose. It only takes him a few clicks to use a different one. weaseLOId
~ 10:48, 21 December 2008 (EST)
- Fine. If it slows him down, good. If he runs out, all the better. Let's be clear--he threatened to "assrape" one of our users. If that's the kind of person we're dealing with, we need to talk about ways to prevent that PFoster 10:53, 21 December 2008 (EST)
- Foster, I'm on your side about keeping Fall Down out. However, since he's using TOR, as I said, it only takes him a moment to get a new IP route. So blocking those IPs for a year doesn't slow him down any more than blocking them for a few hours or days. He will only "run out" if we block every IP used for TOR, which is what Conservapedia is attempting to do and really really not a road I think we want to go down. weaseLOId
~ 10:58, 21 December 2008 (EST)
- Alright. Give me a better plan. PFoster 11:05, 21 December 2008 (EST)
- Carry on as we are. Block him when we see him vandalising anything, but not for more than a few days. There's no magic solution, but lengthening the blocks won't make any difference for somebody we know is using proxies. weaseLOId
~ 11:07, 21 December 2008 (EST)
- "Carry on as we are" isn't working. Look at the edits to Kels' user page. And Proxima's. This is, I think, serious stuff and we need to be dealing with it in a more proactive way...11:10, 21 December 2008 (EST)
- We've got plenty of sysops. We can deal with him. There's a case for protecting some articles. How about protecting Fred Phelps and User talk:SusanG. That should make things difficult for the Fred vandal so we can concentrate on Fall down. Proxima Centauri 11:13, 21 December 2008 (EST)
- I agree we've got enough 'sops to deal. It's a pain in the ass but it's not unmanageable. Don't really agree about protecting stuff, except maybe very temporarily while it's the subject of a repeat assault. weaseLOId
~ 11:20, 21 December 2008 (EST)
- Put him in the vandal bin. From what I've heard, he deserves it. --"ConservapediaUndergroundCapacitorcat! 13:06, 22 December 2008 (EST)
-
- There seems little point in blocking proxies for a year or protecting pages. New proxies can be found and new targets can be selected. How many sysops do we have? I've lost count. Our legion of sysops needs periodically revert stuff? That's what happens on a wiki.--Bobbing up 13:14, 22 December 2008 (EST)
- I agree with you Bob. I'm gonna unblock the IP that was banned yesterday. 'Twas only used in passing. weaseLOId
~
- Maybe someone should delete the article on using proxies. I'd hate to find out that that gave him the idea. --"ConservapediaUndergroundCapacitorcat! 13:23, 22 December 2008 (EST)
UNDENT. "Our legion of sysops needs periodically revert stuff? That's what happens on a wiki." Agreed. Our wiki gets used as a platform for hate speech, editors repeatedly get called whores and are threatened with "assrape"? That's not what happens--or should happen--on a wiki...PFoster 13:34, 22 December 2008 (EST)
- But it is what can happen on a wiki with open sign up. So we delete the hate speech and revert the namecalling. Neither blocking or protecting are useful tools against a persistent vandal. Boring them to death is the best solution. ħuman
13:41, 22 December 2008 (EST)
- Not what should happen on a wiki, but what does happen on a wiki (cf. Wikipedia, Conservapedia). As long as we revert & block (sensibly) then we're not giving in to it. weaseLOId
~ 13:45, 22 December 2008 (EST)
- If we have a wiki which literally anyone can edit then, from time to time, we will get weirdos we need to revert. It's part of what being open means. We can either restrict editing or patiently revert until they go away. With so many sysops what's wrong with reverting?--Bobbing up 14:03, 22 December 2008 (EST)
- My sig in no way relates to electrical components --"ConservapediaUndergroundTransistorcat! 14:06, 22 December 2008 (EST)
UNDENT. I dunno--maybe it's my hang-up, centred on my recurring obsession about the lines we have between our on-line personas and real life. If someone threatened to "assrape" someone on main street, they could be locked up for it--maybe only until the cops have figured out whether or not the threat is credible, but it's something you can't do without opening yourself up to some sort of consequence. If I call one of my colleagues a whore in writing--in a departmental memo or in some written feedback on a student's paper, I would face some sort of consequences. Someone calls--repeatedly calls--one of our editors the same, in writing, and all we do is revert. That's not right, to me. If I call someone a "nigger" to their face, I deserve the punch in the mouth that's coming to me. Someone gets on here and uses "faggot" and "cunt" as insults, and is free to do so. This IS a community of sorts, and my--obviously minority--opinion is that as a community we should watch out for the real people at the other end of the tubes. I respect the consensus that's been expressed here, but part of me is REALLY angry that we can't/won't do more to take a stand for what we all would agree is right--that we should all be treated as human beings. --Paul. PFoster 16:31, 22 December 2008 (EST)
- I agree that we shouldn't allow "assrape" names. If I remember correctly I personally changed at least one of the "assrape" names to something else. And by admin magic it's gone. I still don't understand the logic of futile year-long blocks of IP's, and page protection. What these people want is recognition and outraged reactions. Don't give it to them.--Bobbing up 16:43, 22 December 2008 (EST)
- While I agree with PFosters perspective and feelings, the trouble with the 'net is the anonymity. It's also a blessing for many. Anyway, IRL, an offense has an identifiable perpetrator, who only exists in one corpus, and so they can be habeused and restricted (as long as caught, etc.) fairly easily. On the net, some jerk behind proxies has an almost infinite number of possible "bodies". I must say, however, that they do us a minor favor by using phrases like "assrape", etc., in that it takes no thought or effort to decide whether to revert or not. I know it is frustrating, but it's how an open website works, we're stuck with it. To avoid it, small wikis restrict membership one way or another. As far as big blocking and the like, you only have to look across the fence at CP to see how futile it is at preventing unwanted intrusions. ħuman
16:53, 22 December 2008 (EST)
- (Edit conflict. Reply to PFoster:) You keep repeating the terrible things FD has said, but you're missing the point that nobody is disagreeing with you about that. Nobody here is defending him, just discussing what we can and should do. Instead of ranting, why not suggest a solution. Giving long blocks to known proxy IPs is completely ineffective as it has no effect on his ability to use others unless we block a huge number of them. If you think we should block the use of proxy servers altogether (like Wikipedia does), you'll need to talk to Trent about it. I don't even know whether it's technically possible for us. In terms of consequences, there are certainly laws covering harassment, threats and abuse on the internet, but raising this case to the authorities would be a pretty big deal, and I don't feel that we're yet at the point where it becomes a necessity. wassaiLOId
~ 16:57, 22 December 2008 (EST)
- My problem with the "defense-by-deletion" strategy is that there is no such thing as a history eraser button. Those words--words which are weapons and have the power to hurt--do not become unsaid with the judicious application of the rollback button. PFoster 18:09, 22 December 2008 (EST)
- There's no way to make words unsaid any more than there is in real life. In extreme cases we can delete & restore articles so that the full history can only be viewed by sysops. wassaiLOId
~ 18:18, 22 December 2008 (EST)
- And stopping it being said or reverting it when it's said isn't going to stop people thinking it or believing it. Even if you did put in a system, you have to remember that people will curcumvent it easily enough. Block an IP, they get a proxy, block all the proxy networks, they find a new proxy network you've never heard of etc. etc. Given those facts, you may as well leave it out in the open (practically, this means in the edit history as you don't want it in a current revision) and just plain, outright refute it and PROVE that they're wrong, which isn't difficult. Blocking a vandal isn't going to remove their peurility, reverting a troll isn't going to make them sane and rational. Trying to merely delete or cover things up permanently is basically just burrying your head in the sand of an issue when you can easily tackle it directly. People will see the harsh and hurtful words, but they'll also see the words of support and the words that counter the bullshit. ArmondikoVnarchist 19:19, 22 December 2008 (EST)
Kels block[edit]
Were you just trying to incapacitate her or just send her ohm for a while? (over the Wheatstone Bridge) -- Lily Ta, wack! 15:01, 22 December 2008 (EST)
- Just trying to restrict the current flow of shocking behaviour. wassaiLOId
~ 15:10, 22 December 2008 (EST)
- (Sorry, it's the best I could come up with). wassaiLOId
~ 15:10, 22 December 2008 (EST)
- You shouldn't try to transformer. Lily Ta, wack! 16:24, 22 December 2008 (EST)
- But I can't resistor. wassaiLOId
~ 08:49, 23 December 2008 (EST)
- I haven't the capacitance to take all this cleverness in.
- In fact I find myself impeded by it.
- I think we need to short circuit this thread or someone's going to blow a fuse. (That's enough electrical jokes. Ed. (see p. 94))
ГенгисYou have the right to be offended; and I have the right to offend you. 09:14, 23 December 2008 (EST)
- Don't be revolting.
- So who's camping it up now? Henry? We all know watts going on here and I don't think I need to amplify that.
ГенгисYou have the right to be offended; and I have the right to offend you. 09:39, 23 December 2008 (EST)
- As farads [ouch! (sorry)] I can see there's only you.
- Watts the point of this discussion?--"ConservapediaUndergroundResistorcat! 10:48, 23 December 2008 (EST)
. . . This seems to have ground to a halt. Why on earth would that be? wassaiLOId
~ 18:08, 23 December 2008 (EST)
- By inductive reasoning, I suspect because we ran out of appropriate inverters to play with. ħuman
23:47, 23 December 2008 (EST)
Copy cat[edit]
You've probably noticed this but User:WeaseIoid is taking your name in vain.--Bobbing up 04:48, 24 December 2008 (EST)
- I copied and pasted that name into the vandal - but I'm not sure how the system reacted. I take it you can get yourself out if the system identified you by mistake.--Bobbing up 04:51, 24 December 2008 (EST)
- Looks like you've renamed it now anyway. wassaiLOId
~ 08:36, 24 December 2008 (EST)
- Actually none of the renames were my doing. But, yes, his name has changed.--Bobbing up 09:18, 24 December 2008 (EST)
- I was confused by this, weren't the names EXACTLY the same? But I have to agree with name changes if people are trying to immitate others. ArmondikoVnarchist 09:52, 24 December 2008 (EST)
- They looked the same but the "I" in the middle was capitalised in the fake name. However it looked the same under some circumstances.--Bobbing up 10:04, 24 December 2008 (EST)
- (A similar - though not identical - trick to that used by the two Rose Pedals accounts.)--Bobbing up 10:05, 24 December 2008 (EST)
- I've been burning with indignation for several hours over that. I'm sure I wasn't paranoid over Rose Pedals. I didn't deserve all that criticism and punishment from Human, Phantom Hoover etc. If I complain they'll be down on me again. If I don't complain they'll keep on thinking I was paranoid. Proxima Centauri 10:33, 24 December 2008 (EST)
- Ah, I see the trick now. It's a difficult one to spot when you're looking for it (wood and trees and all that). Sneaky tricks yes, but hard to spot and causing permanent damage? I think not. ArmondikoVnarchist 10:39, 24 December 2008 (EST)
- It's the old "I" & "l" trick ("i" & "L").
- Centaur, you always seem to be burning with indignation. You should chill out more. I missed the Rose Pedals incident, so I'm not sure what the punishment involved, but it doesn't look like any lasting damage was done. Let it go maybe. wassaiLOId
~ 10:57, 24 December 2008 (EST)
- The punishment, 2 blocks. That's no big deal, I can unblock myself. 2 entries in my block log suggesting that I block unfairly. That matters. The entries will be there when this is over. Dealing with that is in no way urgent. Proxima Centauri 18:09, 24 December 2008 (EST)
One thing to keep in mind when renaming trolls, doppelgangers, etc. and it's very important: After the rename - immediately after - you have to register the old name yourself, because it becomes available again. If you don't do this, the editor can simply re-register the name if they want to. ħuman
17:17, 24 December 2008 (EST)
- Done. wassaiLOId
~ 22:13, 24 December 2008 (EST)
- (User creation log); 03:02 . . Weaseloid (Talk | contribs | block) (created account for User:WeaseIoid)
- (Block log); 03:07 . . Weaseloid (Talk | contribs | block) (blocked User:WeaseIoid with an expiry time of 20 years (account creation disabled, autoblock disabled): Friendly Block: to prevent identity theft)
Some probably unwanted information[edit]
If you stick {{talkpage}} @ the top of the page it'll auto link & enable easier creation of Rkives. Toast 22:22, 25 December 2008 (EST)
- Thanks, but I prefer doing it manually. At least until it gets unmanageable. wassaiLOId
~ 10:53, 26 December 2008 (EST)
- I kinda like organising my archives into a trapezium of irritating yellow smileys. At least today I do. I shall probably get sick of it before long. wassaiLOId
~ 11:24, 26 December 2008 (EST)
- Now what did you do to break this pretty page? ħuman
22:47, 25 December 2008 (EST)
- Oh, I see. Someone wrecked "image:slap.gif". That was mean. ħuman
22:49, 25 December 2008 (EST)
Because[edit]
I have no idea how to unblock my self. I only can do a certain amount of operations on myself at a time and this (unblocking) was not one of them. So thank you for doing it for me. Unblocking that is. Carptrash 15:02, 26 December 2008 (EST)
- Go to the block log, find where you were last blocked, and click the "unblock" link at the end of the entry. --Kels 15:07, 26 December 2008 (EST)
- Or just go as if to block somebody else & then change it to your name in the block field; then choose "unblock" (bottom right on the screen).
- So what was with blocking CPAdmin1? wassaiLOId
~ 15:09, 26 December 2008 (EST)
- the blocking of the admin was me because it appeared to be the only edit that I could make. So I did it, as Edmund Hillary once said, "Because it is there." Carptrash 15:24, 26 December 2008 (EST)
This does not mean I'll remember it next time (hopefully there will be no next time) but thanks for getting me there this time. No, not THERE, . . . . . . . . . . . . . . . . ............... to the unblocking place. Carptrash 15:38, 26 December 2008 (EST)
- Err, you're welcome. Lol. wassaiLOId
~ 15:39, 26 December 2008 (EST)
TK[edit]
Why did you take this out? Proxima Centauri 02:54, 29 December 2008 (EST)
- It may be because it wasn't really necessary, or that there were better ways of supplying the information.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 03:31, 29 December 2008 (EST)
- I note that you referenced a static version of the page, one with your section on it. If you had linked to the diff link, it would be patently obvious why he removed it—he said why he removed it right in the edit summary. You should check the relevant edit history before whinging.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 03:34, 29 December 2008 (EST)
- It seems a bit messy & unnecessary to link to a person's contributions & block log just so that users can see their latest edits, since everyone who is interested would already know how to find that. If you must do it, a smart way would be in some kind of template to go on each sysop's article (like the "stalkbox" at RWW). Anyway, I'd already linked to TK's block log in the IP range blocks section, to make a point about him blocking user's IPs. The contributions just didn't really seem necessary. wassaiLOId
~ 08:04, 29 December 2008 (EST)
- Here's what I've done for you instead. wassaiLOId
~ 09:56, 29 December 2008 (EST)
"Also known as..."[edit]
So you're me now? TheoryOfPractice 20:45, 1 January 2009 (EST)
- That's the rumour. Deny it all you like, but I think history will be the judge. ωεαşεζøίɗ
Methinks it is a Weasel 21:02, 1 January 2009 (EST)
- Yes, but I am teh mustelid! ħuman
22:46, 1 January 2009 (EST)
- I thought you were the Walrus. ("I was the Walrus. Paul wasn't the Walrus. I was just saying that to be nice but I was actually the Walrus...") TheoryOfPractice 22:56, 1 January 2009 (EST)
In memory of the Weasel incident[edit]
check my sig --"ConservapediaUndergroundResistorfeline fanatic 21:23, 3 January 2009 (EST)
- I already did. Have you noticed mine? :-D
- Actually I was going to say about the signature: you need to move the option stuff to a subpage (or even all of the signature). 'Cause at the moment, eight or nine lines of code get copied whenever you sign. (See above, when you go to add a comment, & you'll see what I mean). It makes it awkward for people editing after you. But if you move some or all of it to a separate template, & put that template into your signature page, it will make what appears on the editing screen a lot shorter while the actual signature still looks the same. See Help:wikisig for help, or ask me if you're still not sure how to do it. ωεαşεζøίɗ
Methinks it is a Weasel 21:32, 3 January 2009 (EST)
- Yeah, CUR, your current version is clumsy. It also invites random editing to "improve" it, don't tempt us. PS, the giant font bugs me, but probably no-one else cares. ħuman
21:48, 3 January 2009 (EST)
- It actually looks OK to me, but I'm guessing this is another case where you need Vista or similar to see the correct font. If you're just seeing it in arial, I guess it's pretty big. ωεαşεζøίɗ
Methinks it is a Weasel 21:58, 3 January 2009 (EST)
- It's bradly hand ITC. Human, you must be using a really old computer. --"ConservapediaUndergroundResistorfeline fanatic 22:01, 3 January 2009 (EST)
Do you want me to fix your signature code on a subpage for you? I was about to write instructions how you can do it, but it would be quicker & simpler if I just went ahead, & then you can see what I've done. But it feels a bit wrong tinkering with somebody else's signature & pagemoving it without permission first. ωεαşεζøίɗ
Methinks it is a Weasel 22:22, 3 January 2009 (EST)
- Thanks, but I managed to figure it out. I think. --"ConservapediaUndergroundResistor"is an evil librul 22:24, 3 January 2009 (EST)
- Yeah, looks like you've got it. Cool. ωεαşεζøίɗ
Methinks it is a Weasel 22:26, 3 January 2009 (EST)
- Nah, it's the "font size=4" part that sucks, not my OS or browser. PS, when writing for the web, you always need to be sure the "default" version works. Yours doesn't. ħuman
22:42, 3 January 2009 (EST)
- Look at it now! --"ConservapediaUndergroundResistoris an evil librul 11:02, 6 January:39, 9 January 2009 (EST)
By the way[edit]
You're a bureaucrat now. Now go crazy and make some sysops!
Radioactive afikomen Please ignore all my awful pre-2014 comments. 19:48, 10 January 2009 (EST)
- Woohoo! Thanks RA. I will try to remain gosh-darned reasonable. :-D ωεαşεζøίɗ
Methinks it is a Weasel 19:51, 10 January 2009 (EST)
Support or oppose the Science namespace[edit]
Weaseloid. After hearing the previous debates on the matter, I decided to call the matter to question. Since you responded to my original exhortation in the community standards talk page. I would appreciate it if you'd mosey on over to the debate page and cast a vote. No, this isn't a form letter. :-) Omniwombat 19:21, 11 January 2009 (EST)
- I'm a bit hesitant to vote because, firstly, I'm not much of a science guy anyway so I would barely be involved in any of it, and secondly, I don't really mind if science is dealt with as a separate namespace or if we just ammend the mission statements slightly to include science/math articles in mainspace. I just think we need to work something out, because at the moment there are sciencey or mathematical articles in mainspace which are nothing to do with the missions, but I don't know whether I should be flagging them as non-mission or just ignoring them. However, I don't want to be the casting vote as to whether the science namespace goes ahead or not when I have no strong feeling either way. ωεαşεζøίɗ
Methinks it is a Weasel 19:37, 11 January 2009 (EST)
Babble[edit]
Vou vare veing vinvited vo ve vy veputy vof ve vabal. Things this will allow vou to vo: 1. Valk vith va Vansylvanian vaccent. 2. Vinsert vequest vere. Vif vou vell vanyone vabout ve vabal, vou vare in vig vouble. --"ConservapediaUndergroundResistoris an evil librul 20:13, 11 January 2009 (EST)
but the answer is
ωεαşεζøίɗ
Methinks it is a Weasel 20:22, 11 January 2009 (EST)
- So you decided to keep your cabal secret by posting it where everyone can see? - User
20:24, 11 January 2009 (EST)
- Vaaaaaaaaaaaaaaaaa. . . Vo ve vave vother vontenders? And the cabal is secret. It's existance is not. I won't tell anyone vhat Vi van voing. --"ConservapediaUndergroundResistoris an evil librul 20:25, 11 January 2009 (EST)
- You know in order for your "vabal" to exist you are going to have to get someone other than yourself to join? - User
20:30, 11 January 2009 (EST)
- What about you? --"ConservapediaUndergroundResistoris an evil librul 20:31, 11 January 2009 (EST)
- Pi-->
<--CUR - User
20:34, 11 January 2009 (EST)
'Nuff said. Take it or leave it. --"ConservapediaUndergroundResistoris an evil librul 20:38, 11 January 2009 (EST)
- Have you ever had an original joke? - User
20:39, 11 January 2009 (EST)
- Vhat's the difference between a duck? Now that's original. (Note: saying it was original was original) Also, you should here me make snarky remarks about politics. --"ConservapediaUndergroundResistoris an evil librul 20:42, 11 January 2009 (EST)
- Go on then - make a snarky remark about politics. ωεαşεζøίɗ
Methinks it is a Weasel 20:43, 11 January 2009 (EST)
- I need an odd news story first. Perferably one involving Sarah Palin or her ilk. --"ConservapediaUndergroundResistoris an evil librul 20:44, 11 January 2009 (EST)
- It sounds like you are planning to wheel out a done to death joke. - User
20:46, 11 January 2009 (EST)
- How about this: The reason Palin is going to run in 2012 is because the world will have ended, and only the '[Andrew Schlafly|real, God-fearing Americans]' will be left, and they will vote for her. Despite sexism. Because it's a liberal word and doesn't exist. --"ConservapediaUndergroundResistoris an evil librul 20:48, 11 January 2009 (EST)
- Congratulations! For that you have earned yourself one of my big question marks. ?- User
20:50, 11 January 2009 (EST)
- Va vabal vas a vense of vumor. Vou von't --"ConservapediaUndergroundResistoris an evil librul 20:52, 11 January 2009 (EST)
- After reading this exchange, I must say I feel a bit insulted by the comparison you made a few days ago, Π. The electrocutioner 20:53, 11 January 2009 (EST)
-
- Please provide a link to the comparision. What was the comparison? --"ConservapediaUndergroundResistoris an evil librul 20:55, 11 January 2009 (EST)
- You are a needy little person aren't you? - User
20:56, 11 January 2009 (EST)
- Congratulations Weaseloid. You are now part of the cabal whether you like it or not. You now get to valk vith va Vansylvanian vaccent. --"ConservapediaUndergroundResistoris an evil librul 14:16, 12 January 2009 (EST)
- First job for the cabal: Make a special cabal intercom group. This way, we can plan in top secret. --"ConservapediaUndergroundResistoris an evil librul 17:24, 12 January 2009 (EST)
- No thanks, not interested. ωεαşεζøίɗ
Methinks it is a Weasel 17:28, 12 January 2009 (EST)
You are part of the cabal, like it or not, unless you can find someone who is more willing. --"ConservapediaUndergroundResistoris an evil librul 17:30, 12 January 2009 (EST)
- No, I'm not part of yours or any cabal, & it isn't my problem if you can't recruit anyone to play cabals with you. I'm working on something at the moment, so please leave me alone for a while. ωεαşεζøίɗ
Methinks it is a Weasel 17:37, 12 January 2009 (EST)
names thing[edit]
Actually keep the old names where they are, but the actual name in the "". 216.221.87.112 21:28, 13 January 2009 (EST)
- I don't follow what you mean. ωεαşεζøίɗ
Methinks it is a Weasel 21:29, 13 January 2009 (EST)
Chalkboard[edit]
Sorry I didn't update the community chalkboard right away, my supervisor came in to talk to me about something. - User
21:27, 14 January 2009 (EST)
- That's OK, I straightened it out. ωεαşεζøίɗ
Methinks it is a Weasel 21:33, 14 January 2009 (EST)
Goatmix/cat[edit]
That was me, not signing in. It did seem to disturb my cat. CorryIt is a rock, though. Should beat everything. 16:40, 16 January 2009 (EST)
- Hey. I figured it was probably a regular who hadn't signed in rather than a newbie. What did the cat actually do in response to the goat chorus? ωεαşεζøίɗ
Methinks it is a Weasel 16:49, 16 January 2009 (EST)
- She was laying around, and when the goats started she was all of a sudden standing on top of her litterbox and making a weird whiny noise. I really can't blame her. CorryIt is a rock, though. Should beat everything. 17:01, 16 January 2009 (EST)
- It's a shame. Goats & cats can be good buddies. ωεαşεζøίɗ
Methinks it is a Weasel 17:04, 16 January 2009 (EST)
Block[edit]
How dare you interfere with my self imposed exile! POWER! UNLIMITED POWER!You paid the price for your lack of vision 16:24, 20 January 2009 (EST)(four, just for human)
- I dare do lots of interfering. Such is a weasel's wont. ωεαşεζøίɗ
Methinks it is a Weasel 16:33, 20 January 2009 (EST)
No hard feelings about the block. I had to exile myself for at least some time POWER! UNLIMITED POWER!You paid the price for your lack of vision 16:39, 20 January 2009 (EST)
- No worries. ωεαşεζøίɗ
Methinks it is a Weasel 16:54, 20 January 2009 (EST)
Therians[edit]
Please stop you're anti-therian diatribe. --"ConservapediaUndergroundResistoris an evil librul 21:05, 22 January 2009 (EST)
- What specifically? ωεαşεζøίɗ
Methinks it is a Weasel 21:06, 22 January 2009 (EST)
- Claiming we are wingnuts.
- Claiming we can't be rational.
- I'll think of some more later.
--"ConservapediaUndergroundResistoris an evil librul 21:08, 22 January 2009 (EST)
- Not guilty.
- I haven't said anybody can't be rational, but I haven't seen a rational explanation for the concept.
- I'm entitled to my opinions & to express them.
ωεαşεζøίɗ
Methinks it is a Weasel 21:11, 22 January 2009 (EST)
- You sure didn't do anything.
- The lack of a rational explanation does not mean it is irrational.
- You most certainly are, but you should be more polite.
--"ConservapediaUndergroundResistoris an evil librul 21:13, 22 January 2009 (EST)
By the way, when are you going to debate me on the werelist? All ye has to do is register. I'm called cheetah. Look me up. --"ConservapediaUndergroundResistoris an evil librul 21:14, 22 January 2009 (EST)
Please, please register. Believe me, more people there will be able to give rational explanations. I found out what I was about a month ago. As such, I'm doing pretty well defending my position, but I think if you debated me on therian turf, it might be more even. Or, we could meet in neutral territory- say, Wikipedia. --"ConservapediaUndergroundResistoris an evil librul 21:21, 22 January 2009 (EST)
- Apart from the fact that WP does not exist to host "debates", you might not find them "neutral" enough for your purposes:
"Therian in the English language has two distinct definitions:
- In taxonomy, the term refers to a member of the Mammalia subclass Theria, consisting of marsupial and placental mammals.
- A therian may also be a member of the contemporary subculture of therianthropy, which is based on a spiritual and/or psychological identification with animals."
- CUR, how many pages are you going to DOMIfuckingNATE. For christ's sake, most of us (I think) here are barely tolerating you & your infantile weirdness. Please keep your wingnuttery to one page, preferably on another site.
(Toast) and marmalade 21:49, 22 January 2009 (EST)
- Afterthought: get your parents to take you to a therapist
(Toast) and marmalade 21:53, 22 January 2009 (EST)
- Toast, that's unnecessarily harsh. CUR, sorry but I'm not going to sign up to another site to debate the issue. I'm only half-interested in the debate here; mostly just trying to keep some SPOV in articles. ωεαşεζøίɗ
Methinks it is a Weasel 21:58, 22 January 2009 (EST)
- Harsh? Yes! Unnecessarily? Don't think so: If he really believes what he's saying then he needs assistance from a qualified professional - not arguments from us.
(Toast) and marmalade 22:07, 22 January 2009 (EST)
- What my warm, buttery, drippy friend said. TheoryOfPractice 22:10, 22 January 2009 (EST)
- If CUR is autistic as he has said, I think it fairly likely that he already has, or at least has had, some contact with a therapist. I also think it's probably none of our business. When we're confronted with beliefs we find irrational, we should be highlighting what's irrational about them & let people make their own choices, not telling them outright that they're crazy & should go see a therapist. That's just alienating & hurtful. ωεαşεζøίɗ
Methinks it is a Weasel 22:22, 22 January 2009 (EST)
- Precisely. NYOB. --"ConservapediaUndergroundResistoris an evil librul 16:26, 23 January 2009 (EST)
- Can we please just stop with the furries/therians/whatever-the-fuckian stuff, please? It's driving me up the wall faster than than "alternative music" loves and the so-called "gender neutral"!! You all have to agree that the sheer amount of discussion it's generated is batshit crazy. ArmondikoVnarchist 16:34, 23 January 2009 (EST)
- Believe me, we'd like nothing better. But I 'live' here as well as there, and I'm a rationalist as well as a therian, and I really hate attacks on my lifestyle. --"ConservapediaUndergroundResistoris an evil librul 16:44, 24 January 2009 (EST)
...[edit]
Why did you ruin my edit war? Phantom Hoover 16:05, 23 January 2009 (EST)
- Edit war is still going: just moving in new directions. I find the term "wingnuttery" too ambiguous: we usually use it with connotations of right wing / reactionary thought which doesn't really fit here. ωεαşεζøίɗ
Methinks it is a Weasel 16:08, 23 January 2009 (EST)
PhilipV[edit]
Would you mind if I deleted the word 'idiot' from this page:
A glance at his CP page is pretty funny, kind of like
Hi, I like trout, collecting fossils, and the color orange. I was so flattered when Penthouse asked me to pose…
Strange, a guy who calls himself a "young earth creationist" but wants "a full Allosaur skeleton" for his birthday. What does he plan to do with it... blow it up?
regards, --UnicornTapestry 07:33, 24 January 2009 (EST)
- Never mind. Page gone. Issue moot. --UnicornTapestry 08:28, 24 January 2009 (EST)
- Not sure why you were asking my permission in the first place. ωεαşεζøίɗ
Methinks it is a Weasel 16:40, 24 January 2009 (EST)
January 2009[edit]
Just so you know, I made an article on the 'incident' in the RationalWiki namespace. If it should be there, please delete it- I also put it on RWW, but no one said anyone (of course) --"ConservapediaUndergroundResistoris an evil librul 14:10, 25 January 2009 (EST)
- I just saw it here. It doesn't belong on RationalWiki, keep it to RWW. Also I think you are exaggerating the scale of the RW versus Therians conflict (obviously I can only see our side of it, not what aftermath it's had at Werelist) - did you read my last post about this in the Otherkin debate? ωεαşεζøίɗ
Methinks it is a Weasel 14:13, 25 January 2009 (EST)
- You might be suprised. I've never seen foreverchargrin quite so annoyed. He called you 'bologna,' and the 'Look at this' thread, orignally for Conservapedia, become dominated by the debate. --"ConservapediaUndergroundResistoris an evil librul 14:16, 25 January 2009 (EST)
- Well I've certainly never been called Bologna before. ωεαşεζøίɗ
Methinks it is a Weasel 14:19, 25 January 2009 (EST)
- No, the site was called that. --"ConservapediaUndergroundResistoris an evil librul 14:21, 25 January 2009 (EST)
- I still don't get it. ωεαşεζøίɗ
Methinks it is a Weasel 14:26, 25 January 2009 (EST)
- I think he was just thinking of a random insult; I do that too, my best one being "wimple". Phantom Hoover 14:28, 25 January 2009 (EST)
(unident) Neither do I- but you really bugged him. Course, I also said you were the voice of tolerance- something I never expected from you. --"ConservapediaUndergroundResistoris an evil librul 14:27, 25 January 2009 (EST)
WEASEL WAR DANCE![edit]
--"ConservapediaUndergroundResistoris an evil librul 16:18, 26 January 2009 (EST)
- Fantastic! (although actually a ferret). I would like to have one, although reputedly they stink. ωεαşεζøίɗ
Methinks it is a Weasel 16:21, 26 January 2009 (EST)
- Yes, but they are so cute. Though ferrets are really just domesticated ferrets. Bet you want to put it on your user page. It's a peace treaty. --"ConservapediaUndergroundResistoris an evil librul 16:22, 26 January 2009 (EST)
- I think I'll keep it here for now, but thanks. ωεαşεζøίɗ
Methinks it is a Weasel 16:25, 26 January 2009 (EST)
- Another (beautiful) weasel:
. Male ferrets do stink (an old & very brief boyfriend of mine bred them & sometimes he smelled worse than the beasts themselves)
(Toast) and marmalade 22:28, 28 January 2009 (EST)
- Aw, that is a cute weasel. Thanks Toast. I've never been close enough to a ferret to know what kind of stink they have. I've heard that if they're neutered when they're young, they don't stink quite as much. Anyway, it'll probabaly be a few years before I'm settled somewhere enough to think seriously about getting my own pets. ωεαşεζøίɗ
Methinks it is a Weasel 22:35, 28 January 2009 (EST)
Look at that! --"ConservapediaUndergroundResistoris an evil librul 18:58, 29 January 2009 (EST)
- LOL. I just saw you uploaded that. Thanks. I thought the sites that made those got pulled by threatened legal action from the makers of Magic. I might have to make one or two now. ωεαşεζøίɗ
Methinks it is a Weasel 19:06, 29 January 2009 (EST)
- Not this one. It specificially said 'no profit.' That's probably the only reason it's still there. --"ConservapediaUndergroundResistoris an evil librul 19:43, 29 January 2009 (EST)
- I've always fancied getting a (non-stinky) ferret. However, my job doesn't permit me the luxury of owning one. When I was a lot younger I remember being out on CCF manoeuvres in the Pennines somewhere and looking over a dry-stone wall to see a stoat/weasel on the other side standing on it's hind legs looking back at me not three feet away. Exciting stuff.
ГенгисYou have the right to be offended; and I have the right to offend you. 15:36, 2 February 2009 (EST)
- Cool. I've only seen one in the wild once or twice, & only running across the road & disappearing into the trees. ωεαşεζøίɗ
Methinks it is a Weasel 15:40, 2 February 2009 (EST)
- Where I live I have also seen a stoat/weasel run across the road. I remember being in Norfolk once and seeing a mole run across the road just in front of my car.
- I also saw this on my way to the dentists last year. Sorry about the blood.
ГенгисYou have the right to be offended; and I have the right to offend you. 17:24, 2 February 2009 (EST)
- A polecat? I didn't know we even got those in the UK. Must be pretty rare. Shame to only see it dead on the road, but them's the brakes. ωεαşεζøίɗ
Methinks it is a Weasel 17:30, 2 February 2009 (EST)
- Well the ferret is only supposed to be a domesticated polecat. And I have also seen a live one run across the road but didn't have a camera to hand. Our house faces a field with a steep slope and there have been several types of animals using the same burrow in successive years. Rabbits, foxes and badgers. This is a badger taken from my office window.
ГенгисYou have the right to be offended; and I have the right to offend you. 17:40, 2 February 2009 (EST)
- Nice. I live fairly close to a riverside where there's a badger sett. Sometimes at night I go for a walk there before going to bed, & quite often see a badger or two. I haven't tried to photograph them, but maybe I will. Once or twice I've seen or heard a tawny owl near there too. ωεαşεζøίɗ
Methinks it is a Weasel 17:44, 2 February 2009 (EST)
- Owls are cool. When we first moved into KhantAcres the big garden, or paddock as we knew it, was just rough grass and full of tussocks where mice, voles, and shrews lived. Consequently we would often get tawny owls or little owls perching on the roof of our shippon looking for prey. There would often be owl pellets on our brick gatepost but we haven't seen any owls around us for quite a while now more's the pity.
ГенгисYou have the right to be offended; and I have the right to offend you. 17:52, 2 February 2009 (EST)
- I know nature's red in tooth & claw but could you bin that piccy please.
(Toast) and marmalade 17:46, 2 February 2009 (EST)
- Polecat roadkill picture taken down, linked above. ωεαşεζøίɗ
Methinks it is a Weasel 17:52, 2 February 2009 (EST)
- You could always try a different channel. Like Homes abroad.
ГенгисYou have the right to be offended; and I have the right to offend you. 17:54, 2 February 2009 (EST)
- PS I hate effin' cat pictures! So please show me some consideration as well.
ГенгисYou have the right to be offended; and I have the right to offend you. 17:56, 2 February 2009 (EST)
- Which cat pics are you talking about? The tiny userbox ones on my userpage? ωεαşεζøίɗ
Methinks it is a Weasel 18:01, 2 February 2009 (EST)
- My comment was directed at Toast and all the other lolcat posters.
ГенгисYou have the right to be offended; and I have the right to offend you. 18:07, 2 February 2009 (EST)
- thanks. I think they're found in Wales. We have urban foxes & loads of ducks & grebes & swans & rabbits, but don't seem to be any badgers around (a bit urban for them?) Moles, of course are abundantly present, but not seen.
(Toast) and marmalade 17:58, 2 February 2009 (EST)
- Thought so: "They range across Europe. In Britain, polecats are restricted to Wales due to heavy persecution by humans in the past." (BBC NATURE)
(Toast) and marmalade 18:02, 2 February 2009 (EST)
- "Polecats have a stink gland near the base of their tail, from which a foul-smelling scent is emitted to mark its territory." End of polecat info.
(Toast) and marmalade 18:05, 2 February 2009 (EST)
- Yup, we're right on the edge of their territory.
ГенгисYou have the right to be offended; and I have the right to offend you. 18:07, 2 February 2009 (EST)
- they weren't as good as The Lambrettas. Totnesmartin 18:09, 2 February 2009 (EST)
- I had to look that up. Before my time. ωεαşεζøίɗ
Methinks it is a Weasel 18:12, 2 February 2009 (EST)
Stoat snow dance[edit]
On a slightly related note... KlapauciusEsteemed Constructor 18:46, 8 February 2009 (EST)
- Wow, that's fantastic. Look at him go! Thanks Klapaucius. ωεαşεζøίɗ
Methinks it is a Weasel 21:26, 8 February 2009 (EST)
External lynx[edit]
Sir, that is the funniest pun I have come across in ages. You do a credit to punsmithery. Well done. - Gentleman Publius (V)<,",>(V) 20:29, 27 January 2009 (EST)
- I'm afraid it wasn't mine. I can't remember who came up with it, but it was at the otherkin article, which originally contained therian stuff as well. ωεαşεζøίɗ
Methinks it is a Weasel 20:31, 27 January 2009 (EST)
Politics cat[edit]
As a counterpart to the {{cat|British politics}} and {{cat|British political parties}} categories, I intend to make equivalent categories for politics in the US. I would appreciate your and Pi's input on the (admittedly incredibly unimportant) issue of whether to use "American politics" or "United States politics". The relevant talk page can be found here.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 21:48, 28 January 2009 (EST)
- Either is fine by me. ωεαşεζøίɗ
Methinks it is a Weasel 21:49, 28 January 2009 (EST)
- Alright then. FYI, we seem to have decided upon using the abbreviations (e.g. "US politics" and "UK politics").
Radioactive afikomen Please ignore all my awful pre-2014 comments. 23:10, 28 January 2009 (EST)
Thanks[edit]
Thank you, Weaseloid, for helping with the templates movedto and movedfrom. I really appreciate it.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 00:05, 29 January 2009 (EST)
- You're welcome. ωεαşεζøίɗ
Methinks it is a Weasel 08:08, 29 January 2009 (EST)
PhilipV again[edit]
I'm afraid PV has called in the artillery on your sock on CP (wesleyloyd) oh, and if a complete idiot like him can spot it, thats a bad sign--
Redcoat
15:21, 2 February 2009 (EST)
- Indeed. It was supposed to be at least moderately obvious (though not actully an anagram as PhilipV says). ωεαşεζøίɗ
Methinks it is a Weasel 15:25, 2 February 2009 (EST)
- I am surprised , however at how long assfly seems to be taking to respond to you... bizarre--
Redcoat
15:35, 2 February 2009 (EST)
- He let his banhammer do the talking. I'd include a diff but CP is no workie. CorryIt is a rock, though. Should beat everything. 16:54, 2 February 2009 (EST)
- I've already seen it, & put the diff link on the talk:Andrew Schlafly page. "Bye" is the only reply I got out of him. ωεαşεζøίɗ
Methinks it is a Weasel 16:56, 2 February 2009 (EST)
Ark Shit[edit]
I noticed you editing some articles re:noah's ark. Is there any type of project here for that or is it a free for all? I actually own a copy of Woodmorrape's Ark Feasibility Study and would love to contribute some knowledge from said goldmine. Neveruse513 19:42, 2 February 2009 (EST)
- Sure, anyone can add to anything. Have a look in category:Global flood. There's a "feasibility" article in there; I haven't looked at it yet. All I'm actually doing at the moment is adding to the "see also" on the articles, so they mostly all link to each other. ωεαşεζøίɗ
Methinks it is a Weasel
- Our Noah's ark:A feasibility study article is just a one-sentence stub, so it would be great if you could expand it. Otherwise, if it's just going to be a paragraph or so, it should probably be merged into Noah's Ark article (or Global flood). ωεαşεζøίɗ
Methinks it is a Weasel 19:51, 2 February 2009 (EST)
- Do you think we could get a flood nav like the pseudoscience nav? - User
19:59, 2 February 2009 (EST)
- Could do. We've got more articles on it than I thought. That's why I'm linking them up. ωεαşεζøίɗ
Methinks it is a Weasel 20:08, 2 February 2009 (EST)
- Okay I'll make a start then. Any good pictures? - User
20:10, 2 February 2009 (EST)
- I'm just having a look through Google images now. Another cheesy idea is to make a long template for the bottom of the screen & make it kindof Ark-shaped, even if it's just one small box on top of a larger box. (Actually, on second thoughts, I think that would look terrible). ωεαşεζøίɗ
Methinks it is a Weasel 20:15, 2 February 2009 (EST)
- Here is my first attempt. - User
20:23, 2 February 2009 (EST)
- I've put a different picture up on it as I found one which is just the right size & nicely eye-cstching. ωεαşεζøίɗ
Methinks it is a Weasel 20:36, 2 February 2009 (EST)
- The colours are still annoying me. I have never been good a getting the one I want in RGB do you think you can find one that is blueish (flood=water=blue) but contrasts with the links. - User
20:40, 2 February 2009 (EST)
- I use these charts ([1], [2], [3]) to find the colour I want. I very rarely if ever bother with tweaking them anymore than that. ωεαşεζøίɗ
Methinks it is a Weasel 20:51, 2 February 2009 (EST)
We already have Template:Global flood if it's any help. ħuman
21:17, 2 February 2009 (EST)
- I'm not sure that it is. It looks ugly, it isn't used on anything & it screws with the page format. I reckon we should delete it & use the new one instead. ωεαşεζøίɗ
Methinks it is a Weasel 21:31, 2 February 2009 (EST)
- Yeah, I noticed the weird formatting issues. I think we should "move" floodnav over it, since "xxxx nav" templates are usually wide and at the bottom of the page. Not that it's a big deal. ħuman
21:40, 2 February 2009 (EST)
- OK, either way. ωεαşεζøίɗ
Methinks it is a Weasel 21:42, 2 February 2009 (EST)
Seconding[edit]
Weaseloid, would you be so kind as to second the Felidae article on proposed best of RW? --"ConservapediaUndergroundResistoris an evil librul 12:38, 5 February 2009 (EST)
- No, sorry. It's an Ok article, but I think best of science ones should be closer to the missions. ωεαşεζøίɗ
Methinks it is a Weasel 12:41, 5 February 2009 (EST)
Anti-Vaccination Commercial[edit]
Nice finds on the Schlafly paraphernalia. Have you ever seen his commercial? Can you get your hands on it? Neveruse513 15:45, 5 February 2009 (EST)
- Sorry, I don't know anything about it. I'm just going through some old image files here & categorising them. ωεαşεζøίɗ
Methinks it is a Weasel 15:48, 5 February 2009 (EST)
- It was a rant for anti-vaccination. I assume you've seen this gem. It's interesting to see the kids he's poisoning. Neveruse513 15:52, 5 February 2009 (EST)
Night Mode[edit]
The implementation is complete. Thanks for your help.
So as not to rock the boat (and possibly avoid interference from unsupportive members) I've given every registered user night editing privileges. Henceforth, we'll enforce the policy retroactively, which should make things a lot easier. Thanks again, Neveruse513 16:45, 6 February 2009 (EST)
"Don't delete talk"[edit]
Don't make me delete you. I'll do it. No, with sandwiches 14:33, 9 February 2009 (EST)
- You & what army? ωεαşεζøίɗ
Methinks it is a Weasel 14:35, 9 February 2009 (EST)
- Oliver's Army. No, with sandwiches 14:44, 9 February 2009 (EST)
Wandalism[edit]
I wondered how long it would take you to revert that. Fortunately, I've saved the diffs. Look at my user page for the Quests of Sir CUR Against the Order of the Evil Red Link. --"CURtalk 21:26, 9 February 2009 (EST)
Barnstar[edit]
Fauna barnstar
--"CURtalk 16:47, 10 February 2009 (EST)
- Hang on - 7 edits to Felidae and 9 to Cat counts as "tireless work"? Time evil Phantom Hoover! 16:51, 10 February 2009 (EST)
- We don't have very high standards of work ethic here, do we? When does Weaseloid comment on this? But he has a standard to live up to- he must add many lolcatz to the cat article. --"CURtalk 16:53, 10 February 2009 (EST)
- One other thing- we have a different definition of 'tirelessly' than Wikipedia. Here it merely means helping out a considerable amount and adding goat. --"CURtalk 17:07, 10 February 2009 (EST)
- Um, OK, thanks CUR. I wasn't aware of having worked tirelessly on those. The only animal related stuff I've worked on lately was creating the animal images category. But thanks anyway. ωεαşεζøίɗ
Methinks it is a Weasel 16:55, 10 February 2009 (EST)
Favor, please.[edit]
If you would, 'Jorge' if it's available. And why is my handle one of your alter egos?G antczak 10:23, 11 February 2009 (EST)
- It isn't. It's just a trick mirror on my user page that shows the user name of whoever looks at. If you look again now, you should see Jorge instead.
ωεαşεζøίɗ
Methinks it is a Weasel 10:26, 11 February 2009 (EST)
Sideways, huh?[edit]
Hey, TK says you were cp:User:Sideways. I dunno whether that's actually true, but if it is, then I apologize for the anxiety caused in the Audubon Society by my games. Sideways seemed worried, but the article to which I refer is of course a complete hoax. --Marty 03:19, 13 February 2009 (EST) which you can find under "lulz" in the phone book
- Yes, I was Sideways. Nothing to do with those other accounts though; must've just been on the same TOR node at some time. If you mean the falconry article, there was no real anxiety. I doubt any homeschoolers would particularly take that advice anyway. Partly I was just seeing how much Conservapedians care about things that they should. ωεαşεζøίɗ
Methinks it is a Weasel 13:29, 13 February 2009 (EST)
Hello[edit]
I like fish. User:Mei 15:20, 13 February 2009 (EST)
- Without fish, thousands of people would go hungry. User:Mei 15:28, 13 February 2009 (EST)
- Fish are extraodinarily adaptable. User:Mei 15:31, 13 February 2009 (EST)
- I like ray-finned fish. User:Mei 15:33, 13 February 2009 (EST)
- Don't you? User:Mei 15:37, 13 February 2009 (EST)
- Yes. I agree with all of the above. ωεαşεζøίɗ
Methinks it is a Weasel 15:54, 13 February 2009 (EST)
- Thus obviating impending disaster. I like your style. Let us shake about the hand. User:Mei 16:01, 13 February 2009 (EST)
- Sure.
ωεαşεζøίɗ
Methinks it is a Weasel 16:24, 13 February 2009 (EST)
- Do you have any? User:Mei 08:55, 14 February 2009 (EST)
- What? ωεαşεζøίɗ
Methinks it is a Weasel 08:56, 14 February 2009 (EST)
- Fish! : ) User:Mei 09:07, 14 February 2009 (EST)
- I don't keep fish. I eat them. ωεαşεζøίɗ
Methinks it is a Weasel 09:08, 14 February 2009 (EST)
Project[edit]
You are now part of RationalWiki:Project Zoology (or Zoology Project, I forget which). Please report on the project's talk page so you can receive your userbox and logo. --"CURtalk 16:27, 13 February 2009 (EST)
- Oooooooooohhhhhhhhhh Weeeeeeeeeasssssssssssaaaaaaaaaaalllllllll, wwwhhhhheeeeeerrrrrrrrreeeeeeee aaaare you? --"CURtalk 19:45, 13 February 2009 (EST)
- Hello. No, I'm not a member of any project. I don't have a lot of truck with cabals & cliques, & I don't know anything about zoology. I've done a few basic start-level articles on the main classes of creature, since we didn't have them already, but that's as much as I'm doing towards it for now. ωεαşεζøίɗ
Methinks it is a Weasel 21:25, 13 February 2009 (EST)
fundamentalism article[edit]
the fundamentalism article mentions christianity explicitly 20 times or so, and islam? at most once?, when islamic fundamentalism is at least as serious a problem as christian fundamentalism.
can you still say it's not biased? — Unsigned, by: 173.48.208.204 / talk / contribs
- The bias is due to what the people writing the article know about. Many of us have encountered fundamentalist Christianity directly; & it's pretty easy to find Christian fundamentalist literature in English on the internet. If you have some expertise on Islamic fundamentalism, then you can certainly add some content about it, but if it's just uninformed rant like what you wrote at the Islam article, I suggest researching it a bit more first. ωεαşεζøίɗ
Methinks it is a Weasel 09:44, 15 February 2009 (EST)
You people must be generous[edit]
You've "demoted" me on my first day? Of all the wikis I've been on, I have not seen one that is that quick to sysopify! On most you need practically a quadrillion edits to be sysoped. How and why are things different here?--Ipatrol 21:19, 16 February 2009 (EST)
- Simple. We think the way to avoid becoming CP is to give power to the people. We work as an ultra-democracy, known as a mobacracy. There are no leaders among us that the mob has not given power to. The mob can give you power in an instant, and take it away with the snap of a finger. That's how we work here. We are all equals, except a few odd vandals. --"CURtalk 21:25, 16 February 2009 (EST)
- "The mob can give you power in an instant, and take it away with the snap of a finger" - actually no, not at all. Taking power away from users is almost never done: only in cases where power has been abused, & only then after discussions of any alternatives. ωεαşεζøίɗ
Methinks it is a Weasel 21:30, 16 February 2009 (EST)
- We honor the goat, isn't that self-explanatory enough.--EnAttendantGodot 21:23, 16 February 2009 (EST)
- (EC) This is like nowhere else on the internet! This is a mobocracy, not a hierarchy. Virtually everything a sysop can do can be very easily undone by another sysop, so it works out to give the basic powers to pretty much anybody, unless they're an obvious troll or vandal. It's the point we were making about that template: everybody here is either a sysop or likely to become one soon. ωεαşεζøίɗ
Methinks it is a Weasel 21:27, 16 February 2009 (EST)
- Precisely. Look at me if you want evidence that you don't have to have high standing to be sysop. --"CURtalk 21:30, 16 February 2009 (EST)
I sense a lack of common sense[edit]
Weaseloid: User:Example was an account made by me to test blocking, vaporizing, ect. It is not meant to ever ever until the earth is eaten by a black hole, make an edit. Therefore it is permablocked to prevent hacking.--Ipatrol 19:49, 17 February 2009 (EST)
- I don't think that justifies it. There's no risk of hacking - why would anybody hack an account which has never made any edits when they could much more easily create a new account? ωεαşεζøίɗ
Methinks it is a Weasel 19:54, 17 February 2009 (EST)
Adding Cats[edit]
You know, as many cats as we add to this place, it's beginning to look like a little old lady's home. ;-)--
En attendant Godot"«Lo-lee-ta: the tip of the tongue taking a trip of three steps down the palate to tap, at three, on the teeth. Lo. Lee. Ta. V.Nabokov» 12:03, 18 February 2009 (EST)
- Cats are good, but there's such a thing as too many. ωεαşεζøίɗ
Methinks it is a Weasel 12:07, 18 February 2009 (EST)
- As a fully qualified little old lady: What's wrong with a "little old lady's home"?
and marmite 11:17, 24 February 2009 (EST)
[edit]
You're no fun. User:Mei 06:40, 24 February 2009 (EST)
category:people who are actually fun
Reply from MHOD[edit]
Yes, I absolutely love Seinfeld (it's the greatest sitcom ever, bar Fawlty Towers) and my name began from that iconic episode (although I have to say it's gone a bit beyond that, I certainly don't consider it or use it as a reference to masturbation anymore.. to put it that way). You're right about Conservapedia, I was banned before I even put the word 'liberal and agnostic'.. something which I hadn't expected. MasterOfHisOwnDomain 10:57, 24 February 2009 (EST)
- Sorry for the long-delayed reply. I used to be a bit of a Seinfeld fan a few years back, but it hasn't been on TV much since where I am (the UK) & I haven't yet got round to putting up the cash for a DVD set. So other than a few clips on YouTube, I haven't really seen it in years. I find Curb Your Enthusiasm disappointing. I've seen one or two which are really good, but otherwise find it a bit tedious. ωεαşεζøίɗ
Methinks it is a Weasel 21:55, 2 March 2009 (EST)
RWW vandal[edit]
Would you mind stopping over at RWW? There's an irritatingly persistent IP spamming the Ungtss article, and it really needs to be blocked.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 01:18, 5 March 2009 (EST)
- I just caught that, ironically it is Falldown holding down the fort. I couldn't do anything :( ħuman
01:29, 5 March 2009 (EST)
Sand cat[edit]
And you would know how? --<choose> <option>Input The ResistorOutput</option> <option>CoyoteOver 450 pages watched NOT including talk pages</option> <option>The Trickster</option> <option>Acionyx</option> 19:03, 6 March 2009 (EST)
- It wouldn't fit, for a start. ωεαşεζøίɗ
Methinks it is a Weasel 19:06, 6 March 2009 (EST)
Chalkboard link[edit]
I'd tried everything (Except the right thing, obviously) to make it work, wonder what was wrong with it? Anyhow thanks for janitorising after me.
and marmite 11:07, 7 March 2009 (EST)
- That's OK. I can't figure out why it's doing that, but a regular link to the wanted pages is better than nothing. ωεαşεζøίɗ
Methinks it is a Weasel 11:53, 7 March 2009 (EST)
- It's because the text has an = in it. If a template parameter contains an equals sign, you have to put
parameter_name=before it, otherwise it will interpret everything before the first equals sign as the parameter name. -- Nx/talk 13:01, 7 March 2009 (EST)
- Scheisse: the number of times I've read that on mediawiki (or was it Meta?). Thanks Nx.
and marmite 13:23, 7 March 2009 (EST)
- You're welcome. -- Nx/talk 13:30, 7 March 2009 (EST)
- Yep, cheers for sorting it out. ωεαşεζøίɗ
Methinks it is a Weasel 14:40, 7 March 2009 (EST)
Fall down[edit]
Sorry my bad. Didn't know he was actually lurking. User:Mei 19:44, 7 March 2009 (EST)
- Huh? ωεαşεζøίɗ
Methinks it is a Weasel 19:47, 7 March 2009 (EST)
- All is well. Also did you notice you have become fun. User:Mei 19:48, 7 March 2009 (EST)
- No I didn't, but thank you. Do you mean you were the Fa11 down account? ωεαşεζøίɗ
Methinks it is a Weasel 19:49, 7 March 2009 (EST)
- Of course she is. Her only defence against me is to fuck around. Fall down
- These fascists don't realise they only prove me right. Fa11 down 19:52, 7 March 2009 (EST)
- If you were really smarter, you'd have some better response than a juvenile impersonation. Fall down
-
- But of course. They thought Galileo was mad too. ωεαşεζøίɗ
Methinks it is a Weasel 19:53, 7 March 2009 (EST)
- Is this technically ok? I'm only paraphrasing his comments after all. User:Mei 19:55, 7 March 2009 (EST)
- You're only showing your own lameitude. Fall down
- Lame leftist dogma as usual. Grow some balls son. Fa11 down 20:01, 7 March 2009 (EST)
- It's alright by me (as long as you don't go too far with it & start calling good people whores & suchlike). ωεαşεζøίɗ
Methinks it is a Weasel 19:58, 7 March 2009 (EST)
- What's up is everything ok? User:Mei 20:17, 7 March 2009 (EST)
- Yeah, it's fine. Just taking pre-emptive action against some underhand trollery. ωεαşεζøίɗ
Methinks it is a Weasel 20:25, 7 March 2009 (EST)
cool[edit]
I love Ocelots. Mei 15:01, 10 March 2009 (EDT)
- Good. I'm just looking for a good PD picture of an oncilla. ωεαşεζøίɗ
Methinks it is a Weasel 15:06, 10 March 2009 (EDT)
- Actually, oncilla is kinda similar to ocelot & margay. How far do we want to go with this? A pic of every cat species, or just a few representative ones to highlight how diverse they are? ωεαşεζøίɗ
Methinks it is a Weasel 15:11, 10 March 2009 (EDT)
The
Great One Greasy One The Godly One[edit]
Have faith in him brother! But yield to him, for are we not low enough to be unable to utter his blessed name?DSFARGEG 19:27, 15 March 2009 (EDT)
- Ain't nobody can pronounce his dadblasted name, but he won't be hearing any of my prayers anytime soon. ωεαşεζøίɗ
Methinks it is a Weasel 19:33, 15 March 2009 (EDT)
- Oh Brother. But TK can forgive you, all you must do is suck up to him. DSFARGEG 19:45, 15 March 2009 (EDT)
- Not an appealing prospect. ωεαşεζøίɗ
Methinks it is a Weasel 19:52, 15 March 2009 (EDT)
Unblocks[edit]
I know you are doing the right thing unblocking Fall down and his many socks, but at the moment being in the vandal group doesn't prevent page moves. If he moves a page on top of another that has content we lose the history of that page as well as the content. As he has been engaging is page move vandalism it is not a risk I am that keen to take. - User
20:17, 17 March 2009 (EDT)
- But if we block all his accounts it just encourages him to make more. ωεαşεζøίɗ
Methinks it is a Weasel 20:29, 17 March 2009 (EDT)
-
- So the priority would seem to be to email Trent and get him to improov the vandal bin, especially since he popped in a few times today - maybe he has a little time? He said he fired up the email server... this VB thing should be a #1 priority for him to fix I think. ħuman
20:31, 17 March 2009 (EDT)
hELL[edit]
The h in hELL is lowercased because of Teh Fly and his stance on Liberal Deciets. It is a tounge-in-cheek joke. ĵ₳¥ášÇ♠ʘ I know Anonymous user analyses through zoot suits. 15:53, 20 March 2009 (EDT)
- But it's only cute the first couple of times you see it. After that, it's just bad grammar & inconsistency. Plus there's only so much mileage you can get out of one very very minor incident on CP. ωεαşεζøίɗ
Methinks it is a Weasel 15:57, 20 March 2009 (EDT)
Real world[edit]
It's a pain, isn't it? Don't be a stranger now. You hear?
and marmite 18:21, 2 April 2009 (EDT)
- Actually real world things are going pretty good for me right now. After being stuck in a rut for a long time, I'm now in a new city, new job, new house, etc. So I won't be here as often as hitherto, but no, I won't be a stranger.
Hope things are going well for you. ωεαşεζøίɗ
Methinks it is a Weasel 18:39, 2 April 2009 (EDT)
Thanks[edit]
... for unblocking me. --
22:41, 24 April 2009 (UTC)
- That's OK. Please consider sticking around. It doesn't have to be all or nothing. Wéáśéĺóíď
Methinks it is a Weasel 22:43, 24 April 2009 (UTC)
Weaseldroid[edit]
Were you able to get a new password? -- Nx/talk 08:32, 13 May 2009 (UTC)
- Nope. There is no e-mail address recorded for user "Weaseldroid" Wéáśéĺóíď
Methinks it is a Weasel 21:08, 13 May 2009 (UTC)
- The confirmation email has been sent, after you click the link, you should be able to use password recovery. -- Nx/talk 21:15, 13 May 2009 (UTC)
- I'm in now. Cheers for your help. Weaseldroid 21:26, 13 May 2009 (UTC)
Hey[edit]
Hope everthing's smashing in the real world. Thanks for making the article I started on the Daily Express more in-depth and gramatically correct. SJ Debaser 11:03, 13 May 2009 (UTC)
- No problemo.
Wéáśéĺóíď
Methinks it is a Weasel 20:47, 13 May 2009 (UTC)
Teach the Controversy...[edit]
...sorry--didn't think of links to the other version. My bad...Amin7b5 01:23, 16 May 2009 (UTC)
- No problem. It's best to check the "what links here" button in the toolbox when merging, moving or deleting pages. Wéáśéĺóíď
Methinks it is a Weasel 01:25, 16 May 2009 (UTC)
Well, well, well...[edit]
You are graced as the first to receive my gassy userbox. Enjoy. (Also, I like the "people who are actually fun" category, although it leads nowhere...) SJ Debaser 19:05, 25 June 2009 (UTC)
Vandal bin[edit]
Thank you. MarcusCicero (talk) 16:04, 14 July 2009 (UTC)
- You're welcome. Wéáśéĺóíď
Methinks it is a Weasel 17:21, 14 July)
Welcome template[edit]
Please don't do that, it hurts the CPU. If you want to change the welcome template, Hoover suggested moving Welcome3 to welcome. If you do that could you change, welcome/IP so it includes welcome with ip as the parameter? Sorry I can't make that clearer but my pad is ribbish. - Pi
- What hurts the CPU? The randomization thing? I don't particularly like Welcome3. My changes were meant as a temporary thing, & I reckon we ought to discuss further before making more permanent changes (like replacing Welcome with Welcome3). Wéáśéĺóíď
Methinks it is a Weasel 12:56, 21 November 2009 (UTC)
Thanks for the greeting![edit]
Civic Cat 22:20, 23 November 2009 (UTC)
- You're welcome. Wéáśéĺóíď
Methinks it is a Weasel 23:13, 24 November 2009 (UTC)
Colours...[edit]
Discuss my reverting the change at talk:main? ħuman
22:10, 10 December 2009 (UTC)
Smell that?[edit]
It's the beans and tamales I had last night! Jfaartz (talk) 20:04, 12 December 2009 (UTC)
I fed the troll[edit]
...and the troll won. I fed the troll and the troll won. SJ Debaser 23:49, 27 December 2009 (UTC)
I like the picture. Something tells me that's gonna get used a lot. Wéáśéĺóíď
Methinks it is a Weasel 19:20, 22 December 2009 (UTC)
merry that thing we do in december![edit]
Cheers Ace. & Respect for the David Shrigley cards. Wéáśéĺóíď
Methinks it is a Weasel 19:11, 24 December 2009 (UTC)
Fuck you, you fuckin' fuck.[edit]
Yeah, that's right, you little fuckin' RODENT. Fuck you. Fuck you in the ass. Fuckin' asshole. Fuck. :-)TheoryOfPractice (talk) 16:57, 27 December 2009 (UTC)
- Thats right TOP, just keep on repressing and interfering - thats all you ever do around here, you fucking autocratic fucking imbecile/cretin/clown. Once again you have deminstrated that you are INCAPABLE OF TOLERATING DISSENT. Fuck you too. :-D Wéáśéĺóíď
Methinks it is a Weasel 17:47, 27 December 2009 (UTC)
- You fucking idiots! Do you not see that this proves exactly what you are contemptible idiots? Do you now understand why you are considered as vacuous imbeciles whom everyone holds beneath contempt? Do you now see that you are indeed, the adversary of reason? The bane of liberty? The vice of virtue?
- Cast your glowering, contemptuous frivolousness elsewhere, cretins, and bow down before me and worship me as a God. — Unsigned, by: 86.40.222.53 / talk / contribs
- Ohhhhhhhh I like swearing too! Fucking jesus godamn cunting christ! Aceof Spades 20:35, 27 December 2009 (UTC)
- I can beat that; you gawddamn motherfuckin' shitheaded bitches, go suck a cock you cunts! Gooniepunk2010 Oi! Oi! Oi! 20:39, 27 December 2009 (UTC)
- Fucking fuckers fucking about fucking doing fuck all. — Unsigned, by: 86.40.222.53 / talk / contribs
fuck! SJ Debaser 23:50, 27 December 2009 (UTC)
Prick[edit]
Why are you such an authoritarian prick? What does it matter to you if the page had one of its own? You didn't even transfer it properly you fucking retard. MarcusCicero (talk) 14:41, 2 January 2010 (UTC)
YouTube Videos at Saloon Bar[edit]
Is it better just to link to them because of the archives or something? SJ Debaser 12:54, 10 January 2010 (UTC)
- No, because the embedded videos are ugly. It was discussed here & most agreed we shouldn't use them at the Saloon Bar. I don't know whether there's been any further discussion since. Wéáśéĺóíď
Methinks it is a Weasel 13:12, 10 January 2010 (UTC)
What kind of troll am I?[edit]
I suppose the "don't feed the troll" template was about me, so I'm just curious. The only characteristic that fits is "Deliberately angering people", as two sentences of my mostly sincere post were meant to be offensive (as a respond to a person who called me a "retard" and "fucknut", but it didn't bother you then). As I said, I'm just curious ... --Earthland (talk) 19:52, 15 January 2010 (UTC)
- A retarded fucknut concern troll. Any other questions? TheoryOfPractice (talk) 19:53, 15 January 2010 (UTC)
- I've always been a bit confused with this "concern troll" label. Concern troll "specializes in visiting sites of an opposing ideology", I guess it's true for me (I'm not opposed to RW in general, but it seems that speaking against abortion counts as opposition). And the concern troll, of course, "should not be fed". However, "We welcome contributors, and encourage those who disagree with us to register and engage in constructive dialogue.". So the question is "what is a constructive dialogue"? This is a rather subjective term and gives a fascinating opportunity to label everyone who disagree as "concern trolls". --Earthland (talk) 20:01, 15 January 2010 (UTC)
- Earthland is not a troll by a long shot from what little I've cared about. People need to stop throwing the term around so loosely. "Concern troll" was very much MC's game, it was practically the defining moment in World Championship Concern Trolling - it involves coming to a site, and bashing it repeatedly out of "concern for its well being". It does not mean "someone I disagree with now fuck off".
narchist 20:05, 15 January 2010 (UTC)
Earthland, you may not be a troll, but when you're deliberately angering people and meaning to be offensive, you are behaving like one. The point of my comment on Cgb07305's talk page is my advice to him not to respond to your rant as nothing good can come it. I don't entirely approve of a lot of things that other editors have called you (including ToP's comment above), but I think you have brought it on yourself by being unnecessarily aggressive & insulting. You accuse Cgb07305 of lying about his academic background when your only reason for doing so is that he's said things that you don't agree with. Wéáśéĺóíď
Methinks it is a Weasel 20:17, 15 January 2010 (UTC)
w[edit]
Sorry ;_______; -- =w= 19:47, 19 January 2010 (UTC)
- Apology accepted, but don't do it again!
- Wait, what did you do? Wéáśéĺóíď
Methinks it is a Weasel 19:54, 19 January 2010 (UTC)
- Experimented with blocking MC instead of binning him to see if that would work. -- =w= 19:56, 19 January 2010 (UTC)
- It won't. It'll just give him more excuses to play victim & still evade the block anyway. Best to leave things as they are, unless there's any collective agreement on handling it differently. Wéáśéĺóíď
Methinks it is a Weasel 20:00, 19 January 2010 (UTC)
- sorry sorry sorry ;__; -- =w= 20:18, 19 January 2010 (UTC)
- Stop saying that! Wéáśéĺóíď
Methinks it is a Weasel 20:20, 19 January 2010 (UTC)
=[edit]
Are you doing something fun? -- =w= 02:36, 23 January 2010 (UTC)
- No, I'd just gone to bed when you posted this. What with it being half past two in the morning & all. Wéáśéĺóíď
Methinks it is a Weasel 18:55, 23 January 2010 (UTC)
- That is not the right time to go to bed. You must have been doing something fun before that. -- =w= 19:12, 23 January 2010 (UTC)
- Only vaguely. Watched a movie on DVD, but that only took me up to about midnight. Then I was mostly hanging around on RW, sipping whiskey & waiting for stuff to happen. Which it didn't, so I eventually went to bed. Wéáśéĺóíď
Methinks it is a Weasel 19:34, 23 January 2010 (UTC)
- That is fun in a way. I often wait for things. Do you like my Cunning Log? It all sort of works. -- =w= 19:43, 23 January 2010 (UTC)
- Yeah. What is Darbishire? Do you mean Derbyshire? Wéáśéĺóíď
Methinks it is a Weasel 19:58, 23 January 2010 (UTC)
- Darbishire is a person. The rest is a secret. -- =w= 20:02, 23 January 2010 (UTC)
- Is it a guilty secret? Wéáśéĺóíď
Methinks it is a Weasel 01:01, 24 January 2010 (UTC)
Yaarrrr[edit]
I like what you did there matey. Clever to add the copyright side as a kind of footnote. Very well written article. --
Ask me about your mother 23:14, 4 February 2010 (UTC)
- Cheers, me hearty. Wéáśéĺóíď
Methinks it is a Weasel 23:19, 4 February 2010 (UTC)
This page needs more Mei![edit]
Sure, why not. Wéáśéĺóíď
Methinks it is a Weasel 00:15, 6 February 2010 (UTC)
Sorry--[edit]
Missed that one. We should pibot that page, anyway. TheoryOfPractice (talk) 16:09, 7 February 2010 (UTC)
- Probably, yeah. Wéáśéĺóíď
Methinks it is a Weasel 16:11, 7 February 2010 (UTC)
Redirects[edit]
Why are you deleting useful redirects? Is there something I'm missing here?--
talk
20:28, 9 February 2010 (UTC)
- One was a misspelling - not very useful - & the other was "objectivist movement" which was only used once in an article, only two lines down from a direct link to the same article it redirected to. We don't need a "#####ist movement" redirect to "#####ism" anyway - if we did that consistently, we'd have thousands of pointless redirects. Wéáśéĺóíď
Methinks it is a Weasel 20:48, 9 February 2010 (UTC)
- I was ambivalent about 'objectvism' to start with & I support its deletion. -- =w= 20:50, 9 February 2010 (UTC)
- Good. Now that we have autocomplete (or whatever it's called) in the search box, we probably don't need as many redundant redirects as we used to. Wéáśéĺóíď
Methinks it is a Weasel 20:52, 9 February 2010 (UTC)
- Oh, it was a misspelling. Okay, that makes sense! Sorry to bug you.--
talk
20:57, 9 February 2010 (UTC)
- It's really no problem at all. Wéáśéĺóíď
Methinks it is a Weasel 20:59, 9 February 2010 (UTC)
- NO I am a hideous bugbear who drives people away.--
talk
21:05, 9 February 2010 (UTC)
- Now you come to mention it, actually yeah. It's unbearable! Like, I'm outa here. See ya later, assholes . . . Wéáśéĺóíď
Methinks it is a Weasel 21:13, 9 February 2010 (UTC)
w[edit]
Good weaseling today. I enjoyed it. -- Mei (talk) 21:06, 23 February 2010 (UTC)
- Thanks. But I don't think I was particularly active today. Just a quick bit of weaseling in between other things. Wéáśéĺóíď
Methinks it is a Weasel 22:54, 23 February 2010 (UTC)
Creep[edit]
How the hell did you dig that exact link up? What a fucking creep you are. Jon (talk) 22:58, 11 March 2010 (UTC)
- Correct me if I'm wrong, but I'm going to assume it involved a keyboard-like device, something resembling a mouse, and some approximation of a monitor. An Internet connection may have been involved as well. I Eat Glue (talk) 23:00, 11 March 2010 (UTC)
Saloon Bar rollback[edit]
I thought MC was still on revert-and-bin?--
talk
11:06, 20 March 2010 (UTC)
- I didn't know it was MC, & there was no comment to indicate this. In any case, the revert thing was never really agreed policy, as far as I am aware, & I don't find it very useful in cases where he's not actually trolling. Wéáśéĺóíď
Methinks it is a Weasel 11:14, 20 March 2010 (UTC)
- I'm not sure if we ever agreed on any policy for him. Ah well, not important and not worth a disagreement. Cheers!--
talk
11:19, 20 March 2010 (UTC)
- No, it was supposed to be the Loya Jirga's job. As you say, not worth a disagreement. Wéáśéĺóíď
Methinks it is a Weasel 11:21, 20 March 2010 (UTC)
- Lazy LJ bastards - get to work! I only noticed he was active again recently when he started commenting on my blog. Maybe I can keep him there where it will entertain me and not annoy anyone else.--
talk
11:23, 20 March 2010 (UTC)
- Yeah, do it. He seems to be enjoying himself there. Wéáśéĺóíď
Methinks it is a Weasel 11:37, 20 March 2010 (UTC)
Rob Smith[edit]
He posted this after your warning, which I take as a threat and continued harassment. That's what the 30 min block was about. --Kels (talk) 00:34, 29 March 2010 (UTC)
- Sorry, I didn't notice that he'd posted again after the warning. I should have checked more carefully. Wéáśéĺóíď
Methinks it is a Weasel 00:46, 29 March 2010 (UTC)
huh? for fuck's sake, Human, "dodging ECs by copying" means you're still ECing everyone else)[edit]
I made new section, that can't EC anyone. You EC'd each other methinks, ladies. ħuman
10:05, 29 May 2010 (UTC)
- Might I interject here and say that I always copy my comments in the case of EC'ing? He says as he copies the comment... SJ Debaser 10:08, 29 May 2010 (UTC)
- I was posting in "Why do I miss those days?", which nobody else had posted in yet. If you're editing the last section of the page, while somebody adds a new section, does that EC it? Anyway, I don't much like the logic of forking a discussion into two sections of the same page just to avoid ECs. If you get edit conflicted, it's because other people are discussing the same issue you are at the same time - you just have to ride it out, because splitting that discussion arbitrarily into two is not a productive solution. Wéáśéĺóíď
Methinks it is a Weasel 10:13, 29 May 2010 (UTC)
- I know it wasn't the most brilliang solution, but it saved my edit the way I intended it. Someone then merged them and I had to do the # thing again, but didn't get EC'd. Doesn't it suck trying to type and hit "save" fast in order to avoid anticipated ECs? Isn't it fun to be on such a lively site? ħuman
10:30, 29 May 2010 (UTC)
- Ultimately, yeah. ECs are frustrating, but they're part of the whole RationalWiki experience. Wéáśéĺóíď
Methinks it is a Weasel 10:35, 29 May 2010 (UTC)
- If you're editing the last section of the page, while somebody adds a new section, does that EC it? Yes. Don't know why. -- Nx / talk 10:15, 29 May 2010 (UTC)
-
- Also, I think you can't ec yourself -- Nx / talk 10:16, 29 May 2010 (UTC)
- (EC!) Yes, "add new section" does edit conflict whoever posts in the section above (I just tested it). You can EC yourself (at least in Chrome) if you post then click back, because the version of the page you're then editing has four tildes instead of your signature & timestamp. But that's not what happened here. Wéáśéĺóíď
Methinks it is a Weasel 10:20, 29 May 2010 (UTC)
- Yes, you can EC yourself. I do it a lot if the connection is a little iffy. It sends the data but the "return signal", as it were, gets stuck, so if you hit "save" again, you get the EC with yourself. Also, I think you might EC with the last section if you add a new one. I'm sure I've seen ECs happen and then when I press F5, I get no new comments, but a new section has been added (that's assuming those people used the new section link, of course, which can't be guaranteed, but you'd think it'd be so obvious as to be second nature to anyone who's made more than two-three edits to a talk page).
narchist 23:44, 29 May 2010 (UTC)
Thanks[edit]
Just got back from the UK and saw the crat thing. Thanks for that. --ConcernedResident omg ponies!!! 23:30, 29 May 2010 (UTC)
Move[edit]
You're supposed to undelete the deleted revisions of a page after you merge them. -- Nx / talk 11:05, 6 June 2010 (UTC)
- I've never heard of such a policy and cannot find it in the page move guide or other relevant Help pages. If this is a real RW policy or practice, please cite where. If you just want a sysop to do something you're unable to do yourself, asking politely is more likely to get a positive response. I've restored the deleted revisions, since this is obviously a big deal to you, but I don't appreciate these patronising little instructions. You desysoped yourself and should accept the consequences of that. You don't get to dictate policy and tell other users to do your bidding. Wéáśéĺóíď
Methinks it is a Weasel 12:56, 6 June 2010 (UTC)
-. -- Nx / talk 13:00, 6 June 2010 (UTC)
- Yeah, that doesn't say what you think it does. Nothing about every revision of a page being preserved intact. Wéáśéĺóíď
Methinks it is a Weasel 13:06, 6 June 2010 (UTC)
Damn Frenchie.[edit]
That's what I said. Go back there. Quaru (talk) 14:26, 19 June 2010 (UTC)
- Ghuhuh? Wéáśéĺóíď
Methinks it is a Weasel 14:27, 19 June 2010 (UTC)
- I already commented on the England page [4] .. I was just going to continue my joke here, but I've gotten bored of it. Quaru (talk) 14:31, 19 June 2010 (UTC)
- Meh. Wéáśéĺóíď
Methinks it is a Weasel 14:32, 19 June 2010 (UTC)
Them hyphens[edit]
They can be tricky to spot, even when they're red, and the rest of the text is black. :) --Eira omtg! The Goat be praised. 23:34, 1 July 2010 (UTC)
- Yeah, I figured that was probably the case. Wéáśéĺóíď
Methinks it is a Weasel 18:40, 2 July 2010 (UTC)
Smoking[edit]
You always see these signs "Smoking damages your lungs." Well so does a shotgun, but you don't see a warning on them. Me, I always look for the "Pregnant? Breastfeeding?" warnings. --PsyGremlinHable! 10:33, 11 July 2010 (UTC)
Be Fair[edit]
Hey man! I thought long and Hard about that!--Tolerance (talk) 21:55, 17 September 2010 (UTC)
- So who are you? Wéáśéĺóíď
Methinks it is a Weasel 14:17, 18 September 2010 (UTC)
BoN?[edit]
Hello.
You greeted me with "Hello BoN" on my Anon IP talk page before I registered this account. What (or who) is BoN?
Thanks. Phiwum (talk) 20:36, 8 October 2010 (UTC)
- "BoN" is an abbreviation of "bunch of numbers," which is how we refer to IP addresses in polite conversation. Uke Blue 20:47, 8 October 2010 (UTC)
- This may help. i9 20:58, 8 October 2010 (UTC)
- Correct.
Wéáśéĺóíď
Methinks it is a Weasel 16:19, 9 October 2010 (UTC)
Spam[edit]
Should have done that myself. 20:28, 15 October 2010 (UTC)
- No worries. I was going to unpick all the =s & whitespaces to turn the headings into regular comments, which would have been the polite thing to do, but thought why the hell should I waste time cleaning up somebody else's mess? Wéáśéĺóíď
Methinks it is a Weasel 20:33, 15 October 2010 (UTC)
Anti-sex stance[edit]
Sex is not necesary for this world since we can make test tube babies. Also, it's yucky, like some food from Mcdonald's.
And because you like my signature so much, I'll keep it, although I'll put it on prefrences like you said.
In the begining, God created... me. And He said I was awesome. 18:32, 18 October 2010 (UTC)
- Very few things are necessary but some are fun - sex is one of the latter. 18:34, 18 October 2010 (UTC)
- It's best to continue discussions on the talk page they start at. Anyhoo . . . Assisted reproductive technology is a very expensive industry, & is used only for couples or individuals who can't conceive naturally. It's not a cost-effective or desirable alternative to sexual reproduction. Sex is a natural instinct that many, probably most, adults find very pleasurable, as well as serving a biological function, for those who want to reproduce. If you find it icky, that's unfortunate, but it's a silly value judgement. Childbirth is also icky, as are test tube babies, & babies in general. In fact, most of the human body's functions could be described as icky. It isn't a sound basis for opposing something. Wéáśéĺóíď
Methinks it is a Weasel 19:43, 18 October 2010 (UTC)
Actually my real reason is so the human race can die out. I just use the artificial technology part to provide an alternative to rich people.
Sex is an icky function that isn't necesary for the survival of an individual. And there are a lot of fun things that aren't icky, like chess. And since there are porn and sex toys, you can get your sex pleasure from them.
Also, which article?
In the begining, God created... me. And He said I was awesome. 20:23, 18 October 2010 (UTC)
- Human race doesn't particularly want to die out. Chess is an icky function that isn't necessary for the survival of an individual. And since there are chess puzzles and chess computers, you can get your chess pleasure from them. Also what article? Wéáśéĺóíď
Methinks it is a Weasel 23:05, 18 October 2010 (UTC)
Well we can't please everyone, lol. And Chess isn't icky unless you make it icky. Plus, there aren't much other ways of getting chess pleasure than the ones you listed.
It's best to continue discussions on the talk page they start at. you, Weaseloid.
In the begining, God created... me. And He said I was awesome. 03:04, 20 October 2010 (UTC)
- We can't please everyone so let's kill 'em all, lol. Hmmm?
- Again, if you find sex icky, that's just your opinion & is not a sound basis for opposing it. You can keep saying it, but it doesn't make you right. For one thing, you are in an extreme minority view; for another, there's nothing objective or meaningful about saying "sex is icky"; it's just a reaction, not a statement of fact. Why do you consider porn & sex toys preferable to sex with other people? Are they less icky in some way?
- I made a comment on your talk page & you responded to it here on mine instead. It's best to continue discussions on the talk page they start at & respond to comments on the page they appear on. Wéáśéĺóíď
Methinks it is a Weasel 07:04, 20 October 2010 (UTC)
CP homework rollback[edit]
Real minor thing I know, but by Swedes I meant the people who settled in Delaware, led by Peter Minuit, in the 1640s, not the Norse who settled in Newfoundland. Jsonitsac (talk) 01:12, 20 October 2010 (UTC)
- Yeah OK, but since "Norse" means Scandinavian, the wording was a bit odd, like saying "settled by the English, and also the British". Anyway, put it back in if you want. Wéáśéĺóíď
Methinks it is a Weasel 06:53, 20 October 2010 (UTC)
trustworthy article[edit]
should have put it here but my bad i won't correct those
trustworthy article[edit]
should have put it here but my bad i won't correct those Nailo1 (talk) 16:43, 7 November 2010 (UTC)
I saw this...[edit]
[[File:CRO Coa Slavonia.svg|thumb|left|...and thought of you.]] Totnesmartin (talk) 15:03, 16 November 2010 (UTC)]]
- Wow, that's an awesome coat of arms. Or should I say: stoat of arms.
Wèàšèìòìď
Methinks it is a Weasel 20:26, 16 November 2010 (UTC)
- File deleted, I guess. Wèàšèìòìď
Methinks it is a Weasel 21:04, 7 January 2011 (UTC)
Nomination[edit]
You have been nominated for the board of the RWF. Please go here to accept or not!--BobSpring is sprung! 10:46, 12 December 2010 (UTC)
Just a bump to remind you of your nomination for the RationalWiki Foundation board of trustees. You can accept or reject your nomination here. On January 10th, nominations close if you have not signaled acceptance by that point it will be treated as a rejection. Tmtoulouse (talk) 16:18, 7 January 2011 (UTC)
- Yeah, I know. I'm in two minds, hence my non-response up to now. I am kindof tempted, but I haven't been onsite so much recently & can't really be certain about how much time & energy I can regularly commit to RW. So I'm gonna have to decline. Wéáśéĺóíď
Methinks it is a Weasel 21:08, 7 January 2011 (UTC)
UncleHo[edit]
could you at least, you know, weigh in on the discussion before arbitrarily reverting something a number of people agreed on? P-Foster (talk) 23:08, 25 January 2011 (UTC)
- I just did. So why did you bother informing UncleHo he was nominated for a ban if he wasn't going to be given any opportunity of responding? Wëäŝëïöïď
Methinks it is a Weasel 23:12, 25 January 2011 (UTC)
Dude[edit]
Haven't seen you in ages. Semi-ironic brofist?
Pink(I won't touch full-fat irony) 23:47, 16 February 2011 (UTC)
Brofist returned. Do you mean at Wikipedia? I don't really do much there; just correct the odd error or amble into the odd argument if I'm wandering by, but don't have time to really get involved. I'm here quite a lot, on & off. I must have missed when you were back here in December. Hope to see you around more often. Wěǎšěǐǒǐď
Methinks it is a Weasel 07:44, 17 February 2011 (UTC)
- I just appeared on Blue's page and said "Quick! Let's be festive!" And she said "OK, then". It was pretty short, so you didn't miss that much.
Pink(No, don't throw it, because it's also a radio) 23:44, 18 February 2011 (UTC)
- Yeah, but it's always interesting when long-lost RWians show up, even if only for a moment. Are you still a Black Rabbit at WP, or did you morph into something else? Wėąṣėḷőįď
Methinks it is a Weasel 23:57, 18 February 2011 (UTC)
- Pink is/was a rabbit? That's quite a far cry from jellyfish. Seme Blue 00:58, 19 February 2011 (UTC)
- But they both taste great in stir-fries. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 18:14, 20 February 2011 (UTC)
- Yes.
Pink(The answer is "Yes", according to the rabbit.) 23:10, 26 February 2011 (UTC)
advice please[edit]
the encyclopedia dramatica article for [shockofgod/shockofgod] was deleted link at the bottom of the [shockofgod/shockofgod] article. i put something on the talk page but thought i should ask first if the link should be deleted from the article or something put up saying it was deleted. — Unsigned, by: Nailo1 / talk / contribs
- I've taken it out. No point in linking to a deleted article. If you find any more broken links like that, delete them; just make it clear in your edit summary why you're deleting them. Wěǎšěǐǒǐď
Methinks it is a Weasel 18:13, 20 February 2011 (UTC)
Laughing Lauren[edit]
See here and here. Lord Goonie Hooray! I'm helping! 00:12, 23 February 2011 (UTC)
- What about it? Duck jokes & gossips; harmless stuff. Also, see here. Why make a big deal of taking the vandal brake off when you were just going to put it back on an hour later for no particular reason? Wěǎšěǐǒǐď
Methinks it is a Weasel 00:18, 23 February 2011 (UTC)
- See the ensuing discussion. Bluntly, they seem to have actually linked to some stupid trolling page on Uncyclopedia (I wouldn't know, as I refuse to look at that stupid site) and then, after I un-braked them, admitted they were only here to vandalize. But, meh. Little prat is probably gone anyways, and I respect you too much to fly off into an HCM over this. So, do as you see fit. Lord of the Goons The official spikey-haired skeptical punk 00:23, 23 February 2011 (UTC)
- Thanks. Actually they admitted they were only here to vandalize before you unbraked them; you just didn't notice it what with refusing to read the link & all. :-) Either way, it's better to brake/block based on what people actually do rather than what they boast about (common sense exceptions apply) - in this case it was pretty harmless & didn't last long. They may well be gone as you say, but I'm gonna unbin them anyway. Obviously if they do come back & cause trouble, they can be binned again. ωεαşεζøίɗ
Methinks it is a Weasel 00:38, 23 February 2011 (UTC)
A lumbering, impassive, thoughtless monster.[edit]
Absolutely brilliant. Corry (talk) 00:11, 24 March 2011 (UTC)
- Thanks Corry.
ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 20:29, 24 March 2011 (UTC)
Sorry[edit]
Sorry about writing on those pages earlier. I see they clearly have some function beyond normal article pages. I was just trying to get them to stop showing up under WantedPages. Won't be doing it again. --Danfly (talk) 19:27, 5 April 2011 (UTC)
- No worries. I don't even know what the deal is, but clearly the wikicode can't handle those page titles as it gave a 400 error (bad request) every time. Wèàšèìòìď
Methinks it is a Weasel 21:09, 5 April 2011 (UTC)
Coucou ![edit]
And thanks for the little welcoming message. :)
Am13 (talk) 20:04, 18 April 2011 (UTC)
- No problem. Thanks for being useful. Are you a native Francophone, or just a cunning linguist? Wēāŝēīōīď
Methinks it is a Weasel 20:16, 18 April 2011 (UTC)
Still waiting for your source[edit]
I'm still waiting for you to cite a source indicating that the patterns for legalization of other drugs would be any different from the patterns after prohibition. Alternatively, would you like to simply state that there's no evidence either way, but that you nonetheless demand that we all pray to your legalizingdrugsincreasesdistribution god, whose existance you have no evidence for?--Mustex (talk) 21:59, 18 April 2011 (UTC)
Щєазєюіδ
Methinks it is a Weasel 23:06, 18 April 2011 (UTC)
- What's to be confused about? You claim that references to prohibition are "irrelevant." Now, if we had good studies on the effects of legalizing these drugs, I'd agree with you. However, in the absence of such evidence, we have to rely on what data we do have. Thus, until you can cite a source showing that, for example, making heroin illegal reduces consumption, the fact that you believe that it "makes sense" is trumped by the alcohol data. Lots of things "make sense." The watchmaker argument "makes sense," but is still wrong.--Mustex (talk) 23:16, 18 April 2011 (UTC)
Wėąṣėḷőįď
Methinks it is a Weasel 23:21, 18 April 2011 (UTC)
Gooniepunk2010 Oi! Oi! Oi! 23:28, 18 April 2011 (UTC)
- ...so, then, I can safely assume you have no evidence for anything you're saying, and your entire argument is based on the Balance fallacy, and Argument from incredulity?--Mustex (talk) 13:14, 19 April 2011 (UTC)
- I have no interest in what you assume about me, nor in your ridiculous demands for one single proof. Wéáśéĺóíď
Methinks it is a Weasel 19:49, 19 April 2011 (UTC)
The Spikey Punk I'm punking my punk! 14:13, 19 April 2011 (UTC)
Except...[edit]
Genesis isn't in the Qur'an. The story is similar but distinctly different. - π 01:19, 22 May 2011 (UTC)
- And the term "Judeo-Christian" isn't applicable to Muslims either... you need the broader term "Abrahamic religions". --Eira OMTG! The Goat be Praised. 01:24, 22 May 2011 (UTC)
- Genesis isn't in the Qur'an, but then it isn't in the Gospels either. The Qur'an is the revelation of prophet Mohammed, & is the most sacred scripture in Islam, but not the only one. Genesis is in the Torah, which is a holy text for Jews, Christians and Muslims. I was avoiding the phrase Abrahamic, since Abraham had nothing to do with the creation. & Why are you talking about this here? Last I checked, article content/wording disputes are supposed to be settled on the article's talk page. ωεαşεζøίɗ
Methinks it is a Weasel 11:34, 22 May 2011 (UTC)
Wordsalad[edit]
Excellent word! Especially as I am eating salad with mushroom, bacon & leek quiche as I write. Pippa (talk) 15:34, 22 May 2011 (UTC)
- Sounds good. We have an article on word salad. Usually two words, but I felt like compounding it in my edit summary. Ŵêâŝêîôîď
Methinks it is a Weasel 15:42, 22 May 2011 (UTC)
I would like a source for that[edit]
What do you mean by there is no such thing as Indian Pale Ale? - π 03:19, 26 May 2011 (UTC)
- Oh I see. I must admit I always thought it was Indian too, I guess it is a matter of preconceptions reading what you thought is says rather than what it does say. - π 03:21, 26 May 2011 (UTC)
- IPA is India Pale Ale, not Indian. In old times it was made in England for export to India & other colonies, not made in India. So Indian Pale Ale is a misnomer, although it appears to be a pretty common one, especially among American drinkers. If a brewery is actually selling something as Indian Pale Ale, it's probably not a very reputable one. Weaseloid
Methinks it is a Weasel 18:01, 27 May 2011 (UTC)
While I don't entirely disagree...[edit]
With deleting the {{poetop}}, on Racism:talk. I just thought we needed that particular template, so I stole the code for it and cobbled it together. C®ackeЯ
- Fair enough I guess, but I don't think that BoN was a parodist & anyway I don't think collapsing discussions with these kind of templates is particularly helpful anyway. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 16:40, 30 May 2011 (UTC)
You need more
goat weasel[edit]
I'm learning to play with images. YOu are my ginny weasel.
HEY YOU! YEAH, I'M TALKIN' TO YOU![edit]
About references on talkpages, why are they not allowed? I'm not saying they should be, I'd just like to know why. Ta fanx, MtDPinko Scum 08:57, 28 June 2011 (UTC)
- Because they're not a talk page thing. They're for adding footnotes & citations in articles, then putting a footnotes section at the bottom of the page. Talk page comments shouldn't need footnotes (brackets can be used instead for side-notes) & putting them there makes a real mess of the page. If you add refs without a references section, the ref isn't visible, and there's an ugly red warning telling you so. If you add a reference section at the bottom of the page, it interrupts normal talk page conventions as everyone would have to post above it, or else below it which then leaves references pointlessly in the middle of the page. Plus the talk page comments are signed by users who post them, while references sit unsigned elsewhere on the page. Weaseloid
Methinks it is a Weasel 12:20, 28 June 2011 (UTC)
- Thank you very much. MtDPinko Scum 20:23, 28 June 2011 (UTC)
A
n herb[edit]
Careful, you'll upset the Merkins. Pippa (talk) 19:03, 28 June 2011 (UTC)
W. Mitt Romney[edit]
iPlease reconsider the way you moved W. Mitt Romney, we're on the first page of Google for W. Mitt Romney but not for Mitt Romney, sad. Proxima Centauri (talk) 18:15, 29 June 2011 (UTC)
- So what? He's universally referred to as Mitt Romney. There's no point adopting an obscure title just to be on top of a search engine ranking for a search term nobody's ever going to use. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 18:20, 29 June 2011 (UTC)
Page protections[edit]
If you want those page protections to be effective, you will have to dial them up another notch.
ListenerXTalkerX 20:29, 29 June 2011 (UTC)
- Like what? Wėąṣėḷőįď
Methinks it is a Weasel 20:32, 29 June 2011 (UTC)
- Oops; I guess there is no "moderator" option. I suppose we shall have to coop JimJast and wind him down a notch instead if he keeps it up.
ListenerXTalkerX 20:37, 29 June 2011 (UTC)
- Agreed. I've given him a warning. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 20:40, 29 June 2011 (UTC)
- There is a moderator option, but there are no moderators. -- Nx / talk 20:44, 29 June 2011 (UTC)
- I figured there probably would be. Wèàšèìòìď
Methinks it is a Weasel 20:46, 29 June 2011 (UTC)
- I see only "Allow all users," "Block new and unregistered users," and "Administrators only." Is the moderator option only available to moderators?
ListenerXTalkerX 20:48, 29 June 2011 (UTC)
- And techs. -- Nx / talk 20:52, 29 June 2011 (UTC)
- Hi Weaseloid, Do you really believe that when something like a brick drops its kinetic energy gets created from nothing like gravity physicists believe? (and remember that in Einsteinian physics there is nothing beyond
that can be legitimately called potential energy, partly utilised in A-bomb). So are you ready to prove that part of it gets changed into kinetic energy every time when something drops? Because if not then from where the kinetic energy comes from? Serious question which you might call "crap" but you should rather explain why. JimJast (talk) 21:04, 29 June 2011 (UTC)
- You still haven't answered my question about badgers. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 21:16, 29 June 2011 (UTC)
- But I didn't call it "crap" did I? I just don't know what Badger is. But you know what brick is and know that when it falls it has more energy (which is call "kinetic" if you missed it in your school). I wanted to explain you everything what you don't know. For certain things you have to use your brain to respond so I won't call you a crypto creationist. So far you still are one since you believe as some physicists do, other creationists, that energy can be created. JimJast (talk) 21:47, 29 June 2011 (UTC)
- Have I ever made such a statement of belief? I strongly suspect I have not. ωεαşεζøίɗ
Methinks it is a Weasel 22:13, 29 June 2011 (UTC)
- And ain't you curious where the energy is coming from? JimJast (talk) 22:29, 29 June 2011 (UTC)
- No. I have my own life to lead. Wėąṣėḷőįď
Methinks it is a Weasel 23:02, 29 June 2011 (UTC)
- Do you really think that knowing why things fall would interfere with your ability to lead your life? Knowing too much is bad in RW? That's why you are against my explaining the people why they don't fly off the Earth despite the Earth does not attract them as discovered by Eunsteins almost a century ago? You don't like questions that you can't answer? Do you prefer the faith in creation of energy from nothing and that God did it? But yet a simpler way is to learn a bit of physics that is already discovered by Einsteins though not believed in by creationists. Even if they still prefer the "gravitational attraction", with its handy in such system of beliefs, "Big Bang", but impossible in the real world, since in the real world the energy can't be made from nothing. That it can is PRATT. JimJast (talk) 08:32, 30 June 2011 (UTC)
Congratulations on your election to moderator[edit]
You were one of the seven elected moderators, the results can be found at RationalWiki:Moderator elections/Results. I will be changing your user rights shortly to reflect your new position. Tmtoulouse (talk) 23:16, 4 July 2011 (UTC)
- That's great news & much appreciated. I'm gonna be lying low for the next week or two, as I've just moved house, have a ton of things to sort out, & haven't yet set up home internet access, but I'll be active again pretty soon. Wēāŝēīōīď
Methinks it is a Weasel 12:42, 5 July 2011 (UTC)
- More like a couple of months. Normal service will be resumed in early Sept. Wèàšèìòìď
Methinks it is a Weasel 12:57, 23 August 2011 (UTC)
You are a moderator[edit]
Do something -- Nx / talk 07:13, 18 September 2011 (UTC)
Votes[edit]
Would you mind weighing in or signing off on the proposed plan for procedure for the voting standards votes? Uke Blue 03:20, 28 September 2011 (UTC)
- Done. Wéáśéĺóíď
Methinks it is a Weasel 21:01, 28 September 2011 (UTC)
Removing content[edit]
Why did you take this out? Proxima Centauri (talk) 18:50, 1 October 2011 (UTC)
- It's unclear what bits of it are things Ray C says & what bits are what the article author is saying about him, plus some bits of it are unreadable sentence fragments with missing or broken words. It don't make it clear what point Comfort makes with the Anne Frank stuff, & it looks like it's just there as an excuse to make silly Hitler analogies. Wèàšèìòìď
Methinks it is a Weasel 18:58, 1 October 2011 (UTC)
Votes, again[edit]
I have revised my proposal for the procedure for the voting standards votes. Please go here to sign off and/or comment. Thanks. Blue2 (talk) 04:32, 2 October 2011 (UTC)
- Are all mods obliged to sign off on it, or just a majority? (I.e we need to know how voting on the vote about the voting method for the vote about voting methods is going to work.)
But seriously, I've given my opinions & the proposal doesn't really match any of them, so I'm reluctant put my name to it. Щєазєюіδ
Methinks it is a Weasel 18:13, 2 October 2011 (UTC)
- I understand. While your opinions certainly have merit, right now I'm more concerned with whether or not you think my proposal would be a legitimate voting procedure rather than the illusive "best" voting procedure. Uke Blue 18:38, 2 October 2011 (UTC)
- Not really sure what answer you're looking for here. If most of the mods support it & there aren't serious objections from the rest of mob, I would regard it as legitimate. Wěǎšěǐǒǐď
Methinks it is a Weasel 19:02, 2 October 2011 (UTC)
Pirates?[edit]
So what squad are you with that is the Pirates? Are you the one that posted to vandalize this site on the cheerleading forum? — Unsigned, by: 64.215.243.60 / talk / contribs
- No. Wèàšèìòìď
Methinks it is a Weasel 15:58, 15 October 2011 (UTC)
eve[edit]
I'm about to get into my first edit war, but I don't know how to roll back an artcile. The eve artcile really needs to go back to where I had it last, in bulk. But I don't know how to step back that far.--
GodotIf you google 'Google', you'll break the internet. 21:35, 17 October 2011 (UTC)
- I think I put it back to the relevant edit, plus made a few further fixes. Not that it will keep. The way to do it is to click on the relevant edit in the Fossil record (i.e. the one you want to revert it to) & click the edit tab from that. You'll see a small warning at the top of the page to let you know that you'red editing an old revision. Make any changes you want or just save it as is. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 21:47, 17 October 2011 (UTC)
How DARE you add options. Can't you real the rules[edit]
I mean, it's as if you think your ideas matter, or that some other option not yet thought of could simply not be as good as any we already have. Don't buck the rules buddy! (rolls eyes).--
GodotTue pour toujours, et tu veux vivre aussi. 00:19, 28 October 2011 (UTC)
- Setting the above incompetence aside, Weaseloid, I feel bad about removing your vote. If the "Goat" option offsets a majority, we'd have two choices: the entire vote will have to be redone, which would mean more of the tedious shit that a few extremely vocal editors think drains the lifeblood of the wiki (moreso than aeons of HCM, in their case); or we just leave the result canceled and continue without duration standards. I think both alternatives are bad. However, it doesn't seem like one vote (yours) has the potential to lead us there, so I'm not terribly worried (as it seems DickTurpis has reinstated it). Uke Blue 02:30, 28 October 2011 (UTC)
- You're both very silly. Wẽãšẽĩõĩď
Methinks it is a Weasel 06:38, 28 October 2011 (UTC)
thank you[edit]
thank you--"Shut up, Brx." 00:55, 31 October 2011 (UTC)
I smite you with drinking smilies.[edit]
steriletalk 00:13, 7 November 2011 (UTC)
I smite you back with . . . some guy jerking off on a pirate.
Wèàšèìòìď
Methinks it is a Weasel 00:35, 7 November 2011 (UTC)
- Erm, OK. steriletalk 00:41, 7 November 2011 (UTC)
- Charming. Aceace 00:44, 7 November 2011 (UTC)
Wèàšèìòìď
Methinks it is a Weasel 00:45, 7 November 2011 (UTC)
{{fun}}[edit]
Why did you revert this template?--Mr. B (talk) 21:21, 12 November 2011 (UTC)
- It didn't link to anything. Ŵêâŝêîôîď
Methinks it is a Weasel 23:39, 12 November 2011 (UTC)
- I've made redirect Fun:Encyclopædia Dramatica.--Mr. B (talk) 10:54, 13 November 2011 (UTC)
Mod business[edit]
RationalWiki:All things in moderation#MC's Wiki and Human -- Nx / talk 05:37, 19 November 2011 (UTC)
How do you go about feeding a little weasel?[edit]
With liquor and hate.
23:07, 23 November 2011 (UTC)
- More like this. ωεαşεζøίɗ
Methinks it is a Weasel 18:59, 24 November 2011 (UTC) _______________________^
"oriental woo"[edit]
I'm curious... in the US academic system we were strongly discouraged from using the term "oriental" to describe anything, as it is (likes most things) a "white oppressor word" to describe an area that is so large, the cultures share nothing with eachother, not even a "racial" (so to speak) heritage. In other words, the term was as offensive as "indian" for our native people. Any thoughts? --
GodotSome would use a tautology to describe it ("The way things are done around here is the wa 17:06, 26 November 2011 (UTC)
- I did have a quick look at WP:Orient when deciding what to call the category, & I'm aware that it's sometimes considered offensive (probably more in the US than the UK). I only really use the word to refer to historical cultures/traditions etc. - I wouldn't usually describe a person as "oriental" or refer to East Asia as "the Orient". If you've got a better idea for what to call the category, let me know, but I still think it's a pretty good fit. Re "cultures share nothing with each other", the fact is that ancient/medieval Chinese colonialism & trade spread Chinese cultural influence a long way, so many aspects of Japanese, Korean, Vietnamese cultures (for example) are at least partially adapted from Chinese influence. I think everything I've put in that category for now originates from either China or Japan. However, there is the question of whether Indian woo (e.g. yoga, chakras, ayurvedic medicine), which appeal to a similar New Age audience in the west, can also be classed as "oriental woo" despite coming from rather different cultural origins than the Chinese & Japanese stuff. Wėąṣėḷőįď
Methinks it is a Weasel 17:25, 26 November 2011 (UTC)
moderator[edit]
I pledge support to you in your moderator campaign. If we are both elected I hope to work productively with you. May an era of peace bless us all. AceVote Ace for Mod! 21:11, 15 December 2011 (UTC)
- Thanks Ace. That gladdens this Weasel's gnarly old heart. Weaseloid
Methinks it is a Weasel 21:16, 15 December 2011 (UTC)
- Indeed because we say we will not go quietly into the night! It is our INDEPENDENCE DAY!. AceVote Ace for Mod! 21:19, 15 December 2011 (UTC)
Those were the days...[edit]
....was just reading this with a feeling of sentimentally and nostalgia. AceVote Ace for Mod! 22:56, 15 December 2011 (UTC)
- Yeah, good times, for the most part. I'm curious about what interactions with CUR your comment here referred to? Wēāŝēīōīď
Methinks it is a Weasel 23:10, 15 December 2011 (UTC)
- I went and tracked him down on the Werelist and he was extremely rude, suggesting those on RW bullied him because they couldn't open their minds to his rational proposition regarding him being a wolf/cheetah thing. I was quite polite but he got very upset about...something and blocked all communications warning me that he could ban me from his little site. AceVote Ace for Mod! 23:13, 15 December 2011 (UTC)
- Yeah, that's our CUR for you. He did start his own wiki like he promised to, on Wikia or one of those kinda sites. AFAIK he was the sole editor of it; maybe still is for all I know. I got an email from CUR inviting me to it, but didn't see it till months afterwards as I don't really use the email address linked to my RW account for anything. Wėąṣėḷőįď
Methinks it is a Weasel 23:29, 15 December 2011 (UTC)
- Ah, the good old days. Nowadays you'd just block someone like CUR for three months for being annoying. -- Nx / talk 23:22, 15 December 2011 (UTC)
- Calm Nx, Human isn't around today. No need to butt in a voice your displeasure. Why don't you set up a page in your user space where you can be nasty without intruding on others? AceVote Ace for Mod! 00:41, 16 December 2011 (UTC)
'Ship of Fools'[edit]
May you please restore the article so that I can improve it so that I can improve the wiki and hence help out around here and start pulling my weight. Idiot number 613432 (talk) 22:53, 18 December 2011 (UTC)
- A couple of dozen words isn't an article. Please respond to my question on the "article"'s talk page. I really don't see any justification for why we should write about this topic, but if you can explain what it would contain as a proper article & how that would serve the site missions (see RationalWiki), then we can see above restoring or replacing it. Wëäŝëïöïď
Methinks it is a Weasel 22:56, 18 December 2011 (UTC)
- Its funny I'm just trying to help out, i don't see what the problem is or why you're being so hostile. Idiot number 613432 (talk) 23:01, 18 December 2011 (UTC)
- I'm not hostile, but the problem is that the page you created isn't needed or wanted. I've responded further at talk:Ship of Fools. Wëäŝëïöïď
Methinks it is a Weasel 23:11, 18 December 2011 (UTC)
Why did you delete my userpage?[edit]
Huh? Was this some kind of joke? Kate McCormick (talk) 22:18, 26 December 2011 (UTC)
- No, the page was created by an anonymous IP user. Feel free to recreate it, but stay signed in to show that it's you creating the page. Wéáśéĺóíď
Methinks it is a Weasel 22:23, 26 December 2011 (UTC)
- Why don't you just undelete it bro, what's wrong with using proxies? By the way, this "vandal bin" as you guys call it is annoying, I don't know if this is something you have just for new editors or what, but it's not very welcoming. I dunno, maybe it's the proxy I'm using, but if that's the case I just use a proxy for the anonymity ever since the time some asshole moderator on a forum just didn't like me and DoSed the IP I was using. Lets just say the principal and the IT guys at my school weren't very happy with me when they found out it was a guy from a forum I was posting on that sent the whole school's network crashing down. Kate McCormick (talk) 23:28, 26 December 2011 (UTC)
- I think we'll leave it for you to undelete, since user's pages are their's to do with what they want. As for the Vandal Bin, it's a security measure against vandalism which IP editors are, by default, sorted into. It's a pain, I know, but it keeps an anonymous IP from using a computer program to vandalize us. Recklessly Noise Punk What's this button do? Uh oh.... 23:31, 26 December 2011 (UTC)
- You guys sure are welcoming, "fuck off troll" says this guy named "Pi"? You guys sound just like the overly paranoid sysops at Conservapedia. Go kick rocks, no wonder people vandalize this place. Kate McCormick (talk) 00:17, 27 December 2011 (UTC)
- Wahey! Just like Conservapedia! Drink! Rennie McGreet (talk) 12:07, 6 January 2012 (UTC)
- Nobody mentioned anonymous proxies, the quote was about an anonymous IP. We don't care if you use a proxy. However, we have had some problems with anonymous editors posting personal information about someone else who claimed to be a high school cheerleader, so when an unidentified editor creates a page using what appears to be a real name and gives some personal information we act to protect privacy.
ГенгисYou have the right to be offended; and I have the right to offend you.
12:01, 6 January 2012 (UTC)
I almost voted for you...[edit]
...for moderator. Pool closed on me. Shucks. Do you want to be Board Member?, 'cause I could totally make that happen. ~ Lumenos (talk) 05:17, 6 January 2012 (UTC)
- Thanks Lume, but I can't really commit to the Board stuff. Wéáśéĺóíď
Methinks it is a Weasel 11:06, 6 January 2012 (UTC)
- I was thinking of perhaps voting for you at one time but then got drunk and forgot all about it. ;)
ГенгисYou have the right to be offended; and I have the right to offend you.
11:12, 6 January 2012 (UTC)
- I was thinking of voting for you, but then I remembered that voting is meaningless so long as we're ruled by a corrupt two-party system.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 11:18, 6 January 2012 (UTC)
- Well, judging by the preliminary results, third parties seem to be doing OK. --DamoHi 11:52, 6 January 2012 (UTC)
- There are preliminary results? Щєазєюіδ
Methinks it is a Weasel 11:55, 6 January 2012 (UTC)
- Yes, but apparently Trent made a mistake. Hopefully the mistake is his, otherwise RW will be in for HCM the likes of which we have never seen before. --DamoHi 12:03, 6 January 2012 (UTC)
- Oh dear, oh dear.
ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 13:08, 6 January 2012 (UTC)
Thanks[edit]
I appreciate the comment on the rights change. You'll be back soon enough... ħuman
03:26, 7 January 2012 (UTC)
- Don't worry, Huw. I'm promoting him within the shadow organization. Respond that email, Weas. It's your time.
03:34, 7 January 2012 (UTC)
- Thanks guys. I'm pretty happy with the election results. None of the people I didn't want as moderators got in. I agree with comments in your email Nutty. Not sure about the shadow organisation, though. Is it like Skull & Bones? Wẽãšẽĩõĩď
Methinks it is a Weasel 10:30, 7 January 2012 (UTC)
- Fuck Nutty, "people" are watching. We'll skype about it later. AceModerator 07:17, 10 January 2012 (UTC)
Hungry weasels[edit]
How many could you feed, magic typing weasel. TyBother me 22:26, 20 January 2012 (UTC)
- Approximately 42. Doesn't say for how long . . . Wëäŝëïöïď
Methinks it is a Weasel 22:29, 20 January 2012 (UTC)
- I'm guessing for one meal. TyBother me 22:33, 20 January 2012 (UTC)
- 64. or 2 cats. I am not dying in my own home.
GodotGrow a vagina 22:38, 20 January 2012 (UTC)
- {EC, reply to Ty} Nah. Ferrets, which are similar to weasels but much bigger, only eat about 80-100g of food a day (about 5% of their body weight). Most weasels would be less than half the weight of a ferret. 42 would only eat about a kilo or so between them in a day, by my reckoning. Wėąṣėḷőįď
Methinks it is a Weasel 22:45, 20 January 2012 (UTC)
the Asshole Atheist page[edit]
teh comment you removed (and i'm totally fine with you removing it of course) wasn't supposed to be armchair psychology, but bitchy sarcasm. ;-)
GodotGrow a vagina 03:13, 9 February 2012 (UTC)
- Fair enough I guess. I didn't feel like it really added anything, either way. ωεαşεζøίɗ
Methinks it is a Weasel 07:54, 9 February 2012 (UTC)
- Cheers, I had a feeling it might be along those lines but I had never seen the word before. Why not just put Xem there and do away with all the bullshit Him/Her/Them/Xem?Tielec01 (talk) 08:02, 9 February 2012 (UTC)
- I suspect the usage is somewhat tongue-in-cheek. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 08:05, 9 February 2012 (UTC)
- Did anyone specifically link to us, or has he been revealed to be so much of an asshole that people are actively googling him and finding us? Peter Monomorium antarcticum 08:07, 9 February 2012 (UTC)
- He linked to us himself about a week ago. Not sure about any further links following this feminism/rape debacle. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 08:20, 9 February 2012 (UTC)
- We're fairly high on google (I can't tell if that's just inflated for me because I go here a lot) and he doesn't seem to have a WP page, so it's hard to tell. We'll see if it turns up on google alerts. Peter Monomorium antarcticum 08:27, 9 February 2012 (UTC)
altering user comments[edit]
Armondikov altered my comment with [5]. I reverted, requesting it be left as-is, there is reason for red links in that comment, it shows that a page name is being suggested, and it will, in the future, show whether or not the page was created or moved. I was again reverted by you. So, for my understanding of RationalWiki practice, will you please explain this thing to me? I understand that some users don't like red links on article pages, though I've certainly seen exceptions. But on a Talk page? What's the problem? To what extent will the mob allow users to edit the comments of other users? It can be a very slippery slope, some people tend to get pissed off about it. --Abd (talk) 18:04, 19 February 2012 (UTC)
- Nobody altered your comments. Removing a redundant non-link is not the same thing. Wëäŝëïöïď
Methinks it is a Weasel 19:46, 19 February 2012 (UTC)
- The comment was altered, that's obvious, it was edited. The link distinguishes a pagename from text. The very point was that it's not an active page. Given that I was actually suggesting the creation of two different pages, this, then, makes the text less effective. It was not redundant, or did you not notice that the names were different? Suit yourself. If I find that I sufficiently give an eff, I'll ask about this.--Abd (talk) 19:57, 19 February 2012 (UTC)
Geniocracy[edit]
Are the citation needed tags necessary? I'm taking all of this from the book. Should I provide page numbers? The book is less than 100 pages short. — Haamer (talk) 01:45, 6 April 2012 (UTC)
And the PDF book is linked to in the external links section, it's free. — Haamer (talk) 01:46, 6 April 2012 (UTC)
- I think it should still be linked to where it's quoted, to make it clear. Either use the repeat references thing (see Help:References#Repeating references), or put a citation in where the book is first mentioned, stating that all quotes are from this. ωεαşεζøίɗ
Methinks it is a Weasel 01:52, 6 April 2012 (UTC)
- Linked to where it's quoted? What does that mean? I know how referencing works, I'm more than experienced on Wikipedia. So I don't need to provide page numbers? — Haamer (talk) 01:54, 6 April 2012 (UTC)
- Page numbers would be a good idea. Wěǎšěǐǒǐď
Methinks it is a Weasel 12:44, 6 April 2012 (UTC)
The English did not invent the idea that Joseph of Arimethea brought the Grail to England. A French writer did.[edit]
I have amended the Holy Grail article accordingly.--WickerGuy (talk) 19:12, 6 April 2012 (UTC)
- OK. Why are you telling me this? Weaseloid
Methinks it is a Weasel 19:40, 6 April 2012 (UTC)
- In an edit you made to Holy Grail circa 19:01, 12 May 2010 , you wrote
- "The cup was believed to have been preserved by Joseph of Arimathea, who later brought it to England (at least according to the English, who wrote most of this nonsense)."
- . . . [further comments relocated to Talk:Holy Grail] . . . --WickerGuy (talk) 00:11, 7 April 2012 (UTC)
- So what? Two years later, I don't need a fucking memo when somebody wants to rewrite it. Nor do I want to be personally lectured on the subject. Go away. Weaseloid
Methinks it is a Weasel 03:59, 7 April 2012 (UTC)
I'm not trying to evade a community decision[edit]
My name is on the account creation for all those accounts. I could not defy a community decision with those accounts because everyone would know it was me as soon as I'd pop up. This was in case users like P-Foster and Ace McWicked decided to unilaterally strip me of my rights and block me, to ensure that I could protest their actions. And you know what? Users like P-Foster and Ace McWicked already have unilaterally blocked me and stripped me of my rights, and using sock accounts I had previously created helped me to get unblocked.
But now, thanks to the interference of you and Mikalos, my contingency plan has been compromised. You've brought unwarranted attention to my sock accounts, and the next time P-Foster, Ace McWicked, Nutty Roux, Archie Goodwin, and whoever I'm forgetting decide to unilaterally strip me of my rights and block me (which they've already done), they'll be conscious of my backup accounts and block and desysop those too. Thanks a lot.--"Shut up, Brx." 01:39, 10 April 2012 (UTC)
- You're welcome. Wēāŝēīōīď
Methinks it is a Weasel 01:52, 10 April 2012 (UTC)
- You brought attention to your accounts, by unblocking the other ones. If you hadn't they wouldn't now be listed, for example, on your rww page because everyone would have forgotten about them. Peter tanquam ex ungue leonem 01:41, 10 April 2012 (UTC)
- Perhaps. But Weaseloid and Mikalos certainly exacerbated things.--"Shut up, Brx." 01:43, 10 April 2012 (UTC)
- No, i stopped a suspect in a massive attack on the wiki from creating spare sysop level accounts, a sane rational thing to do; and beyond that, when did it become ok to just make accounts and grant them rights?--il'Dictator Mikal 01:44, 10 April 2012 (UTC)
- Other users have done the same. As long as it's just you, there's really no harm.--"Shut up, Brx." 01:46, 10 April 2012 (UTC)
- Citation needed, hmm? Peter tanquam ex ungue leonem 01:47, 10 April 2012 (UTC)
dos vacas[edit]
I see it as a common way of interpreting item three of our mission. As for Uncyclopedia, I don't see how it has any mission relevance.--"Shut up, Brx." 07:27, 24 May 2012 (UTC)
Desert Island Discs[edit]
Wanker.
ГенгисYou have the right to be offended; and I have the right to offend you.
10:31, 27 May 2012 (UTC)
- WTF? It was nominated for deletion for over two months and not linked from anything. Non-useful content gets deleted all the time. What am I being called a wanker for? Wèàšèìòìď
Methinks it is a Weasel 11:37, 27 May 2012 (UTC)
It is better known as strawman fallacy or strawman argument[edit]
But if there's some reason that we want to keep the laymen's terminology, I'd like a bit of an explanation, other than "don't do that" which was remarkably unhelpful, especially if I may want to do the same thing elsewhere. SkepticalRaptor®™ 23:03, 2 June 2012 (UTC)
- "We" who? You've been here two weeks & want to arbitrarily rename a popular article that's stood here five years, without even looking for other people's opinions first. If you want to do the same thing elsewhere, think about not doing it. That's my advice. Weaseloid
Methinks it is a Weasel 00:05, 3 June 2012 (UTC)
- That's what we call an Appeal to antiquity. Good to know. SkepticalRaptor®™ 01:09, 3 June 2012 (UTC)
- Again, who are you claiming to be talking on behalf of, or is this the majestic plural? Wēāŝēīōīď
Methinks it is a Weasel 01:28, 3 June 2012 (UTC)
I'm using a proxy, you idiot.[edit]
You can unblog the IP address before, takes me two seonds two get a new one. How's the weather over there? ★uːʤɱ atheist 17:38, 3 June 2012 (UTC)
- Rainy. Wèàšèìòìď
Methinks it is a Weasel 17:45, 3 June 2012 (UTC)
I hate to say it[edit]
But I'd rather have you than one of those other ones--"Shut up, Brx." 04:30, 14 June 2012 (UTC)
- What Bricks means is that you've been nominated for moderator. Uke Blue 04:32, 14 June 2012 (UTC)
- Yeah, that too. And I certainly wasn't talking about sex just then--"Shut up, Brx." 04:33, 14 June 2012 (UTC)
- Thanks Brx. I'll think about it. Wéáśéĺóíď
Methinks it is a Weasel 07:04, 14 June 2012 (UTC)
- The sex?--"Shut up, Brx." 07:05, 14 June 2012 (UTC)
- That too. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 07:05, 14 June 2012 (UTC)
Boy's club[edit]
For all that I think we are a boy's club, and often find it hard to "fit in" as it were, you are one of the single most forward blogs/wikis that's *not* devoted to women, specifically. And that's why I stay (other than also liking most of you as people). Right from the start someone made it a priority to include women's issues, and imediatly stomp down any overt or covert anti-woman sentiment. It's a good place to be, for that reason. But the very fact that 90% or so of the active posters are men, and the in jokes are so often male oriented, and the discussions about women's issues often have a male point of view, still makes it a boy's club. RW has taken the steps needed to change that, but it's not changing by and large because these kinds of forums and exchanges still draw men, and men talking with men will frame a male space. --
GodotTut tut, looks like rain 23:05, 19 June 2012 (UTC)
- True, and those are issues the RW community should consider (& why are you framing the RW community as "you" rather than "us"?). But I don't think that has very much with what Brennan is saying. I find it a little ironic that you side with Brennan in saying the community is male-dominated while citing Blue as the only other woman who posted in the thread, when in fact Brennan's post was attacking Blue (whom she doesn't consider to be a woman) as an example of male-dominance. Wēāŝēīōīď
Methinks it is a Weasel 23:17, 19 June 2012 (UTC)
- Because I hadn't even read her article, (though I should) when I started to see a pattern in responses that sorta poked me. Something I'd seen done on abortion topics that are pro women, but largely said BY men. it made me bristle before I even read the article. I didn't want to get into it, and should have shut up, but didn't. ;-) As for Blue, you should know that my first reaction was shockingly just like hers. "but she's not even..." i was ashamed at myself for that thought. so i said nothing. I dont' know what to do with those kinds of feelings when they come up. They are intellectually invalid, but they are, nevertheless in my head. WE all have our biases. that's mine.
GodotTut tut, looks like rain 23:26, 19 June 2012 (UTC)
- And while I'm *confessing* as it were, the worst thing about my biased though on Blue, thinking "she doesn't even know what it's like to be a women", is that "maybe not, but she's had a hell of a lot more to deal with about being someone unaccepted in whatever role it is, and that's worse". but my "she's not even" spoke up sooner. Bad Tanya!
GodotTut tut, looks like rain 23:28, 19 June 2012 (UTC)
- That thought essentially conflates the female experience with womanhood. It's extremely common and broadly applicable to think that because someone wasn't born as x then they "aren't a real x" or they "don't know what it's like to be x," i.e. "immigrants aren't real Americans" follows the same impulse that leads to "trans women aren't real women." The issue with that type of thinking is that it assumes that there is one experience that is definitive of whatever identity group you're talking about - which is usually bunk. Uke Blue 00:06, 20 June 2012 (UTC)
- And that all "x" feel the same way about things. I've worked with Native American women and Islamic women enough to know better. Doesn't mean i live up to what i *should* think. ;-) you'll keep me in line!
GodotTut tut, looks like rain 00:14, 20 June 2012 (UTC)
- I love people like you, people who are proof positive that cisfolks can change. As for the others... I don't let it get me down. As some random cis person on the radio once said, people who are fundamentally transphobic will always find some way of saying transfolk aren't real whatevers. When we have vaginoplasty, they say we can't birth a child. When we birth a child (science is close!), they say we don't menstruate. When we'll menstruate (people have died attempting ovariplasty, but sooner or later it'll work), they'll say we weren't born female. And finally, when we say our minds were always female, they say we're lying. If you can't win, why bother getting worked up about the game? Seme Blue 00:40, 20 June 2012 (UTC)
What is that doing there?[edit]
I include
<br clear="all" /> sometimes to make sure that the next section starts below all thumbnails of pictures. larronsicut fur in nocte 06:39, 5 July 2012 (UTC)
- It makes a big stack of needless whitespace in the middle of the page. Wéáśéĺóíď
Methinks it is a Weasel 06:40, 5 July 2012 (UTC)
- chacun à son goût - it should be the last entry in a section and it becomes unnecessary when the section is long enough. larronsicut fur in nocte 06:57, 5 July 2012 (UTC)
Please[edit]
don't do that again. I put a lot of thought into that. AceThe Rep Grows Bigger 22:21, 6 July 2012 (UTC)
- Like what? Wěǎšěǐǒǐď
Methinks it is a Weasel 22:52, 6 July 2012 (UTC)
- ? AceThe Rep Grows Bigger 00:25, 7 July 2012 (UTC)
Congrats[edit]
You've been re-elected to the Moderator position. Recklessly Noise Punk What's this button do? Uh oh..... ωεαşεζøίɗ
Methinks it is a Weasel
- Alright, fair enough. Recklessly Noise Punk What's this button do? Uh oh.... 13:30, 8 July 2012 (UTC)
Bootstar?[edit]
Some people say...that you're awesome! :) Bootmii(Nomic) 03:39, 11 July 2012 (UTC)
- Really? Who are these people?
Щєазєюіδ
Methinks it is a Weasel 06:27, 11 July 2012 (UTC)
Gay lobby strikes again[edit]
Once again, the gays have prevented a discussion about their parasitical activities. When will you allow a free and fair discussion about homosexuality? — Unsigned, by: MarkCarthy / talk / contribs
Right, cause there's totally an Oompa Loompa land![edit]
Thanks for the save, I forget that with my already racist username people might fail to see the humor and go right for OMG racist! So thanks again. C®ackeЯ 02:24, 13 August 2012 (UTC)
Thanks[edit]. ₩€₳$€£ΘĪÐ)
That link[edit]
Would you like for me to add it to the spam filter for the duration of this? ТyBored 12:15, 27 August 2012 (UTC)
- Thank link, or that entire website... Hipocrite (talk) 12:17, 27 August 2012 (UTC)
- (EC) Not particularly. Only if people keep posting it. Weaseloid
Methinks it is a Weasel 12:17, 27 August 2012 (UTC)
Mod stuff[edit])
About credentials[edit])
Patience[edit])
WTF?[edit]
Why the hell did you take off both my articles? I left comprehensive references to replace the Google Test. You could have at least followed them before deleting my goddamn work...
-- AgnosticoRationale
- On talk pages, please sign your comments using four tildes (~~~~) or by clicking on the sign button:
on the toolbar above the edit panel. You can also)
Rights[edit])
- What did he do now? Wèàšèìòìď
Methinks it is a Weasel 13:14, 20 October 2012 (UTC)
Report[edit])
Move[edit]
I don't think my post belongs here. — Haamer 17:20, 9 December 2012 (UTC)
- - Shrug. - So move it here. Щєазєюіδ
Methinks it is a Weasel 18:07, 9 December 2012 (UTC)
Moves[edit])
AndrewStewart1[edit]. Wēāŝēīōīď
Methinks it is a Weasel 20:38, 23 December 2012 (UTC)
Boxing day[edit]
Thanks for getting rid of the cat.
ГенгисIs the Pope a Catholic?
20:32, 26 December 2012 (UTC)
- It's still there. I left it alternating randomly between the two images. Wèàšèìòìď
Methinks it is a Weasel 20:35, 26 December 2012 (UTC)
- I must be having a lucky run then.
ГенгисRationalWiki GOLD member
10:10, 27 December 2012 (UTC)
Uh[edit]
Are you resigning? Do you want your rights back at some point? Seme? ωεαşεζøίɗ
Methinks it is a Weasel 00:30, 27 December 2012 (UTC)
- We can survive with no moderators, as long as the dickheads don't wake up.
ГенгисOur ignorance is God; what we know is science.
10:13, 27 December 2012 (UTC)
-
- "If men were angels..." U? ωεαşεζøίɗ)
One-liners[edit]ąṣėḷőįď
Methinks it is a Weasel 23:40, 17 January 2013 (UTC)
"Nonsensical block reason"[edit]
Dirk Steele was blocked earlier per his own request. [6]? Wěǎšěǐǒǐď? Wėąṣėḷőįď)
Cunt[edit]
You're the worst cunt of them all. Free MarcusCicero. Now. ProudTory (talk) 11:31, 2 February 2013 (UTC)
- Hello Marcus. I did rather suspect it might be you. Your spelling is improving. Keep it up. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 11:36, 2 February 2013 (UTC)
- Fuck you. ProudTory (talk) 11:37, 2 February 2013 (UTC)
- Always a pleasure. ΨΣΔξΣΓΩΙÐ. Wëäŝëïöïď
Methinks it is a Weasel 11:53, 2 February 2013 (UTC)
- So you don't think you're just like a southern slave owner circa 1850? ProudTory (talk) 11:55, 2 February 2013 (UTC)
- Nope. Wëäŝëïöïď)
- Why would I? You just called me the worst cunt of them all. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 12:09, 2 February 2013 (UTC)
- That was before I saw your humanity and your inherent sense of destiny. ProudTory (talk) 12:14, 2 February 2013 (UTC)
- You silver-tongued devil you. ΨΣΔξΣΓΩΙÐ)
Nottingham[edit]áśéĺóíď
Methinks it is a Weasel 14:24, 10 February 2013 (UTC)
Some guy I've never heard of sneaked that in without prior discussion[edit]
Reasons why the Community Standards should be locked at mod-only, perhaps? Polar Bear in the Jungle Peter Tosh > Bob Marley 00:29, 12 February 2013 (UTC)
- Not necessarily, but more closely monitored. Wëäŝëïöïď
Methinks it is a Weasel 00:32, 12 February 2013 (UTC)
appologies[edit]? Wëäŝëïöïď. ωεαşεζøίɗ
Methinks it is a Weasel 21:21, 13 February 2013 (UTC)
Feminism[edit]. ₩€₳$€£ΘĪÐ)
- (EC, reply to Inquisitor Dickhead) Yeah, by implying they're lying or exaggerating or have it easy compared to the Nazi women of the past. Real classy. Wẽãšẽĩõĩď
Methinks it is a Weasel 20:14,øί)
- There are so many holes in the comparison, it's really not worth picking over them one by one. Let's just make sure it doesn't find its way back into the article. ωεαşεζøίɗ
Methinks it is a Weasel 21:04, 19 February 2013 (UTC)
Are you seriously accusing me of trolling for opposing the secondary victimization of rape victims?[edit])
Sorry[edit]. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 13:12, 20 February 2013 (UTC)
Another ill-tempered little mustelid for your delectation[edit])
Trolls[edit])
Signature[edit])
Ninja vs Ninjas[edit])
If you think that external links are too promoting[edit])
User:I am FED UP with the Democrat Party's leftist commie pro-porno, pro-fornication, pro-Islamic-TRASH agenda[edit])
Ferrets on steroids[edit]
[7]--"Shut up, Brx." 17:04, 8 April 2013 (UTC)
- Awful. Ŵêâŝêîôîď
Methinks it is a Weasel 17:36, 8 April 2013 (UTC)
Race[edit])
Evolution[edit])
Color@TF[edit])
Personally[edit])
Do you value liberty?[edit])
Cat and marmot wrestling[edit]--"Shut up, Brx." 22:25, 12 May 2013 (UTC)
- Cute. Thanks Brx. Щєазєюіδ
Methinks it is a Weasel 22:45, 12 May 2013 (UTC)
It's...[edit]
...From UseNet. I spam on UseNet.--Thrinaxodon (talk) 23:03, 27 May 2013 (UTC)
- ...Monty Python's Flying Circus! (Sorry, couldn't resist.) Nebuchadnezzar (talk) 23:10, 27 May 2013 (UTC)
- Is that from the golden days of talk.origins. Which, now only get's 100 posts per day.--Thrinaxodon (talk) 23:31, 27 May 2013 (UTC)
On being normal namecalling[edit]
Just to let you know, everyone someone says "there's something not write about you" or anything to that effect, (Mikal is possibly the worst offender) it's triggering. Not usually that severe, but it's still triggering. Just though I should let you know. I thought maybe I should let you know that I know what it's like to be part of a marginalized group. –Александр(а) Ehrenstein (Talk | Contribs | Ragebox) 03:06, 17 June 2013 (UTC)
I don't say anything because I understand that's how normal people act, and it's "just part of what we do." –Александр(а) Ehrenstein (Talk | Contribs | Ragebox) 03:09, 17 June 2013 (UTC)
Dead wrong[edit]
saying that trans people are weird, have a disorder & should conform. You've made a series of homophobic & transphobic comments
I do not think that they should be required to conform. Furthermore, I have never said anything homophobic or transphobic. They're people like the rest of us and they have a right to their way of life. –Александр(а) Ehrenstein (Talk | Contribs | Ragebox) 03:12, 17 June 2013 (UTC)
- As I pointed out on your talk page, just by medicalizing their behavior and treating it as a "condition" or a "disorder," you're already on the path to discrimination. If I knew the way/I would take you home. 03:26, 17 June 2013 (UTC)
- On the path to discrimination not discrimination. Slippery slope fallacy. As someone who has a skill for self psychoanalysis and is dedicated to fighting intolerance, I can be sure that I won't start hating people over stupid reasons. –Александр(а) Ehrenstein (Talk | Contribs | Ragebox) 06:47, 17 June 2013 (UTC)
- Ehrenstein, those are all things you said on talk:gender dysphoria. Wėąṣėḷőįď
Methinks it is a Weasel 06:36, 17 June 2013 (UTC)
I have a question[edit]
Would it be appropriate to edit the barchives of the discussion I started (in the last barchive as of this post)? I have a reply to post, but I don't know if I should start a newer topic or not. --Trar, the one true Scotsman (och, talk to me laddie) 14:00, 17 June 2013 (UTC)
- Best not to edit the barchives. An archive is an archive, so any new comments you add will probably go unnoticed by whoever was involved in the conversation, + making any kind of edits to an archive is usually frowned on. If you're replying to one particular post, you could contact the relevant editor directly on their talk page, or you could start a new thread if you think it's important. Wèàšèìòìď
Methinks it is a Weasel 17:54, 17 June 2013 (UTC)
- I started a new thread before I read this; figured it was the best way. Thanks anyhow. --Trar, the one true Scotsman (och, talk to me laddie) 20:49, 17 June 2013 (UTC)
Hope, etc[edit]
Are you prepared to run for mod again, or did you swear off the idea at some point (I forget)? Peter mqzp 20:43, 17 June 2013 (UTC)
- It seems a bit pointless. I'll see what the lay of the land is & think about it. Thanks for the nomination anyway. Wèàšèìòìď
Methinks it is a Weasel 18:13, 18 June 2013 (UTC)
Linode affiliate link[edit]
That was placed in the Saloon Bar by David Gerard when we were talking about web hosting, for the benefit of RW. –Meine Ehere heißt Toleranz (Talk | Contribs | Ragebox) 07:18, 19 June 2013 (UTC)
- So why is it in your userspace, constructed by you & unlinked from anywhere? ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 07:25, 19 June 2013 (UTC)
- Because I had to find where it was originally was in the Saloon Bar. –Meine Ehere heißt Toleranz (Talk | Contribs | Ragebox) 17:47, 19 June 2013 (UTC)
Blocking rights?[edit]
Hi Weaseloid. As the elections loom, I'm afraid that me and my supporters will be crushed and placed in house arrest a la the Green revolution of 2009. I would feel a lot more secure if I have block/unblock rights in order to protect my ancestral liberties. MarcusCicero (talk) 19:41, 24 June 2013 (UTC)
- What has that got to do with me? Wěǎšěǐǒǐď
Methinks it is a Weasel 19:50, 24 June 2013 (UTC)
- I just thought that since you're such a great guy - the kind of guy that girls want to be with, the kind of guy that guys want to be - that since you're such a great guy, you might just do a great thing like provide a cast iron guarantee that no funny business will prevent the voice of the people being heard. MarcusCicero (talk) 19:53, 24 June 2013 (UTC)
- I would also like to add that I think you're a swell guy. I believe I speak for all of Rationalwiki when I say this. MarcusCicero (talk) 21:39, 24 June 2013 (UTC)
Like/Dislike[edit]
I just thought you should know that the only reason I separated William F. Buckley's actions into "like/dislike" is because that's how the Stephen Harper page is formatted. You should change that page so people don't get confused, as opposed to just acting like a jerk in the fossil records area of the page. I put a lot of time into improving the page with citations and research into Buckley's life, how it's categorized was/is secondary to me, so I just copied the Stephen Harper page because that's what I thought Rationalwiki wanted.ClothCoat (talk) 17:14, 3 July 2013 (UTC)Clothcoat
- I'd also like to add that the Huey Long, John McCain, and Mike Gravel pages also follow a very similar format, making it impossible to know what the hell the "right" kind of formatting is, especially since you aren't freaking out over those pages.ClothCoat (talk) 22:00, 3 July 2013 (UTC)
- Yeah, it's used on a lot of pages but that doesn't stop it being a shoddy presentation that dumbs down complex issues and people to the level of magazine filler & makes RW look like the liberal version of Conservapedia it's often accused of being. Why is wanting to legalize marijuana inherently something to like? Or laissez-faire free market economics something to dislike? Isn't it better to let the readers decide for themselves how they feel about these things, or at least explain why you think they should be seen positively or negatively rather than flatly dictating what readers should like or dislike? Wẽãšẽĩõĩď
Methinks it is a Weasel 22:41, 3 July 2013 (UTC)
- I can agree with that but I was just using the format that I thought Rationalwiki liked. I had my doubts about where to put those so I just put them where they seem to fit "best". In retrospect I could have put a "Your millage may vary" section but it didn't come to mind. Also I thought it was important to separate the stuff that was obviously bad (support for fascist leaders) with stuff that was obviously good (rejection of anti-Semitism). Rationalwiki itself makes arguments for why legalization of marijuana is logical, so I didn't think I needed to make another argument on that page. I did explain a bit that getting the GOP into laissez-faire has been harmful because of their obsession to deregulate the economy, and other Rationalwiki pages make arguments against laissez faire, so I thought it fit there best.ClothCoat (talk) 23:11, 3 July 2013 (UTC)
My recent block[edit]
First of, let me thanks you for significantly shortening the recent block I was given. With that being said, I sense that you're under the impression that I was indeed engaging in the offense for which I was banned. I can assure that this was not the case, I wrote a clarification on PowderSmokeAndLeather's talk page. Sorry for any misunderstanding. - Vote Markman for a better tomorrow! (talk) 23:46, 4 July 2013 (UTC)
- 1. You're welcome. 2. I have no opinion or interest in this issue. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 00:19, 5 July 2013 (UTC)
Bigotry Wiki[edit]
I haven't been writing about RW users there that I've had problems with because it would violate the "no attacks" policy. You also sounded like you're trying to imply something. What is it. BTW, one of the admins there is another RW user. The only mention of anyone from here was a questionable argument made by someone I don't have any problems with. –Александр(а) (Talk | Contribs | Ragebox) 01:35, 16 July 2013 (UTC)
- You have written about a RW user there & what you have written is potentially libellous. Ŵêâŝêîôîď
Methinks it is a Weasel 05:23, 16 July 2013 (UTC)
- Is it someone other than Enlightenment Liberal? –Александр(а) (Talk | Contribs | Ragebox) 07:29, 16 July 2013 (UTC)
- Who else have you written about? ωεαşεζøίɗ
Methinks it is a Weasel 11:08, 16 July 2013 (UTC)
- That's it. It's quite clear you're reading it... –Александр(а) (Talk | Contribs | Ragebox) 13:37, 16 July 2013 (UTC)
- IIRC there's no one else. –Александр(а) (Talk | Contribs | Ragebox) 18:05, 16 July 2013 (UTC)
Help[edit]
You seem good at identifying not even wrong arguments. I was about to edit Liberal Logic 101 by saying these links qualify as not even wrong, but do they? I just want to be sure. If either/both of them do you can edit them in yourself or just let me know if I should do it. Thanks! ClothCoat (talk) 05:50, 20 July 2013 (UTC)
- They seem pretty confused & strawmannish. I'm not sure I'd choose them as the best examples of 'not even wrong' but it's a pretty loose concept. Weaseloid
Methinks it is a Weasel 16:17, 20 July 2013 (UTC)
I'm not silly on days that end in x[edit]
I put the citation needed tage for the sentence "feminism is a movement 'of for and by women'" because I really do want to see the source of the quote. Some people would argue that feminism is a movement of, for, and by men, women, and children. Rand0 (talk) 08:17, 29 July 2013 (UTC)
- Some people might argue such a thing but they would be somewhat missing the point, and really why should we pander to such oddballs? RW isn't Wikipedia and doesn't need a citation at the end of every sentence even when presenting fairly ordinary comments and observations. & It's not like feminism is some obscure movement that the reader won't have already heard of before reading our article. Weaseloid
Methinks it is a Weasel 22:01, 6 August 2013 (UTC)
Double standard[edit]
When I said that Gender Identity Disorder is a disorder, you acted like it was a hate crime. Yet when I say that being against abortion is misogynistic, you say that I need to tolerate them. I used to, and then I realized that people can't be against the rights of women without being misogynistic. It's no different than saying women shouldn't be allowed to vote. –Александр(а) (Talk | Contribs | Ragebox) 14:05, 13 August 2013 (UTC)
- It's been my experience that these kinds of inconsistencies are quite common among Nazi sympathizers. Good work for for calling him out on it. PowderSmokeAndLeather: Say something once, why say it again?.
14:21, 13 August 2013 (UTC)
- Nazis aren't even related here. Good work on being even worse than me. –Александр(а) (Talk | Contribs | Ragebox) 15:15, 13 August 2013 (UTC)
- It's been my experience that, in addition to Nazis, ableists, racists, and ageists.
16:47, 13 August 2013 (UTC)
- Am I accusing him of that? No. You're at my level right now. If you find it problematic, than don't be. In fact, you're worse than me because he hasn't even done anything remotely Nazi related. –Александр(а) (Talk | Contribs | Ragebox) 18:59, 13 August 2013 (UTC)
- I heard he's also a neo-Nazi white power anti-feminist men's rights advocate who pushes people in wheelchairs out into moving traffic and endorses rape.
19:08, 13 August 2013 (UTC)
- <feedingtroll>So you think that all those things are a joke.</feedingtroll> –Александр(а) (Talk | Contribs | Ragebox) 19:40, 13 August 2013 (UTC)
- Also, rape.
20:14, 13 August 2013 (UTC)
- Ok, so you think rape is a joke. That's Hipocrite's job. –Александр(а) (Talk | Contribs | Ragebox) 20:25, 13 August 2013 (UTC)
Fuck it, you win[edit]
Talk to Civic Cat 22:44, 14 August 2013 (UTC)
Wëäŝëïöïď
Methinks it is a Weasel 23:31, 14 August 2013 (UTC)
PowderSmokeAndLeather: Say something once, why say it again?.
23:42, 14 August 2013 (UTC)
- I hate people when they're not polite.
Talk to Civic Cat 23:43, 14 August 2013 (UTC)
- Gonna run over to RWW, RWWW, or whatever the fuck-site and add to whatever hatchet job?
Talk to Civic Cat 23:45, 14 August 2013 (UTC)
- Nope. If anyone wants to complain, this site is all there is. RWW has been dead for over a month — it no longer exists on any server and its url is now owned by one of those web squatters. RWWW was run by a pedophile who is currently in jail.
Radioactive afikomen Please ignore all my awful pre-2014 comments. 23:55, 14 August 2013 (UTC)
- I'm all choked up. I'll granted that article you guys made of me was at least 40% accurate.
Talk to Civic Cat 23:58, 14 August 2013 (UTC)
- Actually Weaseloid, I put my original edit back into in the article, so if any of you assholes want to revert and give no reason for it, much less a thoughtful reason, I'll understand (understand that you are assholes). It's the RATIONALWiki thing to do. So drink up, you buncha of RationalWiki alkies!
Talk to Civic Cat 00:01, 15 August 2013 (UTC)
Hey alkies, I'm going to be going soon. Thought I'd share you a song that I've listened to several times today. The title kinda made me think of you right now. Hannah Georgas. Still it's a nice song. Have a nice evening, assholes. Hope your hangovers from your RATIONAL booze-drinking doesn't hurt.
Talk to Civic Cat 00:17, 15 August 2013 (UTC)
- I haven't had a drink in weeks. PowderSmokeAndLeather: Say something once, why say it again?.
00:26, 15 August 2013 (UTC)
- Cat, you're not much fun to deal with. We generally don't link to essays from mainspace articles so I reverted it. It was just a 'see also' link which can't have taken you more than a few seconds to work on, so quit acting like King fucking Lear over it. Wėąṣėḷőįď
Methinks it is a Weasel 06:10, 15 August 2013 (UTC)
Yeah, I'm frikin' King Lear, and you alkies had nothing to do with it. Allow me to describe my mentality. Many times when I log in, I get the feeling that people here are waiting to pounce on my edits. I'm surprised that my article on Albinism or my edit on the greatest songs have survived this long. Let's see if I got the hang of stuff here. RW has a clearly defined mission—albeit one with possibly more detours than conformities. I have a sneaky suspicion that most of the articles here that are not related to Conservapedia, or are otherwise non-notable by WP standards, are far inferior to WP's versions, in some cases inferior to CP's. (Consider RW's Argentina and CP's Argentina. But quite understandable, huh. After all, RW has a disporportiante number of British editors, and the British have so little interest in what goes on in Argentina, huh? :-D —my compliments on how RW'ians can create internal links to CP though.) "Fun" in Fun pages can mean pretty well anything. Talk pages are ours—but they aren't. This ain't a social network site—but it has some aspects of one that can easily give people the erroneous impression of one. People here are worried over what the young'uns (let's say "KinderRats?") might think of stuff they might see here—don't want to give them the idea that this is a site frequented mostly by male internet nerds—yet some of you feel free to call others, including each other, cunts and twats. When people cite that the elder editors aren't being RATIONAL!!, you guys binge—Psycho Killer included. Granted, I figure that many of you are Christopher-Hitchens-wannabes. You call your community portal the "Saloon Bar," you not only have an article on alcohol but a frikin' catagory devoted to it, and even a Fun:RationalWikiWikiWiki/Dive Bar—last attended by PowderSmokeLeatherAndPsychoKiller, but just as Hitchens was imperfect—being a cheerleader for Dubya, and leading a lifestyle that lead to his premature death—so might you guys not be so frikin' terse with your critics—this very wiki being a reaction to people who weren't only wrong, but allegedly assholian.
We generally don't link to essays from mainspace articles so I reverted it. It was just a 'see also' link which can't have taken you more than a few seconds to work on, (so Nyeah, nyeah, nyeah).
Okay, so let's assume that what you say is true: essays generally don't go into the see-alsos, even often linked ones, even, might I say, RW's more notable ones. Very well, so why couldn't you have put that in the edit summary? Huh? Why could you have not simply typed something like "reverted, no essays in main named articles." 7 frikin' words? As for this "It was just a 'see also' link which can't have taken you more than a few seconds to work on" bit, what are you saying? What do you mean "work on"? Hide that it's an essay with a pipe? —e.g."I thought this was supposed to be RATIONALWiki?" What do you mean "can't have taken you more than a few seconds?" Do you mean that I should have put back in my edit? If I put back in my edit, which I did, you would have reverted it, which you did and again w/o an edit summary. Had you said those 7 aforementioned magic words, or something like it, I might have at most reverted and upon you reverting again I would have taken it to the talk page—likely not even that—likely just left it alone. But you didn't. You took the drunken RW'ian asshole approach. Revert. No summary. (glug glug.) Therefore, I reacted. Then after my post on your page, instead of you taking the hint that I'm a bit ticked, you give me the dancing banana, and PowderSmokeLeatherAndBooze and Stabby chimes in. (I can imagine you guys IRL high-fiving.) Not RATIONAL!!, huh?
Feel better, alkies? Don't bother linking to your stupid essay—I've done it already, but have your drink. Your dead Atheist Saint Christopher would have been proud. (Was he cremated, and if so how long did it take for the fire to burn itself out?)
Cat, you're not much fun to deal with.
Yeah. Just as alkies think they are fonts of wisdom when they are talking bullshit, they also think that they are only the humourous ones. "Not much fun." Yeah, more like not fun to make fun of, huh Mr. RWW'ian.
You of all people, Weaseloid, the frikin' monitor, or ex-monitor, should know better.
Talk to Civic Cat 19:18, 15 August 2013 (UTC)
- I would almost take this seriously if it weren't written by a guy who wanted to use our servers to host his database of fetish porn. PowderSmokeAndLeather: Say something once, why say it again?.
19:40, 15 August 2013 (UTC)
- Yeah, YouTube videos are porn. Go ahead, drink, alkie.
Talk to Civic Cat 19:54, 15 August 2013 (UTC)
- Told you, I haven't had one in weeks. And even at that, i'm a 2-pints-and-go-home kind of guy. But thanks for the offer. PowderSmokeAndLeather: Say something once, why say it again?.
19:56, 15 August 2013 (UTC)
- I've been going through a lot of RW pages--my kinda binging from time to time. I'm pretty sure you've made links to that incomplete-at-best-essay followed by "drink." Since you cited my alleged fetish (there's less there than meets the eye), let me ask you this: are you in recovery? The question is more-than-half-rhetorical.
Talk to Civic Cat 20:03, 15 August 2013 (UTC)
- Last question first, no, I am not, I've never really been a big drinker. I can count all the times I've been rip-roaring drunk on one hand. I do smoke a bit of ganja every now and then, but not as often as a lot of my peer group. As for the first part, I'm sorry, I didn't know I was dealing with someone who apparently believes that telling an in-joke that mentions the concept of drinking is necessarily a reflection of actual, in-real-life alcohol consumption. PowderSmokeAndLeather: Say something once, why say it again?.
20:08, 15 August 2013 (UTC)
- I'm sure people made fun of Dean Martin's drinking though I read that much of it was an act. You got some jabs about my list. Again, this wiki celebrates alcohol and Hichens—drunk atheist hero—even lying about him hating everybody—to better add to the drunken curmudgeon rep I suppose.
Talk to Civic Cat 20:47, 15 August 2013 (UTC)
Hey PSL (or anyone else reading this), you apparantly like Talking Heads. What do you think of Severed Heads (All Saints Day)? For what it's worth, I like it more than most TH songs (as worthy as are TH). Would I be presumptuous in saying you like country? If not, what do you think of this this (The Highest Order) (Rainbow of Blues, that is). I suppose it would be a bit like Cowboy Junkies if Margo Timmins sung like Marlene Dietrich (here doing a cover of "Where have all the flowers gone").
Talk to Civic Cat 21:14, 15 August 2013 (UTC)
Question[edit]
Is this conversation all about the ridiculously sexist "essay" "what politically evil bimbo would you fuck?" or some such? do you really think that's something about RW we want to HIGHLIGHT? and on a feminist page?
Godot The ablity to breath is such an overrated ability 21:21, 15 August 2013 (UTC)
- Nah, it's just about Civic Cat being precious & wasting everybody's time. & Something about alcohol for some reason. Wěǎšěǐǒǐď
Methinks it is a Weasel 21:29, 15 August 2013 (UTC)
- Ah. ok.
Godot The ablity to breath is such an overrated ability 21:30, 15 August 2013 (UTC)
- Yeah, let it not be known that RW'ians objectify women.
Talk to Civic Cat 21:42, 15 August 2013 (UTC)
- ....and feed trolls. PowderSmokeAndLeather: Say something once, why say it again?.
22:22, 15 August 2013 (UTC)
Yeah, if by "feed trolls" you mean "address legitimate concerns."
As for the alcohol, it's that essay about you guys not really being rational you cite, then your "drink", on top of the aforementioned bits about alcohol. Maybe Weaseloid might try reading this sub-heading (now two sub-headings), huh. Or would that be feeding the troll? [Added later for WaitingForGodot: this is the essay, Essay:Evil, but Hawt!. The problem wasn't so much whether it should be in an article about sexual objectification, but that when I put it in Weaseloid reverted it without an edit summary. But while we're at it, what say you? Does a link to a page where RW'ians are generally objectifying women belong in a page on sexual objectification, or should it be swept under the rug?
I hate people when they're not polite23:48, 15 August 2013 (UTC)]
Again, Weaseloid. All you had to do was give me a 7-worded edit summary when you reverted my edit and all of this could have been avoided.
I hate people when they're not polite23:09, 15 August 2013 (UTC)
- I'd say "i'm sorry" but i really don't get it. You were reverted without comment. happens all the time around here. I assume you took it to talk page (don't know or care really) - so i'm just not sure what the butthurt is about?
Godot The ablity to breath is such an overrated ability 00:10, 16 August 2013 (UTC)
- As for teh specific essay, it embarrasses me that it was written here, but it's not surprising. people say and do stupid ass things all the time. and you get on a band roll and add your own. and giggle and say "this is funny". The point of feminism, to me isn't to assume people don't do dumb shit, but to assume they don't do it often, and aren't overtly proud of it after the fact. hence the reason I don't think it would belong in an article about objectification. yes, that's exactly what the guys here did. But highlighting it says "and we don't fucking care if we did it".
Godot The ablity to breath is such an overrated ability 00:12, 16 August 2013 (UTC)
- I probably should, but this has some context. I try to comment on summaries when I revert or remove stuff.
Talk to Civic Cat 00:15, 16 August 2013 (UTC)
- Oops. Edit conflict occurred when I posted my last. As for your last post, their implied apathy would be telling, informing. Anyway, I gotta go soon. Just enough time to listen to Hanna Georges (link above). I'll contine later. Cheers.
Talk to Civic Cat 00:21, 16 August 2013 (UTC)
I'm back. First off, I re-read some of my posts and noticed some minor grammatical and spelling errors, though the worst error is I put in "talk" pages when I meant user sub-pages; but the rest is reasonably accurate. According to this here page, Help:Edit summary, it says, "Always fill in the summary field. This is considered an important guideline. Even a short summary is better than no summary. An edit summary is even more important if you delete any text; otherwise, people may question your motives for the edit." I'll read the whole page later. A head's up to Weaseloid: I'll be putting the link to the essay back into the page in question again, but this time I will also post in the talk page. Cheers.
Talk to Civic Cat 19:12, 20 August 2013 (UTC)
3 months later[edit]
Okay, it's been almost 3 months. I'm not going to say I'm sorry about the above because I stand by a lot of it, and of course I'm not expecting apologies from you or PSL, because I took you guys to task in my part-rational argument, part-rant, part going-off-tangent. Actually the King Lear bit was a bit funny as I think of it now. I never really got into Shakespeare, but let me guess, this Lear character was likely played with great drama. (Click this WP meta-article: wp:Wikipedia:Drama—I got a kick out of it the few seconds I saw it.) I hope and trust that my words didn't hurt you guys so bad—somehow I get the feeling they didn't: so again, I won't apologize, but I'll try to keep my rants against youse guys as minimal and infrequent as possible—ideally non-existent. I'll try to be a Vulcan—minus the repressed emotions—yeah, I'm going to act like a frikin' Vulcan. ("Excuse me, but your action was erroneous." "Piss off!" "Hmmp: fascinatingly illogical.")
I might have made a bit too much about the alcohol and yeah, there's likely an even greater amount of hypocrisy on my part as I did similar on Yahoo! Answers—though again, it wasn't in attack save for religions and maybe the big and bad. Ramadan section—de facto Islamic section—" No alcohol?!? Not even a few swigs to help me steady my shakey hands?" I suppose in time I'll post links to them here (most if not all, as my account there was suspended) in my user page. (Note to RWW'ians: Yahoo! Answers was the only site on my user page I was suspended on. You'd realize this if you actually had clicked the external links to them—suspended accounts tend not to be active (or at least merely dormant)). If by precious, you mean pretending moral superiority over references to alcohol, yes, I guess I was—still, a night with an alkie is generally a night wasted.
Btw, thanks for the edit summaries you guys are using on Andrew Jackson and Brazil. I checked wp:Pontiac's War and it confirms what PSL says—I read the article not because I doubted him, as much as I wanted to figure it myself. I think I heard it elsewhere besides AJ, and it wasn’t in the wp:Andrew Jackson article. I could have sworn heard it from a Cherokee over 10 years ago on a radio show about AJ, so yes, PSL obviously corrected my error. Also, in the Brazil article, I was half-right, Weaseloid go the other half.
Finally (for this edit at least) I reiterate my high opinions of the both of youse—and you too Godot.
Talk to Civic Cat 23:48, 22 November 2013 (UTC)
Nice work.[edit]
You are the Troll Killer. PowderSmokeAndLeather: Say something once, why say it again?.
19:13, 17 August 2013 (UTC)
- Cheers.
Wéáśéĺóíď
Methinks it is a Weasel 19:14, 17 August 2013 (UTC)
- Who was the troll he killed, PSL?
Talk to Civic Cat 18:26, 20 August 2013 (UTC)
Alphabet[edit]
I'd ask you to take another look. - Smerdis of Tlön (talk) 05:32, 24 August 2013 (UTC)
- Seems pretty miscellaneous, & not massively relevant to the site missions. Weaseloid
Methinks it is a Weasel 19:22, 2 September 2013 (UTC)
VenomFangX[edit]
Good change.--
talk
19:14, 2 September 2013 (UTC)
- Thanks. I started looking at which sections to cut, but figured 'all of it'. If there's anything much worth saying about the guy, it'll get written (hopefully in less detail), & it seems too small a subject to waste much time agonising over. Wëäŝëïöïď
Methinks it is a Weasel 19:18, 2 September 2013 (UTC)
That upload[edit]
As far as I'm concerned, that's the same as editing someone's post. In fact it is. No one can tell from the post it was you who uploaded that shit. –Александр(а) (Talk | Contribs | Ragebox) 03:35, 3 September 2013 (UTC)
- That's what makes it funny. Wēāŝēīōīď
Methinks it is a Weasel 06:47, 3 September 2013 (UTC)
- Right. So impersonating you would be funny. Good to hear it. You've seemed to be one for double standards. Gender Identity Disorder is hate but I need to tolerate anti abortion misogynists. –Александр(а) (Talk | Contribs | Ragebox) 13:45, 3 September 2013 (UTC)
- Impersonation is dickish. — Unsigned, by: Inquisitor Ehrenstein / talk / contribs
- you're a humourless sod. Wėąṣėḷőįď
Methinks it is a Weasel 17:35, 3 September 2013 (UTC)
Thanks[edit]
–Aleksandr(a) Ehrenstein, Jewish Bolshevik 20:28, 5 September 2013 (UTC)
Moroning[edit]
Ooops. Sorry. I just checked WP. My error. Sorry.
Talk to Civic Cat 17:33, 18 September 2013 (UTC)
You have new messages at Talk:Moral equivalence
Fasting = Health woo?[edit]
Can you link me where exactly Rational Fasting and Dr. Arnold Eheret are listed under Health woo, as well as with substantial counter claims? Thanks. ~Æ (talk) 01:58, 22 September 2013 (UTC)
- "As a form of health woo; fasting is claimed by its proponents to cure all manner of diseases and ailments, up to and including cancer, and cleanse the body of toxins." We don't need to list every example individually. ωεαşεζøίɗ
Methinks it is a Weasel 02:06, 22 September 2013 (UTC)
One of the things that always bugged me about CP...[edit]
...was the way sysops would pat each other for blocking someone ("Nice block on that vandal!") as though power-tripping while clicking a mouse is a great feat. So, notwithstanding my feelings on that sort of thing, nice delete on that article. PowderSmokeAndLeather: Say something once, why say it again?.
15:49, 22 September 2013 (UTC)
- Eh, one or other of us was going to do it anyway sooner or later. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 15:50, 22 September 2013 (UTC)
Titanic[edit]
I would have thought that the conspiracy theories surrounding Titanic (such as it was actually her sister ship that sank) would be totally on-mission for the wiki? --PsyGremlinПоговорите! 11:02, 8 November 2013 (UTC)
- So bring it up on the talk page, or write an article on the subject. The stub that was deleted wasn't much use to anyone and was nominated for deletion for over two months with no moves towards keeping or improving it. Weaseloid
Methinks it is a Weasel 18:27, 8 November 2013 (UTC)
Saloon Bar[edit]
Why are you deleting the post with the gun control image link? Tielec01 (talk) 07:46, 18 November 2013 (UTC)
- I can't see anything racist in the picture - can you point to me the bit that is racist? Tielec01 (talk) 09:09, 18 November 2013 (UTC)
- Then check the page history & the other crap posted by that guy. & Stop putting it back unless you actually intend to respond to it, which I don't advise, as per DFTT. Wëäŝëïöïď
Methinks it is a Weasel 09:35, 18 November 2013 (UTC)
- Sorry, I didn't realize what the link was earlier when I added {{unsig}} to it, or else I'd have removed it myself. Reckless Noise Symphony (talk) 10:39, 18 November 2013 (UTC)
- Ok so I checked the guys contributions (an extensive list) and there is nothing racist. I have no idea how you check the page history of a image so I'll assume you are talking wikifu outside of my belt. However, it does occur to me that you might be acting deliberately obtuse and making me run around like a fucking retard because you are too embarrassed to admit you were wrong - so please disabuse me of this notion and show me how I don't know what I'm doing. In the meantime I will continue to restore what seems to me is a good faith, even if misguided, contribution. Tielec01 (talk) 11:23, 18 November 2013 (UTC)
- FFS, here you go: [8], [9], [10], [11], [12], [13], [14], [15], [16]. Good faith contributions, in a pig's eye. Wèàšèìòìď
Methinks it is a Weasel 14:01, 18 November 2013 (UTC)
- Probably just someone getting a kick out of provoking RW with minimum effort links and inconsistently varying degrees of bad grammar/spelling. Nullahnung (talk) 14:39, 18 November 2013 (UTC)
Fair enough, some of them are pretty shitty. My apologies. Tielec01 (talk) 00:36, 19 November 2013 (UTC)
Spambots can't do math[edit]
Justine Brodney was married when she was 13 years old, apparently. Godspeed (talk) 01:11, 28 November 2013 (UTC)
- Strange and terrible things happen in Birley. Щєазєюіδ
Methinks it is a Weasel 01:20, 28 November 2013 (UTC)
Blog[edit]
Meant to go back and do that, got distracted by coffee. PowderSmokeAndLeather: Say something once, why say it again?.
15:58, 30 November 2013 (UTC)
"Homosexuality" and MGTOW[edit]
Two ways to look at it: 1. It's a bit of adolescent fun; 2. Strictly speaking, it's a movement made up of people all from one sex, therefore, it's a homosexual movement. I know the more accurate term is "homosocial," but see reason 1. PowderSmokeAndLeather: Say something once, why say it again?.
00:52, 7 December 2013 (UTC)
- Meh. I don't really agree. I doesn't belong in a category made up of articles actually relating to homosexuality. Wẽãšẽĩõĩď
Methinks it is a Weasel 12:22, 7 December 2013 (UTC)
Abuse against Enlightenment Liberal[edit]
State your case here. Explain what claims in the article are not supported by his statements. Sturmwächter (talk) 23:15, 13 December 2013 (UTC)
- I would prefer not to, as I don't want to become involved in that site at all. I will leave it to your own conscience & content policies. FYI, the discussion that Sasha alludes to & quote-mines (but doesn't cite) can be found here. I do think that his summary of EnlightenmentLiberal's comments as intent to rape a (hypothetical) person constitutes libel. Щєазєюіδ
Methinks it is a Weasel 10:49, 14 December 2013 (UTC)
Why[edit]
did you delete Qarawiyyin university? Pass a Method (talk) 13:32, 21 December 2013 (UTC)
- Because it only contained about twenty words, none of which had anything to do with RW's site missions. Weaseloid
Methinks it is a Weasel 16:30, 21 December 2013 (UTC)
- You could have added a stub tag since Brigham Young University besides others also exist. Pass a Method (talk) 16:56, 21 December 2013 (UTC)
- We're not going to have articles on every university in the world. what makes Qarawiyyin relevant? PowderSmokeAndLeather: Say something once, why say it again?.
17:14, 21 December 2013 (UTC)
- Its the oldest university in the world. Pass a Method (talk) 17:39, 21 December 2013 (UTC)
- Good for them! How is it relevant to the mission? PowderSmokeAndLeather: Say something once, why say it again?.
17:42, 21 December 2013 (UTC)
- It would give us a relevant wikilink if we are trying to analyse scientific know-how in medieval times. Pass a Method (talk) 19:58, 21 December 2013 (UTC)
- We don't need to link to every noun in every article. If people are curious about the place, they can google it themselves. PowderSmokeAndLeather: Say something once, why say it again?.
19:59, 21 December 2013 (UTC)
- Okay, how about i recreate it while keeping RW:MISSION in mind? Pass a Method (talk) 20:25, 21 December 2013 (UTC)
- Why? What will it say? Wėąṣėḷőįď
Methinks it is a Weasel 21:31, 21 December 2013 (UTC)
Rape Culture.[edit]
Yes it does.— Unsigned, by: A Real Libertarian / talk / contribs
Not a dictionary[edit]
Can you please explain to me why a page detailing the irrational fear of iconography and/or symbolism is unacceptable on a "rationalwiki?" — Unsigned, by: Bloomingdedalus / talk / contribs
- On talk pages, please sign your comments using four tildes (~~~~) or by clicking on the sign button:
on the toolbar above the edit panel. You can also indent successive talk page comments using one more colon (:) for each line. Thank you. Twenty words isn't a page. The articles you link to above actually say things about stuff. Your "page" didn't. Wẽãšẽĩõĩď
Methinks it is a Weasel 00:09, 2 January 2014 (UTC)
- Well, I'm sorry. I hit "save page" rather than show preview while working on it. Iconophobia is a very common feature of religious people and areligious people. I suggest doing a google search for "Iconophobia site:.edu" to illustrate its applicability to the subject matter. Bloomingdedalus (talk) 00:12, 2 January 2014 (UTC)
Libel[edit]
Meet me at gamer-net.sturmkrieg.com for a private conversation. I'm considering removing that page you complain about. –Inquisitor Sasha (talk) 18:49, 8 January 2014 (UTC)
- No thanks. Ŵêâŝêîôîď
Methinks it is a Weasel 20:28, 8 January 2014 (UTC)
Hey. Hey, hey hey, hey. Hey.[edit]
Hey. Since you do not have wiki e-mail enabled, can you please shoot a blank e-mail to powdersmokeandleather at gmail? In the words of Tom Waits, "I wanna pull on your coat about something." PowderSmokeAndLeather: Say something once, why say it again?.
22:33, 8 January 2014 (UTC)
- Done. Wẽãšẽĩõĩď
Methinks it is a Weasel 22:43, 8 January 2014 (UTC)
Rome)
short articles[edit]
Hi, I think we should keep pages even if they are only short articles, they should be separate as they are notable. I'm happy for them to be expanded but I will be voting to keep these pages anyway.--Darrelljon (talk) 12:38, 26 January 2014 (UTC)
- there is more information at --Darrelljon (talk) 12:40, 26 January 2014 (UTC)
- Something that's only twenty words long isn't an article. It's wasting readers' time if they follow a link to a page like that, thinking that it is an article page. Wẽãšẽĩõĩď
Methinks it is a Weasel 14:11, 26 January 2014 (UTC)
- How come a number of these articles were deleted with no further discussion from other users?--Darrelljon (talk) 22:33, 3 February 2014 (UTC)
- Because they were short & rubbish, as outlined here, & other users didn't object to such "articles" being vaporised. ωεαşεζøίɗ
Methinks it is a Weasel 00:16, 4 February 2014 (UTC)
- Is this normal on Rationalwiki as on Wikipedia speedy deletion (bypassing the usual deletion discussion on a particular page) is done according to policy? I can understand why stubs such as articles on California might not need discussing individually, but not stubs relating to articles that would otherwise be notable for rationalwiki.--Darrelljon (talk) 19:31, 4 February 2014 (UTC)
Cato[edit]
I thought the Cato edit at line 6 was reasonable. What do you think? The rest I have no feelings on.--Barryjon (talk) 19:34, 27 January 2014 (UTC)
- He/she removed various things from the page, while only giving a reason for one of them. I don't really care one way or the other about the gay bars being namechecked. Ŵêâŝêîôîď
Methinks it is a Weasel 19:38, 27 January 2014 (UTC)
- The rest may have been dishonest and wasn't included in the message, agreed. But I don't get the gay reference. It seems arbitrary and without an explanation it is probably a bit homophobic. Happy to continue this discussion at the Cato page but nobody else seems to care :-S --Barryjon (talk) 19:41, 27 January 2014 (UTC)
- Having looked at the maps on those bars' sites, I see they're nowhere near each other, so I don't know why they're being mentioned at all. If they were right next to the Cato Institute (which I thought was the intended meaning) it might be worth mentioning, but otherwise I don't see what the point is, so I've taken it out. Wẽãšẽĩõĩď
Methinks it is a Weasel 20:00, 27 January 2014 (UTC)
Darrell Huff[edit]
Hey Weaseloid. I want to clarify why Darrell Huff is on-mission. He wrote a book called How to Lie with Statistics, which is all about how people misuse statistics so as to create falsehood. I have restored the page, and I will go now to edit it to this make this clearer. Rand0 (talk) 08:12, 28 January 2014 (UTC)
- Hmm, so now it's three lines long instead of two, & there's still nothing that links to it. If you've nothing else to say about this guy, then put it in the statistics article or somewhere else relevant. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 08:57, 28 January 2014 (UTC)
"This user's IQ is a flock of angry weasels."[edit]
No! That just... cannot be done. Arrgh! The computer rejects it. What would Watson think? How would it process that? Reasoner (talk) 19:51, 30 January 2014 (UTC)
Burkean[edit]
The guy is a crank, read his Mel Gibson tirade here and his belief that pre-war pacifists were Nazis in disguise. Osaka Sun (talk) 20:18, 1 February 2014 (UTC)
Many of the people who called for appeasement did not and would not like a Nazi regime. That's part of the irony, you see? People who would never want to live under Hitler were calling for appeasement. That's not really saying they're Nazis. So again, you're dishonest. As for my "tirade", what I actually said was that the left weren't the only ones who engaged in what is considered sexual deviance, aka the conservative Mormons who practice polygamy. I also said that while Mel Gibson could certainly be thought of as misogynistic, he might have just been really drunk. Why the hell would that piss you off? Burkean (talk) 04:00, 6 February 2014 (UTC)
- So what? That doesn't justify a month-long rage-block. Or any length of block, as far as I can see. Wēāŝēīōīď
Methinks it is a Weasel 01:50, 2 February 2014 (UTC)
You're obnoxious and you don't regret it. No surprise there. I love the rationalization "psy did it so why can't I. Waaahhh!". What are you, 4? Burkean (talk) 04:00, 6 February 2014 (UTC)
You mean the part where you claimed that comparing the tactics of Obama with Hitler is the moral equivalent of comparing the strategy of Obama with Hitler? Yeah, you're right. You were completely stupid there. Burkean (talk) 04:00, 6 February 2014 (UTC)
Clog WIGO[edit]
The issue isn't that I don't understand it; it's that the WIGO is entirely wrong. The article says nothing objectionable, let alone what the WIGO claims it says, and it doesn't disagree with its source. I apologize for commenting it out if that wasn't the right thing to do, but my understanding about the voting was that it was more a comment on the content of the WIGO as opposed to its validity. - Grant (Talk) 19:35, 2 February 2014 (UTC)
- I've posted my comments about the WIGO already on the talk page. Liberalaland does claim Obama was "incorrect" to cite the wage gap as $0.77 to the $, then links to a webpage giving exactly the same summary. And Liberaland is incorrect (as far as I can see) in stating that it is only "professional white women" who make 77 cents on the dollar: the cited report shows that white women make $0.78 to each $1 earned by white men specifically, while non-white women earn less than this, but so do non-white men. As I said on WIGO talk, I can't see how these figures work out at $0.77 to the $1 overall, but I'm not much of a statistician & obviously only looking at the headline stats here & not the source data & other ways it could be sorted. Meanwhile the report confirms that the wage gap across the baord is women earning an average of $0.77 to the man's $1, and I see no reason to doubt that unless it csn be shown to have been calculated incorrectly. Weaseloid
Methinks it is a Weasel 20:18, 2 February 2014 (UTC)
just wanted to say[edit]
Thanks for sticking up for me, weaseloid. Class act, appreciate it. :) Burkean (talk) 04:07, 6 February 2014 (UTC)
Junk[edit]
You deleted my contribution with no more reason than "junk". Can you explain what you mean by "junk"?Forces (talk) 17:08, 13 April 2014 (UTC)
Aww poor baby ...[edit]
Removing what I'm saying to you? You do realize RW is going to suffer bigtime for that false article right?
Here[edit] - That'll have stuffed added to it and climb the SEO charts like you morons are doing to others.
Apology and question[edit]
I am sorry for the misunderstanding the mission, sir. I pinkie promised it would not ever happen again. I been looking up a page about Andrew Schlafly and see that he have a full birthday date. So I thought to add that info into Kevin article. Citation 3 given away his age and Citation 55 confirmed his full name. The information is already there. --Daniiieeeel (talk) 00:26, 17 May 2014 (UTC)
- Also I am so not sure, the Above Top Secret have mention he is 28 in 2013 and this page is still publicly available. So what is wrong with the info? --Daniiieeeel (talk) 00:34, 17 May 2014 (UTC)
- Lastly, his brother already told me he's 10 years years older than me in a Skype Call, so I do not think it is cyber-stalking. If Kevin is his twin, that would of mean they're almost the same age. --Daniiieeeel (talk) 01:37, 17 May 2014 (UTC)
The new mayor of NYC is your friend.[edit]
Seriously. Father Vivian O'Blivion (talk) 17:05, 2 June 2014 (UTC)
- Neat! Good news for New York. Wéáśéĺóíď
Methinks it is a Weasel 17:29, 2 June 2014 (UTC)
what the hell[edit]
is this thing you have added to the wiki and why does it have to exist?--Miekal 02:56, 8 June 2014 (UTC)
RE: Manifesto[edit]
Honestly I think you covered most of what I would have included, right down to his preoccupation with throwing drinks at people. The only other things I can think of at this time is a section on his classism (i.e. his "british aristocracy" spiel and his horror/contempt for anything beneath his ultra-privilaged bubble) which could well be rolled into the "magnificent gentleman" section, and maybe a few paragraphs discussing the contents of said manifesto (especially the last few pages where he "concisely" sets out his views on life, the universe, and women) and how it relates to established loveshy/pua dogma. In particular I remember being reminded of infamous loveshy bigwig/psychopath and all-round revolting POS Fschmidt (if you dont know who that is, check him out on FSTDT, hes one of the most repulsive contributors of quotes) as well as several other loveshy "intellectuals'" plans/wank-fantasies for their perfect new loveshy order, right down to enslaving all non-loveshy men and forcing all women to be breeder sows when reading that part. Indeed Fschmidt and co were praising him and hoping he murdered "the right people" mere hours after the shootings while heartily agreeing with his idea of a "perfect" society. Judge HoldenThe Judge Smiles 12:24, 8 June 2014 (UTC)
- Oh yes, and I think there definitely needs to be a section on the insane amount of wealth, privilege, and opulence he spent his life immersed in (and which he detailed with loving verboseness right down to the sausages on the fucking buffet table at his 5 star hotel he stayed in during in his regular trips to London) contrasted with his constant whining about how hellish and terrible his life is. Judge HoldenThe Judge Smiles 12:31, 8 June 2014 (UTC)
- Feel free to add any of that. For now I've concentrating on the 2014 Isla Vista killings article itself. There's a lot of important stuff to be added, like accounts from people who knew Rodger (online or IRL), the various reactions from the MRA/incel manosphere (ranging from idolisation to disowning him), the gun control debate & Joe the Plumber, and the usual "crisis actors" crap about the shootings being hoaxed. Wèàšèìòìď
Methinks it is a Weasel 12:46, 8 June 2014 (UTC)
- Ok then, ill try to add in more detail of his classism/obsession with his opulant life tonight/tommorow after work. It will take a bit of time gathering up sauces for loveshy reactions as well as similar manifestos from "big name" loveshies so I will try to do that somepoint next week (by which point someone would hopefully have beaten me to the chase and freed me from dredging a few dozen loveshy sites.) Judge HoldenThe Judge Smiles 13:01, 8 June 2014 (UTC)
- As long as it doesn't cross over into obsessive detail, that's fine. We don't want to draw any more attention to the killer than is necessary to discuss the psychopathic misogyny (otherwise we'll be just as bad as the media). Nullahnung (talk) 13:09, 8 June 2014 (UTC)
lols Are Strictly Forbidden, Good User![edit]
--A Real Libertarian (talk) 00:43, 17 June 2014 (UTC)
- That doesn't sound very libertarian. Wẽãšẽĩõĩď
Methinks it is a Weasel 00:45, 17 June 2014 (UTC)
My edit[edit]
What is wrong with my edit? Does that attack not fit into the article? Is there a place on this site where it would fit better? — Unsigned, by: I hate MRAs / talk / contribs
- Discuss it here. The people you're defaming as MRAs have been users of RationalWiki for upward of five years and are not MRA. Wėąṣėḷőįď
Methinks it is a Weasel 07:31, 18 June 2014 (UTC)
- Are you sure they aren't MRA? I thought that that was the official story? Are you active on the RationalWiki Facebook? I hate MRAs (talk) 07:33, 18 June 2014 (UTC)
- No, I'm not. But none of the accounts I've seen (from involved parties on both sides of schism) support the view that it was the work of MRAs. If that's the "official story", I've no idea who is putting it about or making it official. Please read the discussion I linked above: the guys who gutted the old FB group give their reasons for doing so. If you have questions or want to take sides, do it on that page. Please keep it out of our article pages. Wẽãšẽĩõĩď
Methinks it is a Weasel 08:01, 18 June 2014 (UTC)
Anecdotes/Coincidence essay[edit]
I was editing it at the exact same time as you, and there was an edit conflict. What a coincidence! :)--Кřěĵ (ṫåɬк) 23:21, 2 July 2014 (UTC)
Thank you for the Hyde Amendment info[edit]
Sorry, I didn't mean to sound anti taxation, I think cancerous solipsistic capitalism will probably be the death of us all. I find it deeply disturbing there's no mention of the Hyde Amendment on the Wikipedia article for abortion. As a former and hopefully future Wikipedian, I wonder what else is Wikipedia not telling us? Amateur Encyclopedist (talk) 19:30, 9 July 2014 (UTC)
- Yeah, I know you didn't intend to be anti-taxation, but the argument "if we object to X, we shouldn't have to fund it through our tax dollars" kind of plays into the anti-tax rhetoric. Re Wikipedia's articles, the Hyde Amendment is covered within WP:Abortion in the United States. I'm not sure that it would be appropriate within the main WP:abortion article as a global overview article. ωεαşεζøίɗ
Methinks it is a Weasel 21:15, 9 July 2014 (UTC)
Godot's new account[edit]
If all parties involved are comfortable with this, would you mind please specifying this new account, so as to satisfy my
nosiness curiosity? Thanx braaaaah. 101.168.127.245 (talk) 07:28, 17 July 2014 (UTC)
- Who are you? Ŵêâŝêîôîď
Methinks it is a Weasel 08:19, 17 July 2014 (UTC)
- Me on a friend's phone so as to evade my self-imposed block. Messiahsock1 (talk) 09:13, 17 July 2014 (UTC)
Thank you....[edit]
..For removing that crap from my talkpage. There seems to be this weird idea amongst some users that my "RationalWiki doesn't welcome pedophiles!" stance is negotiable. You know, as do I, that nothing could be further from the truth, and I will continue to put the screws to this asshat until he goes away. Reckless Noise Symphony (talk) 09:50, 6 August 2014 (UTC)
- I'm pretty sure he should be leaving now; it sounded like he understood that most of us find his views abhorrent and don't want to hear them, and, from the looks of things, he has calmed down quite significantly, so I'm hoping we aren't going to see much of him again. MĖSSIÅH ØF DØØM Suffer! Bastard!
10:48, 6 August 2014 (UTC)
- "There seems to be this weird idea amongst some users that my "RationalWiki doesn't welcome pedophiles!" stance is negotiable." I haven't seen anyone actually say that they have this idea. I don't know who you could mean. Nullahnung (talk) 11:29, 6 August 2014 (UTC)
- It's a bit of a rhetorical straw man. Some users (myself included) argued that a person who showed tendencies towards paedophilia shouldn't be banned. Read through the chicken coop if you want further elaboration; it's a complicated issue and no-one was overly sorry when that user was eventually banned. I assume this is what RNS is referring to. Tielec01 (talk) 03:14, 7 August 2014 (UTC)
- I was referring to Brx's earlier accommidationism and this Doxys Midnight Runner person who appeared on my talkpage who were saying "let's debate them," as well as, and specifically to, the people in the talkpage post that Weaseloid erased. Reckless Noise Symphony (talk) 05:24, 7 August 2014 (UTC)
- Well, sorry if I gave the wrong impression. I've wanted to stay as far away from this whole thing as possible after my initial post under Doom Messiah's. It's just that I tend to respond when spoken to and for whatever reason the BoN felt like targetting me. Nullahnung (talk) 10:36, 7 August 2014 (UTC)
- Apologies. Haven't been paying much attention to that scenario. I'll refrain from putting words in your mouth. Tielec01 (talk) 05:43, 7 August 2014 (UTC)
The cause of "righteous justice"[edit]
It's badly ironic that a site called RationalWiki is talking about their no-compromises intolerance against a naturally occurring kind of human. My calmness is directly proportional to how reasonably you behave towards me. For instance removing texts into which I collectively poured hours of work and have paid attention to only give good scientific and professional citations, to not fall for any fallacies in my reasoning, to remain relatively calm even against the most aggressive people, removing these without even giving a proper rationale or addressing even a single argument put forth in them or showing any of the given citations to be faulty, and then putting up censors that prevent me both from reposting these texts and from creating new ones on the same topic by filtering common words and citations I use, is not to be expected to help me remain calm. I'm already being overly tolerant towards your behavior. I don't know how much time you people have at your hands, but unfortunately I still haven't retired, and it will take a lot of time to "fight" against your intolerance in more powerful ways. If you continue like this I WILL look into ways to do it though; if you agree to tolerate my existence and accept that many of my arguments are essentially sound (and explain my why the rest aren't), we can progress. 95.211.60.34 (talk) 18:58, 7 August 2014 (UTC)
- How about you register an account, because you seem to think there's hate for you, when really people are just used to stripping random anon IP whining from talk pages.
- The fact that your opinions, after some review, are wrong, doesn't counter the above point. Ikanreed (talk) 19:18, 7 August 2014 (UTC)
- Someone like RNS or Mikeal will just come along and ban the account again, eventually. On that topic, is there a history log of the removed talk page of the banned account "Drotsky"? Looks like it was removed permanently? I separately archive all the lengthier posts I make here for future reference, but I don't archive people's responses.
- Oh and, if you can explain to my how my opinions are wrong, that would be great. :-) 128.204.203.103 (talk) 20:42, 7 August 2014 (UTC)
- You've been told repeatedly that pedophile advocacy isn't something we welcome or are prepared to host on our site. Again, as I've told you before, I think you will find websites open to this sort of thing, but RationalWiki isn't one of them. You are repeatedly evading bans and abuse filters to post the same things you have been banned for. This is not acting in good faith, and your threats to "fight" are certainly unwelcome. Quit playing the victim and find somewhere else to play. Wēāŝēīōīď
Methinks it is a Weasel 22:19, 7 August 2014 (UTC)
Clarification?[edit]
Was that "how about no" directed at me? You changed other stuff that should be deleted (and wasn't me), so I'm not sure where your comment was directed. MarmotHead (talk) 20:16, 18 August 2014 (UTC)
- I removed instructions & sources for accessing child porn, as posted by anon. I thought these comments had been deleted previously but apparently not. I don't know why it would have anything to do with you. Wèàšèìòìď
Methinks it is a Weasel 20:23, 18 August 2014 (UTC)
- Just a coincidence of timing in that I'd also just edited the talk page. Cool, then I'll take my unjustified paranoia somewhere else. MarmotHead (talk) 20:25, 18 August 2014 (UTC)
Would you please e-mail wikipedia's Arbcom and say I'm a constructive editor over here?[edit]
I would deeply appreciate, one reason being so I can see how much copy pasta taken from rational wiki they reject. Wikipedia still doesn't mention sexism in drug testing on any relevant page (even sexism), and someone needs to add where the term African American was first widely used by Malcolm X's Organization of African-American Unity. That's slightly different from coining the term, but people who only popularized terms normally get mentioned in linguistic histories as well. I actually do care about wiki projects, I just got a little carried away doing categorization spree's and didn't know about point of view wikis like this one, where racist and homophobe are actual categories. Amateur Encyclopedist (talk) 17:14, 31 August 2014 (UTC)ωεαşεζøίɗ
As promised[edit]
For services rendered: [17] --"Shut up, Brx." 23:54, 22 September 2014 (UTC)
huh[edit]
[18] - why? Hipocrite (talk) 18:40, 9 October 2014 (UTC)
- Because it makes the article look like shit. Ŵêâŝêîôîď
Methinks it is a Weasel 18:44, 9 October 2014 (UTC)
- Ok. I think it's important to debunk the argument that the movement isn't what we say it is. I'll write a more fullsome section about how they have done approximately fuck and all to do anything about actual problems in game journalism, and that their targets have. Hipocrite (talk) 18:53, 9 October 2014 (UTC)
TERF[edit]
What I mean is the tactics and rhetoric are the same (posting nudes, doxing, threatening people and publicly hoping they kill themselves, linking up with other hate groups with complete dissimilar goals, shutting people out of group events with threats of violence, etc) and it comes from the same angry, entitled gatekeeping mentality that group X aren't true gamers / women and are trying to ruin everything, and so deserve whatever shit can be thrown at them. It'd probably serve as an interesting exercise to compare just how identical the two movements actually are. King Skeleton (talk) 23:05, 16 October 2014 (UTC)
- Aren't you the guy who already drew parallels with ISIS? Yeah, your comparisons aren't actually that helpful. Wéáśéĺóíď
Methinks it is a Weasel 23:10, 16 October 2014 (UTC)
- First I didn't (analogies don't work that way), second this has nothing to do with that anyway, and third you didn't address anything I just said. King Skeleton (talk) 23:14, 16 October 2014 (UTC)
Et Tu Brute?[edit]
Good thing we all cease to exist when we die, (a different non existence than that first one) or else we might be reincarnated as someone who can no longer read that info. Oh the many atheism's. Exiled Encyclopedist (talk) 02:02, 22 October 2014 (UTC)
₩€₳$€£ΘĪÐ
Methinks it is a Weasel 07:48, 22 October 2014 (UTC)
- Weight of the worlds on his shoulders; Atlas here shrugged. Also, this is now up for discussion at the chicken coop, where I will be preparing a jury of my peers as well. Exiled Encyclopedist (talk) 15:34, 23 October 2014 (UTC)
Your edit on Bible contradictions.[edit]
"(Undo revision 1377818 - The Gospels say different things. That's what a contradiction is. There are ways of explaining it away, which might be valid, but it's still an apparent contradiction.)"
Genealogies that show a separate line are not in opposition of each other you thick-headed dopey cunt. One shows the mother's line, the other the father's. There is no contradiction, there would be only if they were both telling us of the father's line. Before you rollback or make a change, read the talk page and make your point in there. Because relying on your ignorant statement shows your lack of thought, knowledge and understanding. Thank you. RoryWatt (talk) 17:17, 28 October 2014 (UTC)
DeadManWonderland[edit]
I've already vandal-binned them, no need for a block.--ZooGuard (talk) 19:35, 11 November 2014 (UTC)
- Why? He's not any kind of contributor. Edit warring that article is literally all he does. For seven months now. A vandal brake will make no difference whatsoever. Ŵêâŝêîôîď
Methinks it is a Weasel 19:39, 11 November 2014 (UTC)
- By the same logic, a 3.6 day block won't make any much difference either. Feel free to re-block, I just wanted to give you a heads-up if you haven't noticed my application of the brake.--ZooGuard (talk) 19:46, 11 November 2014 (UTC)
- Fine. Next time it happens I'll block him for 3.6 years. Wéáśéĺóíď
Methinks it is a Weasel 19:52, 11 November 2014 (UTC)
- You could block him for π years, but that would be irrational. ProblemChimp (talk) 22:48, 12 November 2014 (UTC)
Over here[edit]
In your own time, of course... Robledo (talk) 04:31, 17 November 2014 (UTC)
Tag![edit]
Just thought I'd open up the conversation on the robot article here, as I've made my point on the articles talk page and you have not. I would like to hear your reasons for continuing a needless edit war that you know you will lose, just look at AI box experiment, LessWrong and Roko's basilisk. If keeping the mission template you know is wrong template makes you feel better about being here longer than me; than you can have it, what ever makes you feel the slightest bit happier. Exiled Encyclopedist (talk) 06:17, 22 November 2014 (UTC)
Your revert at War on Drugs[edit]
Hi, you reverted me at War on Drugs. Did I do something wrong? --Ymir (talk) 17:03, 22 November 2014 (UTC)
- No, I must have clicked against that edit by accident from recent changes while editing from my phone. Sorry. Wẽãšẽĩõĩď
Methinks it is a Weasel 12:09, 23 November 2014 (UTC)
Hey![edit]
Why did you take the Pinky & the Brain quote out of Caligula? --Let Them Eat Cake (talk) 12:42, 1 December 2014 (UTC)
- Because it looked dumb & didn't seem to serve much purpose. No doubt we could fill our articles with quotes from Rugrats & Spongebob Squarepants & Sabrina the Teenage Witch, but it doesn't tend to contribute to us looking like a site that's got anything worthwhile to say. Wẽãšẽĩõĩď
Methinks it is a Weasel 15:58, 1 December 2014 (UTC)
Apologia[edit]
Hi, I'd appreciate it if you wouldn't make a judgmental comment like that. If you'll noticed I added additional content and links (including descriptions of the bad nature of "manosphere sites), and replaced snark with more neutral and factually written content. This may not be Wikipedia but the ratio of "snark to substance" shouldn't be excessive - it's also a fact there are legitimate dating advice sites which get lumped into the PUA category (some of these openly call out PUA materials like ReturnOfKings as being garbage) - so you're painting it all with a broad brush. Believe me I know because I've investigated many of the websites and books - what is your experience with the materials?
Please don't simply revert and use an ad hom, thanks. Some information was also incorrect (ex. Tucker Max isn't a pick-up artist - he's the author of a black comedy book called "I hope they serve beer in hell").
BTW, I've had an account here since the beginning of this year - but no longer have access to the email. --206.255.11.166 (talk) 19:31, 21 December 2014 (UTC)
- Discuss it on the relevant article talk pages. Wěǎšěǐǒǐď
Methinks it is a Weasel 19:53, 21 December 2014 (UTC)
- Sorry, this is me from earlier this year:. I don't remember my screenname.--206.255.11.166 (talk) 19:56, 21 December 2014 (UTC)
- Feel free to discuss my edits and what you claim is incorrect about them. When you reverted me you ended up removing sources (such as a newslink regarding a PUA being banned from Britain which the article didn't source), and complete paragraphs which were in no way apologetic.--206.255.11.166 (talk) 20:07, 21 December 2014 (UTC)
- Hi - you haven't discussed the problems with my edit so I'll be reverting 1 more time - if you keep this up then I feel you're abusing your authority as an admin so I'll discuss this with another admin. Please comment on why the edits are not of value, and tell me what your experience with the subject is while you're at it - thanks. I'm being totally polite to you here and trying to reach and agreement, but you're just ignoring me and using insults. If you don't have the time to discuss the subject, then maybe you should let a member who's more active in the article comment on it.--206.255.11.166 (talk) 20:23, 21 December 2014 (UTC)
- I've discussed it at talk:pick-up artist where it's supposed to be discussed and where I've already told you to discuss it.
- You're changing a longstanding article's PoV and need to seek support from other editors before doing that. I've reverted your changes yet again other than a couple of additions to the notable pick-up artists list. Please stop edit warring, use the talk page & wait for comment from other editors. This is your last warning. Next time I see you revert without discussion, I will either lock the article, place you under vandal brake, or both. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 20:35, 21 December 2014 (UTC)
- Actually dude - if you'd taken the time to read the article you'd have seen that there is conflicting POV throughout the article. The article as it stands already confirms that some PUA resources overlap with mainstream, non-"scammy" dating advice - (this is backed up by other sources as well which I can add later) - my attempt is to focus specifically on specific PUA concepts and individuals which are controversial. I added actual examples of advice (including normal advice, and the manipulative and scammy advice the article references) which the article included very little of to start with. The article's POV wasn't changed.
- Much like an article on creationism shouldn't just read "creationists are all stupid uneducated nutjobs, etc etc" - it should focus on specific beliefs creationists have which makes them so (ex. "creationists literally believe that Noah's Ark existed, etc").
- It doesn't sound like you're actually interested in discussing the subject, or even remotely informed on the subject at all for that matter. Instead you just display a lack of social skills by threatening a "vandal break" for an edit which clearly isn't vandalism. This isn't Conservapedia - you should be more civil than that rather than lord your admin privileged over others; there's no point in reverting an edit which isn't pure vandalism if you're admitting you're not active in the page anyway. But I'll discuss this with another admin before I keep this up, heh.--206.255.11.166 (talk) 21:08, 21 December 2014 (UTC)
- Thanks for schooling me but can you fuck off now please? You've been told enough times to raise your concerns on the article talk page. Don't post here again. Weaseloid
Methinks it is a Weasel 21:37, 21 December 2014 (UTC)
- This is my last response. That's really all you got? "Fuck off" to someone who's written several articles here over the course of this year? Heh, I'm sorry lack of basic empathy or social skills - and if you'd bothered to pay attention you'd see I have left discussion on the talk page - the discussion here was about your and your juvenile behavior which violates community standards (which I pointed out in the comment you reverted).
I'm glad I'll never be as hateful and misanthropic as you - here's hoping that some admins with a little class suspend your privileges (though I won't count that they will) - I show them your "fuck off" comment as well. Adios for now--206.255.11.166 (talk) 22:26, 21 December 2014 (UTC)
--Palaeonictis (talk) 01:37, 9 January 2015 (UTC)
Vagueness[edit]
With regard to this edit, I mean, let's face it, the user who added that was just hoping that someone wouldn't pin them down to specifics. But you did. The truth is, no one knows much about Caligula, because all the historical accounts are heavily biased. I wish it were otherwise, but we really don't know much about him. It frustrates even revisionist historians. I hate that it has to be this way, but it does. Landmartian (talk) 00:14, 9 January 2015 (UTC)
- The information was taken from a bunch of top ten lists, I just thought it was unusual no other historical figure is accused of being quite that evil. Why weren't more figures accused of having peoples children raped to death infront of them and eating their enemies genitals? Those are great false allegations to make; I'm fairly sure some of that did happen because no one else in history is accused of doing that; not even Elizabeth Bathory Jack the Ripper or Vlad the Impailer are painted as being that bad. Exiled Encyclopedist (talk) 23:05, 9 January 2015 (UTC)
We need to make slave owner a category[edit]
Wikipedia doesn't mention how many slaves Washington, Jefferson and Jackson owned either; they say nothing about the slaves in the white house up until 1965 during Lincolns presidency. Also, I know I don't have proof; but I like to talk alot and at least try and be polite, I asked Ryulong on his talk page back on Wikipedia to allow category size change for Super Sentei Power Rangers and Ultraman. He viciously defends the super sentei page from mentioning it has size change, while on his talk page here that Japanese television doesn't matter. [19] Feel free to test his short fuse and misogyny by adding this category to super sentei; for added measure adding it to other movies with giant women will be extra annoying. The only thing sillier than macrophilia is macrophobia, particularly when it's about sex. Ryulong doesn't appear able to delete the record here, just flash mob discussions and have them closed after a day. I'm afraid this wiki is terminal.
David Gerard deliberately forgot to delete slave holder from Muhammad. Hope some of this is useful to you; I at least want the presidents pages to mention how many slaves they own; even if their is no category. Exiled Encyclopedist (talk) 23:05, 9 January 2015 (UTC)
I could use your assistance on the rape page and with Ryulong.[edit]
You were right about Robot; Ryulong edited his Wikipedia talk page to say I never tried to make peace for the edit war we had over size change in fiction. He hates women, particularly impossibly powerful ones. I think unremitting horror should be applied to rape; and if someone would like to argue it isn't sexism in some form until there's an equal number of women raping men and men being raped, they can feel free. Exiled Encyclopedist (talk) 00:02, 10 January 2015 (UTC)
- Ignore this, EE is a fucking idiot.—Ryūlóng (琉竜) 00:05, 10 January 2015 (UTC)
- It's an edit war over whether or not rape deserves to be called an unremitting horror like the many other serious examples on that page, I trust you know the right thing to do. Exiled Encyclopedist (talk) 00:53, 10 January 2015 (UTC)
... unless limey means British[edit]
RationalWiki:2015 board of trustees election/Nominations FuzzyCatPotato of the Belittling Pencils (talk/stalk) 01:44, 14 January 2015 (UTC)
Deletion logs[edit]
Nothing personal, but I saw your recent deletions in Recent Changes, and I really think you should have replaced the autogenerated deletion reason, as the contents of those pages are pretty much namecalling and personal attacks, and now they're in the logs. I would suggest hiding the log entries. I could do it myself but I thought it would be best to run it by you first. --Ymir (talk) 14:05, 14 January 2015 (UTC)
- They were worthless rants: that's why I deleted them. Nothing further is necessary. Revision deletion is serious business and is being way overused by new editors. It isn't necessary or appropriate to deep-bury something that's mere childish namecalling. Щєазєюіδ
Methinks it is a Weasel 20:16, 14 January 2015 (UTC)
- Hiding the logs is overkill, but it's a generally good idea to hit Ctrl+A and Delete to clear the deletion reason box unless there's a reason for the contents to be visible (such as deleting a redirect).--ZooGuard (talk) 17:24, 15 January 2015 (UTC)
- Really, what's the difference? In a case like this, that first line of page content indicates why it was deleted. Wéáśéĺóíď
Methinks it is a Weasel 18:07, 15 January 2015 (UTC)
Come on[edit]
We've warned and warned and warned them. It's four characters to type, and refusing to do it is obnoxious as heck. Ikanreed (talk) 22:08, 23 January 2015 (UTC)
- You want to block somebody (who's only been here a week) for a week for a few unsigned comments? How does that correspond to any of our blocking policies? Also, I looked through his/her most recent few comments and couldn't find much that was unsigned. Has he/she actually refused to sign comments or are you just making that up? Wēāŝēīōīď
Methinks it is a Weasel 22:20, 23 January 2015 (UTC)
- From what I can see user Pits Brazil does seem to have a problem with the concept of signing. But it's more a case of invoking ridicule than invoking a block.--Bob"I think you'll find it's more complicated than that." 22:26, 23 January 2015 (UTC)
- I just looked through a whole bunch of his/her comments and nearly all of them were signed Pitzy, so I don't see that he/she has a problem with the concept of signing. Further comments about this on Pitzy's talk page. Wēāŝēīōīď
Methinks it is a Weasel 22:34, 23 January 2015 (UTC)
Deletion of Portuguese page[edit]
Was there something problematic about the translation. I thought it was about a vaguely(admittedly pretty vauge) on-mission Portugese language feature about Bush and Authoritarianism. Was there a broader concern here? Ikanreed (talk) 19:45, 12 February 2015 (UTC)
Do not Vandalize my page[edit]
Perhaps you do not understand copyright doctrine, so let me explain it to you: Pictures which are cited for use in a non-commercial educational article are what is called "fair use"(even if the images are copy-written). If you do not have any evidence to suggest that I am using pictures outside of a non-commercial educational article, then do not vandalize my work(such accusations without evidence constitute libel). If you do not like or understand the article that is not a reason to vandalize it.LogicMaster777 (talk) 06:55, 18 February 2015 (UTC)
- I don't know anything about libel, so I'm perfectly qualified to say that I really don't think that's libel. It's just being a little bit mean, which sucks, but libel it aint. Tielec01 (talk) 07:13, 18 February 2015 (UTC)
- He categorically did not "libel" you and it's not possible to "libel" a bogus and conclusory "legal" argument. You must justify your claim of "fair use", which you didn't bother to do. You simply asserted it. And it was unsupportable. There is no reality in which a picture of Voldemort, for example, used to window dress your own material, whether or not it's educational, on a completely unrelated subject passes fair use muster. But prove use wrong and go through the appropriate analysis. In short, let me suggest that as an outsider on your way out, you be very careful attempting to intimidate editors here with your "legal analysis" unless you know what you're doing and are prepared to deal with the consequences. Nutty Roux (talk) 16:32, 18 February 2015 (UTC)
Gallery[edit]
Why doesn't the packed tag work?—Ryūlóng (琉竜) 02:25, 21 February 2015 (UTC)
- I don't know. I've never tried it. Wėąṣėḷőįď
Methinks it is a Weasel 02:29, 21 February 2015 (UTC)
"racism does exist outside the USA you know"[edit]
You're right, of course -- I forgot we had that article, otherwise I would've put that one there in the first place. my bad. Peace. AgingHippie (talk) 16:16, 21 February 2015 (UTC)
- Fair enough. I didn't notice who'd added it anyway. ωεαşεζøίɗ
Methinks it is a Weasel 19:03, 21 February 2015 (UTC)
- It's funny when you see Americans politely call a black person "African American" when that person has never been in the US/the Americas and/or doesn't have any remotely recent African heritage. 141.134.75.236 (talk) 19:24, 21 February 2015 (UTC)
donotlink.com[edit]
- This discussion was moved to Talk:Gamergate. Weaseloid
Methinks it is a Weasel 02:51, 22 February 2015 (UTC)
Your signature[edit]
There's a pipe in your template reference. This blasphemy shall call a plague of weasels upon the land; I know this because they can easily fit into those pipes. Narky Sawtooth
(Floof!~) 03:28, 22 February 2015 (UTC)
I am super annoyed...[edit]
Are you the one that harassed us at Krasnaya Security? Lieutenant S. and Arcane are both nice people and do not deserved to be treated that way. (I am Tau Ceti on the wiki so I should have seen the nasty things you said). 202.142.129.178 (talk) 22:37, 25 February 2015 (UTC)
- No. I've no idea who you are or what you're talking about. Wèàšèìòìď
Methinks it is a Weasel 23:25, 25 February 2015 (UTC)
- Krasnaya Security is a hacking hobbyist group of some sort, though I have no idea why one of them is here. --Madman (talk) 23:31, 25 February 2015 (UTC)The Madman
- I imagine something to do with that creep who got banned awhile back, Inquisitor Eherenstein... or whatever his name was. Pretty sure he goes by Lieutenant S something and Arcane was sorta his buddy. Marlow (talk) 01:59, 26 February 2015 (UTC)
- *Shivers* Ehrenstein. Somebody really ought to make a compilation post of his antics.--Madman (talk) 02:38, 26 February 2015 (UTC)The Madman
- I'm Tau Ceti there too! Inquisitor Ehrenstein is a NICE GUY and is not harassing anyone. You're doing it.
- Same with Arcane.. I talked to him about it and he says he's never even heard of it. XY007 (talk) 09:59, 26 February 2015 (UTC)
- Again, this is nothing to do with me. Wëäŝëïöïď
Methinks it is a Weasel 13:38, 26 February 2015 (UTC)
- Ehrenstein once wanted to buy a Karabiner 98k for the "historical value", has prior convictions and is obsessed with Nazi rape. Still sound like a nice guy, kiddo?--Madman (talk) 01:21, 27 February 2015 (UTC)The Madman
- I will tell him you are a saying this.. XY007 (talk) 01:30, 27 February 2015 (UTC)
- Take a good look, kiddo. This is from all of his various sock puppets, as well. --Madman (talk) 01:36, 27 February 2015 (UTC)The Madman
- Arcane here. Someone under the name Weaseloid came and spouting some BS on my KS talk page and did some other retarded nonsense, I laughed it off, and IE was willing to just let it go. Unfortunately, Tau Ceti went off on his own initiative here to start something, and both me and IE told him it was a stupid idea and to drop it. I apologize for this whole sordid business and both you (Weaseloid) and RW have my apologies for this nonsense being dragged over here. For the record, IE has no intention wanting to start shit here and I've been trying to be the conscience, if you will, as to why no further BS should be started (it was foolish to begin with IMO), so again, both yourself and RationalWiki have my apologies this nonsense got dragged over here. Arcane (talk) 01:41, 27 February 2015 (UTC)
- This isn't the same Weaseloid, and I'm sorry for the attack... I just wanted to know who was the source of all this. Thank you, Arcane, for saving us all. XY007 (talk) 01:43, 27 February 2015 (UTC)
- Thanks Arcane. I'm not pleased that somebody is impersonating me, so please let me know if it happens again. Wēāŝēīōīď
Methinks it is a Weasel 08:29, 27 February 2015 (UTC)
- Yeah we put web crawlers on the site. XY007 (talk) 08:54, 27 February 2015 (UTC)
- Again Tau Ceti does not speak for myself or IE here, please ignore this idiot's diarrhea of the mouth. Arcane (talk) 15:51, 27 February 2015 (UTC)
- So, you're a Gator, a minion of the infamous Inquisitor, and you're bugging Weaseloid because he happens to use the same username as someone who trolled your site. And, y'all have deployed web crawlers for some spying purpose. I see. --Castaigne (talk) 17:11, 27 February 2015 (UTC)
- Actually, I'm the guy trying to keep IE, this Tau Ceti moron, or anyone else from trying to start anything with RW, because frankly I don't care who tried to troll me, I laughed it off, it's just the fucking idiots on my end want to start shit irregardless, and I will personally throw them under the bus if I have to, just tell me which RW admins to email and I'll give you the information you need. Seriously, I'm the neutral party trying to do the right thing here. Arcane (talk) 17:46, 27 February 2015 (UTC)
- Don't worry, he was referring to XY007, not you. Narky Sawtooth
(Floof!~) 18:45, 27 February 2015 (UTC)
- Ayup, I was referring to XY007, not you Arcane. But I'm not paranoid - just amused at this...bullshit broheim crap by XY007. Russian hackers, they're so juvenile. --Castaigne (talk) 18:58, 27 February 2015 (UTC)
- Glad to hear. I just sent off what information I could to RW staff, and I just made it clear to IE I have zero tolerance for this BS, here's hoping IE takes me seriously, as I informed her I have informed RW all relevant information concerning this incident. Arcane (talk) 19:04, 27 February 2015 (UTC)
Clicking about the website Arcane linked to a couple of comments above brought me to this threat to: "drop this under all 3,300 real names of RW users...use that as justification to fuck up the lives thousands of RW users." Yikes! — Unsigned, by: TheNewGuy / talk / contribs 18:08, 27 February 2015 (UTC)
- I saw that too. It turned my stomach, and I will provide whatever info I must to RW staff to prevent that from happening, as I do not sanction, condone, or support that at all and want to do the right thing. Arcane (talk) 18:19, 27 February 2015 (UTC)
- Ah, lovely. I dig threats by Russki hackers. Please, do publish my real name - I'm not afraid of being doxxed. I have nothing to hide and it's all public info anyway. By the by, if you do dox me, please also let me know at the same time when the Russkis are going to give back the family property in Königsberg. --Castaigne (talk) 19:06, 27 February 2015 (UTC)
- Krasnaya Security will be deleting all such materials and will not tolerate doxxing threats. You have nothing to worry about. Our privacy policy is here. Катюша91 (talk) 19:09, 27 February 2015 (UTC)
Suggestions for the Jarrah White article[edit]
- This discussion was moved to talk:Jarrah White. ωεαşεζøίɗ
Methinks it is a Weasel 15:54, 4 May 2015 (UTC)
Fair 'nough - we were kinda beginning to clog your talk page, but the BoN asked you to intervene/respond so I suggest you at least post some kind of response to him in the section you moved (back) to the Jarrah White talk page. ScepticWombat (talk) 16:12, 4 May 2015 (UTC)
RE: Encyclopedia Dramatica & Inquisitor Ehrenstein[edit]
I've left an explanation at the Saloon page. --Michaeldsuarez (talk) 14:16, 6 March 2015 (UTC)
1ABC3[edit]
I don't think 1ABC3's edits could be considered "pedophile advocacy" by any reasonable definition of the term. But I guess it's pretty harmless to vandal bin him since he can easily just come back under another account. Landmartian (talk) 02:29, 10 March 2015 (UTC)
- You're an idiot. He/she literally said "There is nothing wrong with consensual sex between adults and children". Wėąṣėḷőįď
Methinks it is a Weasel 09:16, 10 March 2015 (UTC)
You are too irrational for rationalwiki.[edit]
There is nothing wrong with consensual sex between adults and children, the only real difference being age, I wish I knew how to make you think I am not a troll, and you have personally convinced me to leave rationalwiki, even as a reader. Your authoritarian style reminds me a Conservapedia's close-mindedness. — Unsigned, by: 1ABC3 / talk / contribs (signed by bot) 03:08, 10 March 2015 (UTC)
- That's nice. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 09:14, 10 March 2015 (UTC)
WTF[edit]
do you think you're doing? Why are you going around deleting discussions? I had an honest question, and come to that, the answer still doesn't entirely make sense to me. --ShorinBJ (talk) 18:49, 19 March 2015 (UTC)
- I think Weaseloid was trying to delete that "Example.jpg" placeholder thing that had been sitting at the top of the talk page, and accidentally swept your question with it. Noir LeSable (talk) 18:59, 19 March 2015 (UTC)
help[edit]
Leandro Teles Rocha is the creator of the article of Conservapedia "Olavo de Carvalho". He also was banned at Wikipedia. He was banned at the portuguese Wikipedia because he used offenses and after this for sock puppetry. Lechatjaune is a renowned professor at UFRGS (Federal University of Rio Grande do Sul) and one of the editors of Wikipedia in Portuguese most respected. I believe the Leandro should be admonished to contribute to RationalWiki without vindictiveness. This way he will bring better contributions. Best regards. — Unsigned, by: 187.115.103.233 / talk / contribs
- I'm not sure what you're asking for here. If you want to admonish somebody for something, go do it yourself. Wėąṣėḷőįď
Methinks it is a Weasel 12:36, 21 March 2015 (UTC)
Those redirects to Rosemary[edit]
Why did you think they were deletion worthy? FuzzyCatPotato™ (talk/stalk) 17:18, 29 March 2015 (UTC)
- They were terms that are not explained in the article, that nobody would search for, and they clutter up the search-box autocomplete with meaningless cruft. Wëäŝëïöïď
Methinks it is a Weasel 19:41, 29 March 2015 (UTC)
- If alt names were listed in-article, would that work?
- If nobody searches them, then there's no harm; if somebody searched for, say, Compass plant, they probably wouldn't know or be able to find out from RW it referred to Rosemary.
- Sure, redirects fill the autocomplete box. Just type "200" into the search box. But they're still useful, for internal links and people searching for an exact name. FuzzyCatTomato (talk/stalk) 20:33, 29 March 2015 (UTC)
- They're useful when they're useful. Creating dozens of redirects from arcane terms to pages that don't explain them is not useful, and "no harm" is a shitty rationale. These "alt names" simply aren't common enough to be worth noting or to be terms users will search for. "Compass plant" rarely if ever refers to rosemary (see WP:List of plants known as compass plant). Similarly, if there's a connection between rosemary and the phrase "old man", it's not covered in our article, nor in WP:rosemary or WP:old man, so anyone wondering why the phrase "old man" comes up in autocomplete and directs to a list of medicinal plants would really be left wondering. Listing these names in the article won't be helpful either as it will do nothing to further our missions of analysing and refuting things; it will just add yet more trivia to what's already a rather listcrufty piece. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 21:23, 29 March 2015 (UTC)
- Rusmary (as one example) is a pretty common Indian term for Rosemary. It's certainly possible that someone will search for it. The same is true for other names.
- The only plant on RW which compass plant applies to is rosemary; when other relevant ones are created, Compass plant can ascend from redirect to disambiguation.
- Why would listing alternate names be trivial? Knowing what something is, is important to knowing what it does.
- Would you agree that some of the redirects may have been useful? FU22YC47P07470 (talk/stalk) 23:32, 29 March 2015 (UTC)
- No. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 23:33, 29 March 2015 (UTC)
- Not even Red clover, Trifolium pratense, or Rosmarinus officinalis (which were restored)?
- Or Rusmary, a common Indian term? Or compass plant, a common synonym? Or related term compass weed? Or Anthos[wp]? ʇυzzγɔɒтqoтɒтo (talk/stalk) 23:47, 29 March 2015 (UTC)
- No. Weaseloid
Methinks it is a Weasel 00:08, 30 March 2015 (UTC)
- Dude. This is the same as an edit war. Do you wanna talk, or just revert away? FuzzyCatTomato (talk/stalk) 00:22, 30 March 2015 (UTC)
I'm not going to recreate these redirects, it's not worth the bickering anymore. It's been a week. Could I pretty pls with sugar & goats on top have my sysop back? Herr FuzzyKatzenPotato (talk/stalk) 00:31, 5 April 2015 (UTC)
- Not from me. Щєазєюіδ
Methinks it is a Weasel 01:54, 5 April 2015 (UTC)
- What did I do that merited desysopping? αδελφός ΓυζζγςατΡοτατο (talk/stalk) 05:02, 5 April 2015 (UTC)
- You blocked me twice within five minutes while I was trying clean up the mess you made. ΨΣΔξΣΓΩΙÐ
Methinks it is a Weasel 09:35, 5 April 2015 (UTC)
- The "mess" that I defended on my talkpage, to which you didn't respond before deleting a dozen pages? Blocks of total length 15 minutes that you could easily undo, unlike the 1 hour block you gave me after desysopping me? FuzzyCatTomato (talk/stalk) 00:11, 6 April 2015 (UTC)
BoN[edit]
That BoN has been trolling the Gamergate talk page for a week and a half. It's not my fault someone gave him the time of day but there is no reason to have that thread open or for you to have blanket reverted all of my dits to the page because you didn't like one of them. I know what I'm doing. None of you seem to understand that.—Ryūlóng (琉竜) 07:40, 24 April 2015 (UTC)
- Ryulong, regardless of how talented or how much of an expert you possibly are, acting full of it isn't gonna help you. 141.134.75.236 (talk) 09:16, 24 April 2015 (UTC)
- Maybe it isn't everybody but you failing to understand. Just a thought. 166.137.248.113 (talk) 09:22, 24 April 2015 (UTC)
Um...[edit]
Sure, Ryulong has been pretty liberal with using collapse boxes, but are you sure this is the one you wanna uncollapse? Bullshit false-flag theories and whining about RW being too pro-social justice doesn't seem particularly worthy of anyone's time. 141.134.75.236 (talk) 23:35, 26 April 2015 (UTC)
- Then how does putting a big attention-grabbing box around it help anyone? ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 23:37, 26 April 2015 (UTC)
- You can change the colors and make the border transparent if that's the problem. As far as I've been able to tell, these boxes basically function as RWian trigger warnings to let people know some really crazy/trollsome prose is ahead. 141.134.75.236 (talk) 23:41, 26 April 2015 (UTC)
- Collapse boxes, as far as I can tell, are a recent phenomenon, and they don't help much. Cømrade FυzzчCαтPøтαтø (talk/stalk) 23:45, 26 April 2015 (UTC)
- Maybe they were popularized because of LM777. 141.134.75.236 (talk) 23:47, 26 April 2015 (UTC)
- Either way, people need to butter their toast properly. PacWalker 23:52, 26 April 2015 (UTC)
- Bah, I don't use butter. And I don't toast my bread slices. 141.134.75.236 (talk) 00:11, 27 April 2015 (UTC)
- That is acceptable when ribs are involved. PacWalker 00:15, 27 April 2015 (UTC)
- I don't put any meat (or bones for that matter) on them either. 141.134.75.236 (talk) 00:17, 27 April 2015 (UTC)
- Wilt thou next tell me thou dost not spread creamed cheese upon thy bagels, good sir? PacWalker 00:20, 27 April 2015 (UTC)
- I also don't like cheese. Bagels are good though. 141.134.75.236 (talk) 00:23, 27 April 2015 (UTC)
- ...well I guess we can agree on that... PacWalker 00:33, 27 April 2015 (UTC)
- On cheese being gross? ;) 141.134.75.236 (talk) 01:43, 27 April 2015 (UTC)
SPJ[edit]
How are they ad hominems if they're what he proudly says about himself on his own website?—Ryūlóng (琉竜) 03:26, 12 May 2015 (UTC)
- Anything against the person is ad hominem in a literal sense. WalkerWalkerWalker 03:38, 12 May 2015 (UTC)
- But if it's something he wrote and recorded himself and is hailing it as what he should be known for, why would my repetition of this information count as ad hom?—Ryūlóng (琉竜) 04:04, 12 May 2015 (UTC)
- Because it's irrelevant. Wèàšèìòìď
Methinks it is a Weasel 07:37, 12 May 2015 (UTC)
- It's pointing out Gamergate has picked another winner.—Ryūlóng (琉竜) 17:01, 12 May 2015 (UTC)
- No, it's poisoning the well. Beware that, when fighting monsters, you yourself do not become a monster. ωεαşεζøίɗ
Methinks it is a Weasel 18:54, 12 May 2015 (UTC)
Gator boxes.[edit]
Right now half of the talk page is a mess. At least those 'stupid boxes' could hide pointless shitposting that is in no way contributing to making the article more readable. Typhoon (talk) 08:38, 15 May 2015 (UTC)
- Those boxes are contributing to it being a mess. They don't make it easy to read a thread & follow what's going on. Users can choose what they comments they want to read. Hiding them in collapse boxes is dumb. Wẽãšẽĩõĩď
Methinks it is a Weasel 20:27, 15 May 2015 (UTC)
How would you feel if...[edit]
I started adding people to the "libertarian wingnuttery" category and removed them from the "extreme wingnuttery" category to see how it would look if it's less bloated? Would you let me do that before detonating that page? ClothCoat (talk) 01:09, 2 June 2015 (UTC)
- Two things: 1: You might need a "conservative wingnuttery", "neoreactionary wingnuttery" (etc.) page for non-libertarians. 2: You can't "detonate" a category on RationalWiki, because we don't have recategorization bots, so every article has to be manually removed from the article -- you've got time. FuzzyCatPotato™ (talk/stalk) 01:15, 2 June 2015 (UTC)
- Ok good to know. Weasel (understandably) hates the page and wants it gone, others want it broken down to various degrees. I'm going to just break it down between authoritarian and libertarian and then break down "authoritarian" further as you suggested, basically phasing out the extreme wingnuttery category completely. Let's see how that works out it seems like a win for everyone (for now). ClothCoat (talk) 01:18, 2 June 2015 (UTC)
- What does the wingnut label add, though? Aren't libertarians, conservatives and neoreactionaries pretty much automatically wingnuts? 141.134.75.236 (talk) 01:33, 2 June 2015 (UTC)
You don't feel[edit]
that rent boys would make a nice addition to that sort of articles, here? Einar aka Carptrash (talk) 20:56, 10 June 2015 (UTC)
- What would it say? Wëäŝëïöïď
Methinks it is a Weasel 20:59, 10 June 2015 (UTC)
- Well my original article was, "Rent Boys They are exactly what you think they are."
but I was not able to post it.
- However it would be possible to expand, or even replace that with a more precise explanation. it seems to me that if we use terms or phrases here that we should be prepared to expand on them. Of course my views are not always typical of what is expected of a rationalwiki editor. Carptrash (talk) 21:11, 10 June 2015 (UTC)
- When the definition of something is "it's what you think it is", I don't think that really needs saying, and certainly don't think it warrants clicking through a link to another page just to be told that. Wẽãšẽĩõĩď
Methinks it is a Weasel 21:17, 10 June 2015 (UTC)
Duplication[edit]
Look at my archives, look at my talk page, and see how my edits removed duplication, please. --Castaigne (talk) 18:12, 17 June 2015 (UTC)
Really?[edit]
Really. I'll refrain from logging in a pocketsysop, but I expect your action to be undone quickly. Hipocrite (talk) 23:31, 21 June 2015 (UTC)
- You may find yourself surprised. Wěǎšěǐǒǐď
Methinks it is a Weasel 23:32, 21 June 2015 (UTC)
- I might, but I doubt it. You, unlike those two shitheads, I respect, so I'll refrain from further warring, but I hope that you return at least my, if not both my and Ryulongs tools posthaste. Hipocrite (talk) 23:34, 21 June 2015 (UTC)
- You may find yourself disappointed. Weaseloid
Methinks it is a Weasel 23:35, 21 June 2015 (UTC)
- Remind me that I don't respect you. Hipocrite (talk) 23:36, 21 June 2015 (UTC)
Wėąṣėḷőįď
Methinks it is a Weasel 23:40, 21 June 2015 (UTC)
- lel |₹Λ¥$€₦₦
I like... being punched in the face. 23:41, 21 June 2015 (UTC)
Help[edit]
Doxing, etc.—Ryūlóng (琉竜) 00:21, 3 July 2015 (UTC)
- Huh? Wẽãšẽĩõĩď
Methinks it is a Weasel 06:30, 3 July 2015 (UTC)
Why?[edit]
What was that about? Oh right down south in the land of traitors, rattle snakes and alligators! Where cotton's king and men are chattles! Union boys will win the battles! (talk) 07:10, 25 August 2015 (UTC)
- It was about ethics in journalism. PS Your signature is fucking stupid. Wéáśéĺóíď
Methinks it is a Weasel 23:11, 3 October 2015 (UTC)
Your recent contribution to the IFL Science page[edit]
- This discussion was moved to Talk:I Fucking Love Science.
Please keep article content disputes on the article talk page. Thanks. ωεαşεζøίɗ
Methinks it is a Weasel 14:28, 26 September 2015 (UTC)
Your deletion[edit]
Please see for what can be deleted without discussion. <-𐌈FedoraTippingSkeptic𐌈-> (pretentious, unwarranted self importance) (talk) 01:26, 27 September 2015 (UTC)
- Thanks Dad. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 23:12, 3 October 2015 (UTC)[edit]
Thank you for that, seriously. The fuck is up with some people.KrytenKoro (talk) 20:46, 7 October 2015 (UTC)
- You're welcome. Wẽãšẽĩõĩď
Methinks it is a Weasel 21:02, 7 October 2015 (UTC)
Thanks[edit]
You edit conflicting me in the saloon bar prevented a less measured response. AMassiveGay (talk) 22:01, 8 October 2015 (UTC)
- a couple of times in fact. AMassiveGay (talk) 22:02, 8 October 2015 (UTC)
Civic Cat whine[edit]
How did you trim them?
Talk to Civic Cat 21:20, 26 November 2015 (UTC)
- Things must be busy for you, Weaseloid. I'll try to figure it out. Until then, links will be untrimmed. Bye for now.
Talk to Civic Cat 22:47, 26 November 2015 (UTC)
- Also how does one revert while giving an edit summary?
Talk to Civic Cat 20:55, 4 December 2015 (UTC)
BoN voter franchising[edit]
So are you reverting me for the sake of it being me and the BoN's voted to keep or is he acually allowed to vote when another BoN with more edits (and a longer history locally) had his vote struck out by someone else?—Ryulong (talk) 01:04, 3 December 2015 (UTC)
- I don't see any other struck out votes on that page. If you think a genuine RW policy/guideline (rather than one in your own mind) has been violated, the onus is on you to demonstrate it, not to revert war. If it's a judgement call, frankly it shouldn't be yours. Wėąṣėḷőįď
Methinks it is a Weasel 01:10, 3 December 2015 (UTC)
- 70.61.121.86's vote was struck out by himself. I was striking out 98.27.29.192's vote.—Ryulong (talk) 01:16, 3 December 2015 (UTC)
- (ec) RationalWiki:Community_Standards#Voting (which you linked on the BoN's talk page) refers to "policy votes, which seek to change the Community Standards or similar official policy documents, or penalty votes, which seek to penalize (or change existing penalties for) a user", not AfD votes. To be best of my knowledge, no one ever formulated any "minimal requirements" for an AfD vote. Carpetsmoker (talk) 01:17, 3 December 2015 (UTC)
- Fair enough. I just thought AFD counted. The other BoN still withdrew their vote though.—Ryulong (talk) 01:18, 3 December 2015 (UTC)
- Didn't stop you claiming they "had his vote struck out by someone else" though. Wèàšèìòìď
Methinks it is a Weasel 01:28, 3 December 2015 (UTC)
- I mistakenly thought that was what had happened.—Ryulong (talk) 01:35, 3 December 2015 (UTC)
- Didn't stop you from berating me for not knowing who'd struck it out. ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 01:36, 3 December 2015 (UTC)
Don't do it![edit]
Don't go to Syria!
American grammar[edit]
Not sure how I stumbled on that edit summary, but: How is "based off of" worse than "based on"? Mʀ. Wʜɪsᴋᴇʀs, Esϙᴜɪʀᴇ (talk/stalk) 02:11, 7 December 2015 (UTC)
- Jesus H. Tap-Dancing Christ on a pogo stick, Fuzzy, don't you have i's to cross and t's to dot somewhere? Have you ever gotten past thirty miles from the barn you were born in? SmartFeller (talk) 02:20, 7 December 2015 (UTC)
"Unjustified"[edit]
That's fine, but if you think [20] is just him being "helpful," then you've drunk the coolaid. Hipocrite (talk) 23:54, 19 December 2015 (UTC)
- What coolaid? Where are you quoting "helpful" from? I've said no such thing, & there is actually some middle ground between "helpful" and "blocked for three days". Wėąṣėḷőįď
Methinks it is a Weasel 23:57, 19 December 2015 (UTC)
- The fuzzy and totally smoking coolaid about how it would be awesome if you just invited the gators over to state their case. Helpful was a "scare" quote. Hipocrite (talk) 23:59, 19 December 2015 (UTC)
- I haven't invited any gators to do anything. You're confusing me with somebody else. Щєазєюіδ
Methinks it is a Weasel 00:00, 20 December 2015 (UTC)
Your undo[edit]
You are probably right that my footnote was not where it should have been. However, I was making a point about how gays are of positive benefit couched in economic terms. That may be patronizing, but I live in a country, where gay parades account for 20% of the population or so or more, and I'm personally totally indifferent to people's sexual orientation. But in this country - you can find out which by a little digging - gays are very valued guests. :-) Cheers Sorte Slyngel (talk) 18:40, 20 December 2015 (UTC)
You're nominated![edit]
You've got the chance for another shot at becoming a mod (a modshot?) in the upcoming by-election. ScepticWombat (talk) 05:56, 21 December 2015 (UTC)
Dude[edit]
Engage in debate. Don't be like that. You haven't even tried that. Carpetsmoker (talk) 19:48, 28 December 2015 (UTC)
Also, I DO NOT appreciate the blocked like that for something as silly as this; I came very close to losing quite a bit of work on User:Carpetsmoker/Braco as I initially didn't notice I was blocked and almost closed the tab. Carpetsmoker (talk) 19:50, 28 December 2015 (UTC)
See, it's really not that hard. Carpetsmoker (talk) 21:50, 28 December 2015 (UTC)
Uh[edit]
Why has Mona deleted conversation from the Saloon Bar instead of archiving, AND protected the Saloon Bar from editing? Edit, OK, she re-archived it. But still, this is not in accordance to site rules. --Castaigne2 (talk) 16:56, 30 December 2015 (UTC)
- Uh, why are you asking me? Wėąṣėḷőįď
Methinks it is a Weasel 16:58, 30 December 2015 (UTC)
- You have more rights/power here than I do. --Castaigne2 (talk) 16:59, 30 December 2015 (UTC)
- And? You asked me a question about her actions. You could ask her yourself. Wěǎšěǐǒǐď
Methinks it is a Weasel 17:11, 30 December 2015 (UTC)
- Can't. She protected her page. I do not have permissions to ask her. *shrug* --Castaigne2 (talk) 17:12, 30 December 2015 (UTC)
Could you possibly link one to your account? Sir ℱ℧ℤℤϒℂᗩℑᑭƠℑᗩℑƠ (talk/stalk) 18:34, 30 December 2015 (UTC)
- Done. Wèàšèìòìď
Methinks it is a Weasel 18:36, 30 December 2015 (UTC)
Actions & consequences[edit]
You have a problem with something, you suggest an alteration on the talk page. You don't march around like Richard II chopping off heads. You will hear me. You will receive discipline. Marcus Cicero SPQR
14:11, 5 January 2016 (UTC)
- Huh? ₩€₳$€£ΘĪÐ
Methinks it is a Weasel 15:04, 5 January 2016 (UTC)
Your opinion greatly needed[edit]
Your professional judgement as a moderator is needed here. If you are unaware of the background of this case, please read the whole thing first. Thank you for your time. Pbfreespace3 (talk) 23:23, 27 January 2016 (UTC)
For clarification[edit]
I asked a question on my talk page, but since you're probably busy, I'd like to draw your attention to that, namely, what is ‘substantial’ in this context? The „sentence“ is really only an admonition to stick to RW-rules. Fine with me. The quotes in „sentence“ actually refer to that. I'll gladly comply. But does this mean that others may make substantial changes without discussing first at a whim? And, yes, I know that it is not considered good form to draw attention to one's talk page, but I may perhaps be forgiven this one time. I really am curious. Cheers Sorte Slyngel (talk) 18:19, 28 January 2016 (UTC)
Sorte has now set forth an elaborate stmt of intended definace[edit]
IN the "Summing up" section of his page. He's telling you and the community what his terms are. That which he find unacceptable he intends not to abide by. Paravant blocked or binned for such stated intent to defy. ---Mona- (talk) 20:33, 28 January 2016 (UTC)
- I'm aware of it. I'm not going barter terms with him. Nor with you. You're both dragging this thing out while everyone else is over it. If Sorte doesn't stick to what's asked of him, he'll get what's been promised. As long as he's just pontificating on his talk page, my advice is to ignore it. Wėąṣėḷőįď
Methinks it is a Weasel 21:25, 28 January 2016 (UTC)
- I'll stick to my end. The question I'd like an answer to is, for how long will Mona hold the power of veto? You can despise me all you want, but this deserves an answer. If it's perpetual, then there's nothing to be said for RW. Cheers Sorte Slyngel (talk) 22:11, 28 January 2016 (UTC)
- This is a mobocracy, so no matter what the official answer is, the actual answer is "until you prove that getting rid of you will be worse for the wiki than putting up with any shit you get involved in". Try fleshing out some of the stubby articles or go to the Revent Suggestions and create desperately wanted pages? Instead of edit warring with others? CorruptUser (talk) 22:15, 28 January 2016 (UTC)
- I suggested this myself. --Castaigne2 (talk) 22:21, 28 January 2016 (UTC)
- Mona doesn't have any "power of veto". I think I've made it clear that I won't take orders from her. Weaseloid
Methinks it is a Weasel 22:33, 28 January 2016 (UTC)
- She seems to think so. In any case, I did read and reply to Castaigne's suggestion, and I am actually having some fun. I'll stay cool. But as long as we are both here, there are bound to be clashes in the future. Chomsky happens to be an interest of mine, never mind what Mona thinks — including owning the article, and I'm not saying this to provoke. I'll try and sin no more, but try and snark about Chomsky and it will be reverted. It doesn't have to be me. But, to repeat, there won't be any problems for the next months unless Mona has acquired more articles. Cheers Sorte Slyngel (talk) 22:39, 28 January 2016 (UTC)
- You may have been punished, Sorte, but the price for making that happen -- the cost extracted from me -- has been too high. Avenger, Arisboch, Castaigne, and you. This wiki tolerates them all, unless and until they formally break the minimal rules. It's not worth it.
Arisboch and Avenger and/or their pals from KWFThe BoNs will still be allowed to head right for the articles I edit and harass me, as will Castaigne. I can't keep asking for, and expecting, standards of civility and reasonablenss at a wiki that has no collective will for them. One of the moderators here is now contemptuously insulting me, and mocking my stress at what was done to me through attacks on my family last month. That's appalling, and abusive.
- So I'm leaving. I first must figure out how to copy certain articles in the form they are in now, before you and the Zionist fanatics and haters tear them apart.
- Once I get my articles settled at my User page, I will be gone. And the wiki will be left with an asset like you. You and Castaigne are what this site wants. So be it. I won't accept those terms any longer.---Mona- (talk) 22:56, 28 January 2016 (UTC)
- I'll keep it short. I wish you the best in your future endeavors. --Castaigne2 (talk) 23:08, 28 January 2016 (UTC)
- Huh. I did not see this coming. Sorte, you are too intentionally confrontational. "there are bound to be clashes in the future." This is inviting conflict. This is not useful. It doesn't help anyone, least of all the wiki. It shows that Sorte does not have unbiased intentions here, and is trying to push his own personal agenda on the wiki. I'm not going to talk about whether Mona is guilty of this right now. It's not being argued. I don't want to discuss it. We are all here to talk about you, Sorte. You may not have caused this war, but you exacerbated it and made it grow to 50 times its original size. You were on trial, and you were convicted by the mob. Now you're going to dictate the terms of your probation? That's ridiculous! Be advised, if you break the terms of your sentence, you will be punished according to the terms dictated by the mob at the coop. Pbfreespace3 (talk) 23:09, 28 January 2016 (UTC)
- Could you sound like more of a prat? Even I, at my most bombastic, don't sound so much like a scolding kindergarten teacher. --Castaigne2 (talk) 23:14, 28 January 2016 (UTC)
(ec) I was being realistic. I have something to say about Chomsky, and Mona is not an expert on my points. But feel free to welcome me back, or not as the case may be, and gather a crowd. You can't accuse me of not being up front. I stick to the terms. I'm not dictating. I just saw the future, although I didn't see Mona leaving. But if the mob in the aptly named mobocracy cries for my blood, then by all means. Sorte Slyngel (talk) 23:18, 28 January 2016 (UTC)
- You are free to do what you want Sorte, but we are free to ban you for breaking the rules. The mob has spoken, and in the words of FedTruther our Statetheist religion has received the holy words from the king of the all deities here, Coopiter, that should you break the rules we shall smite you for a week. CorruptUser (talk) 23:37, 28 January 2016 (UTC)
- For once I'm a bit nonplussed. RW has always had the opportunity to chastise me, punish me or whatever for breaking the rules. I will keep my promise. Mona's departure, if she is indeed leaving, has nothing to do with that. I don't celebrate her going. This isn't victory for anyone. If it felt like victory, I should certainly be be banished from human society. As for FedTruther, Statetheist and Coopiter, I'm too lazy to look that up, and it is also late. But if you want to gather a lynch mob in, say, two months time, you can read my talk page. It states my intentions. Cheers Sorte Slyngel (talk) 00:01, 29 January 2016 (UTC)
Dicking Around[edit]
Says the guy who defended ryulong.брэндэн (talk) 00:25, 8 February 2016 (UTC)
I edited your comment[edit]
I know it's not the done thing, but I edited your comment here. Creating extra links to a problematic page is probably not a good idea. I'm being over-cautious, and if you want to revert me I'll have no objection. I'm mentioning it here so there's no question of editing your comments behind your back. rpeh •T•C•E• 23:46, 11 February 2016 (UTC)
Ineligible vote struck[edit]
Could you explain? Read-Write (talk) 05:09, 14 February 2016 (UTC)
- RationalWiki:Community Standards #Franchise. You registered 22 December 2015. You still can't vote for penalty and policy decisions.--ZooGuard (talk) 09:41, 14 February 2016 (UTC)
- K, thanks. Read-Write (talk) 17:30, 14 February 2016 (UTC)
Please do not alter the comments on my page. If I wish for a wall of text to be on my page, then lo, it shall so be. There's nothing in the rules against it. Also, readding the comments from the troll from Kiwi Farms is not cool. --Castaigne2 (talk) 19:02, 15 February 2016 (UTC)
Chicken Coop[edit]
With regards to mucking around with the sections, how else is the community actually going to vote on proposals to resolve the situation? A talk page format is far less useful, especially in the chicken coop, which is designed to resolve conflicts between people. We need to actually vote on something rather than just hurl insults and throw shit at each other for the whole time. We need to be done with this. Over. Gone. Please allow my resectioning to stand. Pbfreespace3 (talk) 21:28, 17 February 2016 (UTC)
- I have not prevented anybody from voting, but the proper place for new sections is at the bottom of the page, not arbitrarily between some of the existing sections. Plus you altered section titles which were obviously part of other users' comments. Don't do that. Wéáśéĺóíď
Methinks it is a Weasel 21:32, 17 February 2016 (UTC)
Sorry. Will not do again. I am slightly unfamiliar with formatting, I suppose. Pbfreespace3 (talk) 21:33, 17 February 2016 (UTC)
GFTOW[edit]
Any reason for the delete? FU22YC47P07470 (talk/stalk) 22:46, 1 March 2016 (UTC)
- I imagine because it was a very stupid idea to create a redirect for weird-ass term to the a long list of weird-ass terms it featured on. Queexchthonic murmurings 22:49, 1 March 2016 (UTC)
- Creating the impression that people can expect to find separate articles on phrases like these here is probably not the way to go, Fuzzy. 142.124.55.236 (talk) 23:15, 1 March 42016 AQD (UTC)
We don't need garbage like that showing up in the search autocomplete when it's not actually an article subject nor something users are likely to be looking for. Wěǎšěǐǒǐď
Methinks it is a Weasel 23:21, 1 March 2016 (UTC)
- OK, thanks! FuzzyCatPotato!™ (talk/stalk) 23:46, 1 March 2016 (UTC)
Pizzameister Deal[edit]
What's the deal with Pizzameister? I'm not trying to contest any decision that you made, I just wanted to know what the damning evidence was that Pizzameister was a sock. I had suspected it for a while, especially because of the nature of his appearance (right in the middle of an important coop case), but I really didn't get the sudden reveal. Do you know what I mean? I'm sorry if I'm not being clear enough. Pbfreespace3 (talk) 21:54, 4 March 2016 (UTC)
- See here , among others.--Pippa (talk) 21:58, 4 March 2016 (UTC)
- I'm not aware of any decision having been made about Pizzameister, though I personally wouldn't be averse to banning them with the reason "Avenger sock or else a very good impersonator". ;) 142.124.55.236 (talk) 22:11, 4 March 42016 AQD (UTC)
- Look at this from the recent changes page: Weaseloid (Talk | contribs | block) changed group membership for User:Pizzameister from autopatrolled to sysoprevoke (sock of desysoped & vandal-binned user) This was what I was referring to. Pbfreespace3 (talk) 22:17, 4 March 2016 (UTC)
OK, I would want you to explain your side of the Sea Shepherd issue[edit]
Before you revert or undo take the time to think about what illegal means. Sea Shepherd doesn't make any distinction based on legality. You should ponder before you undo again. Of course I'll lose a protracted battle over this, but I would like to see your point of view. What's legal in this case? A lot is legal. Sea Shepherd is against all of it, legal or not. Don't let your personal tendencies spill over. My edit stands for itself, although I will probably in the minority of just a few. No matter, I'm used to that. But what is your conclusion having brushed up on the law? Cheers Sorte Slyngel (talk) 01:02, 5 March 2016 (UTC)
- I've responded on the talk page where it's appropriate. Thanks for the patronising lecture though. Ŵêâŝêîôîď
Methinks it is a Weasel 01:05, 5 March 2016 (UTC)
- The lecture wasn't patronizing and vandal binning is far too much. Methinks you grabbed the first opportunity. I live in one of the few countries where whales are hunted and I happen to know a bit about the subject. Now, I'd suggest you pull me out of the bin. I have a clean record for the time being, and that has to say something. Your binning was abuse of power. And in any case, since it's late over here, for how long am I binned? I'm judged for a trivial matter based on the green opinions of one particular moderator. I explicitly said, which was to be my final entry and said I would do no more. That was honestly meant. I've given up on edit warring because it's not producive for anything, but as a moderator you have followed every step of the way and edit-warred yourself. You at least seem to undo this matter as a reflex, sight unseen or at least with a very limited knowledge of maritime law. I don't want to run for help crying to other moderators as seems to be a favorite tactic, but if your vandal binning is overly long, then this will have to be taken up in a larger group. I've been seclusive for quite a while, and it is irritating to see a trivial matter becoming an issue. Cheers Sorte Slyngel (talk) 01:37, 5 March 2016 (UTC)
- OK, now I'm apparently free. I just have one question to ask: On which possible grounds were you removing the illegal. I really don't care, but it would be curious to know, nevertheless. You can cite me chapter and verse about my sentence, but that sentence doesn't include whaling, and you started undoing relentlessly knowing that you're a moderator. Not an exalted position. As for me, I have mostly been tending my garden in fits and spurts, when I feel the need. With authority (moderator in your case) comes responsibility and that means you can't go on searching for fights just for the fun of it. Check out my contributions from last month. You'll see mostly harmless stuff, which according to Douglas Adams pretty much the current situation. And, as always — how do you define legal or illegal, or possibly your legal assistant? I'm quite relaxed as is and don't intend to involve more than necessary. And, finaly, I don't take kindly to be bullied which was your tactic here. Cheers Sorte Slyngel (talk) 01:55, 5 March 2016 (UTC)
This belongs here[edit]
Somebody said, that one should never attribute to malice when stupidity is sufficient. Since stupidity is not an issue here, I have to conclude malice. As the one who started edit-warring, you bear the blame, and judging by the very fast responses I have to conclude that you deliberately provoked this bout. Otherwise you would have to believe Sea Shepherd's official propaganda, and I don't think there are many here dumb enough to do that. Sweet dreams Sorte Slyngel (talk) 15:36, 5 March 2016 (UTC)
- PS: After today's system crisis, I checked whether I had left any loose ends. It turned out I did, but among many nations not replying is accepting. So until you analyze yourself as you should, I can only think that you've got nothing of substance to say and implicitly agree with me. Remember: Vendettas bad. Bullying bad. Cheers Sorte Slyngel (talk) 00:46, 6 March 2016 (UTC)
- I tend not to give a fuck about your opinions or loose ends, implicitly & explicitly. Wēāŝēīōīď
Methinks it is a Weasel 01:18, 6 March 2016 (UTC)
- Not much of a riposte, but the feeling is mutual. And this is still acceptance through silence. Sorte Slyngel (talk) 01:23, 6 March 2016 (UTC)
- Doesn't look like silence to me. Go away. Wěǎšěǐǒǐď
Methinks it is a Weasel 01:29, 6 March 2016 (UTC)
- You're just painted in a corner. Your not saying anything speaks volumes. But I'll leave you be for the time being. Perhaps until after the semester is over. Cheers Sorte Slyngel (talk) 02:17, 6 March 2016 (UTC)
Why keep Alternate and Patent Medicine separate?[edit]
FuzzyCatPotato!™ (talk/stalk) 02:06, 7 March 2016 (UTC)
- Because they are different things from different time periods with no duplication of content and there is no logical reason to merge them. Wěǎšěǐǒǐď
Methinks it is a Weasel 08:30, 7 March 2016 (UTC)
- But the history of patent medicine is essentially the same as alternative medicine -- claim benefits, have no proof, make money. I think it put altmed in a useful historical context of bullshit in advertising. FuzzyCatPotato!™ (talk/stalk) 12:06, 9 March 2016 (UTC)
ipboptions[edit]
The parenthetical (only spam) was to get and get fewer people to use that log of a ban unnecessarily. Any suggestions for a less ugly way of doing so? Herr FüzzyCätPötätö (talk/stalk) 12:05, 9 March 2016 (UTC)
- Yeah, don't give blocking abilities to people who won't use them responsibly. Щєазєюіδ
Methinks it is a Weasel 13:32, 9 March 2016 (UTC)
- Given that long time users also abuse, there's no way to do that without desysopping almost everyone. Fuzzy. Cat. Potato! (talk/stalk) 14:45, 9 March 2016 (UTC)
To ensure that you read this[edit]
As it says. I left a request for a comment by you on FuzzyCat's talk page. Since for anything to happen, you apparently have to comment on my sysoprevoke yourself. Now that I know you've seen it, you don't have an excuse for not commenting on the grounds that you didn't notice. So, I ask for a comment from you, and it is actually your moral duty to do so. Your last vandal binning was particularly out of order, moderator or not. Cheers Sorte Slyngel (talk) 17:03, 9 March 2016 (UTC) | https://rationalwiki.org/wiki/User_talk:Weaseloid/Archive | CC-MAIN-2019-30 | refinedweb | 52,523 | 72.36 |
Hi, I also figured out that if and unless prefix are not going to mask potential if or unless
attributes already existing in custom types or data types. I was glad to see that the patch
was still usable with little manual work after so many years in Bugzilla.
I did not try to create an implementation without namespaces, no idea whether this would be
easy or not.
Antoine
Peter Reilly <peter.kitt.reilly@gmail.com> a écrit :
>The problem of not using namespaces is that they
>would not be backward compatible. Also the attributes
>are 'magic' and we already have 'id' as a magic attribute,
>which makes task code hard to reason about.
>Peter
>p.s, I really hate xml namespaces!
>
>
>
>On Thu, May 9, 2013 at 4:43 PM, Jean-Louis Boudart <
>jeanlouis.boudart@gmail.com> wrote:
>
>> I'm not a big fan of adding this feature through internal namespaces,
>was
>> there any complication to do it without namespaces ?
>>
>> Anyway it does the job, and stuff looks extensible so i'm fine with
>current
>> solution if no one objects.
>>
>> 49036 add 'unless' attribute to JUnit test element was already solved
>> isn't it ?
>>
>>
>>
>> 2013/5/6 Peter Reilly <peter.kitt.reilly@gmail.com>
>>
>> > wow, I had forgot about that!
>> >
>> > Peter
>> >
>> >
>> > On Mon, May 6, 2013 at 12:55 AM, Antoine Levy Lambert
><antoine@gmx.de
>> > >wrote:
>> >
>> > > Hi,
>> > >
>> > > I have committed a patch created by Peter Reilly back in 2007.
>> > >
>> > > The bugzilla PR is 43362 [1]
>> > >
>> > > If the community is happy with this change we will be able to
>close a
>> > > number of bug reports requesting if/unless on various elements .
>> > > For instance 49136 requesting if/unless support for attribute
>nested
>> > > element of manifest task,
>> > > 49036 add 'unless' attribute to JUnit test element,
>> > > ...
>> > >
>> > > Regards,
>> > >
>> > > Antoine
>> > >
>> > > [1]
>> > >
>> > > On May 3, 2013, at 5:37 AM, Jan Matèrne (jhm) wrote:
>> > >
>> > > > AFA.
>> > > >>>>
>> > > >>>>
>> > > >>>>
>> --------------------------------------------------------------------
>> > > >> -
>> > > >>>>
>>
--
Sent from my Android phone with K-9 Mail. Please excuse my brevity. | http://mail-archives.apache.org/mod_mbox/ant-dev/201305.mbox/%3C1b63d5fa-dbe9-422a-a569-6da4b021ae44@email.android.com%3E | CC-MAIN-2015-40 | refinedweb | 323 | 64.81 |
.
There is a lot to cover, so let's get started.
Where We Last Left Off
For the unfamiliar, MVC stands for Model-View-Controller. You can thing of MVC as Database-HTML-Logic Code. Separating your code into these distinct parts makes it easier to replace one or more of the components without interfering with the rest of your app. As you will see below, this level of abstraction also encourages you to write small, concise functions that rely on lower-level functions.
I like to start with the Model when building this type of application--everything tends to connect to it (I.E. signup, posts, etc). Let's setup the database.
The Database
We require four tables for this application. They are:
Users- holds the user's info.
Ribbits- contains the actual ribbits (posts).
Follows- the list of who follows who.
UserAuth- the table for holding the login authentications
I'll show you how to create these tables from the terminal. If you use an admin program (such as phpMyAdmin), then you can either click the SQL button to directly enter the commands or add the tables through the GUI.
To start, open up a terminal window, and enter the following command:
mysql -u username -h hostAddress -P portNumber -p
If you are running this command on a MySQL machine, and the port number was not modified, you may omit the
-h
and
-P arguments. The command defaults to localhost and port 3306, respectively. Once you login, you can create the database using the following SQL:
CREATE DATABASE Ribbit; USE Ribbit;
Let's begin by creating the
Users table:
CREATE TABLE Users ( id INT NOT NULL AUTO_INCREMENT, username VARCHAR(18) NOT NULL, name VARCHAR(36), password VARCHAR(64), created_at DATETIME, email TEXT, gravatar_hash VARCHAR(32), PRIMARY KEY(id, username) );
This gives us the following table:
Users Table
The next table I want to create is the
Ribbits table. This table should have four fields:
id,
user_id,
ribbit and
created_at. The SQL code for this table is:
CREATE TABLE Ribbits ( id INT NOT NULL AUTO_INCREMENT, user_id INT NOT NULL, ribbit VARCHAR(140), created_at DATETIME, PRIMARY KEY(id, user_id) );
Ribbits Table
This is fairly simple stuff, so I won't elaborate too much.
Next, the
Follows table. This simply holds the
ids of both the follower and followee:
CREATE Table Follows ( id INT NOT NULL AUTO_INCREMENT, user_id INT NOT NULL, followee_id INT, PRIMARY KEY(id, user_id) );
Follows Table
Finally, we have a table, called
UserAuth. This holds the user's username and password hash. I opted not to use the user's ID, because the program already stores the username, when logging in and signing up (the two times when entries are added to this table), but the program would need to make an extra call to get the user's ID number. Extra calls mean more latency, so I chose not to use the user's ID.
In a real world project, you may want to add another field like 'hash2' or 'secret'. If all you need to authenticate a user is one hash, then an attacker only has to guess that one hash. For example: I randomly enter characters into the hash field in the cookie. If there are enough users, it might just match someone. But if you have to guess and match two hashes, then the chance of someone guessing the correct pair drops exponentially (the same applies to adding three, etc). But to keep things simple, I will only have one hash.
Here's the SQL code:
CREATE TABLE UserAuth ( id INT NOT NULL AUTO_INCREMENT, hash VARCHAR(52) NOT NULL, username VARCHAR(18), PRIMARY KEY(id, hash) );
And this final table looks like the following image:
UserAuth Table
Now that we have all the tables setup, you should have a pretty good idea of how the overall site will work. We can start writing the Model class in our MVC framework.
The Model
Create a file, called
model.php and enter the following class declaration:
class Model{ private $db; // Holds mysqli Variable function __construct(){ $this->db = new mysqli('localhost', 'user', 'pass', 'Ribbit'); } }
This looks familiar to you if you have written PHP classes in the past. This code basically creates a class called
Model. It has one private property named
$db which holds a
mysqli object. Inside the constructor, I initialized the
$db property using the connection info to my database. The parameter order is: address, username, password and database name.
Before we get into any page-specific code, I want to create a few low-level commands that abstract the common mySQL functions like
SELECTand
INSERT.
The first function I want to implement is
select(). It accepts a string for the table's name and an array of properties for building the
WHERE clause. Here is the entire function, and it should go right after the constructor:
//--- private function for performing standard SELECTs private function select($table, $arr){ $query = "SELECT * FROM " . $table; $pref = " WHERE "; foreach($arr as $key => $value) { $query .= $pref . $key . "='" . $value . "'"; $pref = " AND "; } $query .= ";"; return $this->db->query($query); }
The function builds a query string using the table's name and the array of properties. It then returns a result object which we get by passing the query string through
mysqli's
query() function. The next two functions are very similar; they are the
insert() function and the
delete() function:
//--- private function for performing standard INSERTs private function insert($table, $arr) { $query = "INSERT INTO " . $table . " ("; $pref = ""; foreach($arr as $key => $value) { $query .= $pref . $key; $pref = ", "; } $query .= ") VALUES ("; $pref = ""; foreach($arr as $key => $value) { $query .= $pref . "'" . $value . "'"; $pref = ", "; } $query .= ");"; return $this->db->query($query); } //--- private function for performing standard DELETEs private function delete($table, $arr){ $query = "DELETE FROM " . $table; $pref = " WHERE "; foreach($arr as $key => $value) { $query .= $pref . $key . "='" . $value . "'"; $pref = " AND "; } $query .= ";"; return $this->db->query($query); }
As you may have guessed, both functions generate a SQL query and return a result. I want to add one more helper function: the
exists() function. This will simply check if a row exists in a specified table. Here is the function:
//--- private function for checking if a row exists private function exists($table, $arr){ $res = $this->select($table, $arr); return ($res->num_rows > 0) ? true : false; }
Before we make the more page-specific functions, we should probably make the actual pages. Save this file and we'll start on URL routing.
The Router
In a MVC framework, all HTTP requests usually go to a single controller, and the controller determines which function to execute based on the requested URL. We are going to do this with a class called
Router. It will accept a string (the requested page) and will return the name of the function that the controller should execute. You can think of it as a phone book for function names instead of numbers.
Here is the completed class's structure; just save this to a file called
router.php:
class Router{ private $routes; function __construct(){ $this->routes = array(); } public function lookup($query) { if(array_key_exists($query, $this->routes)) { return $this->routes[$query]; } else { return false; } } }
This class has one private property called
routes, which is the "phone book" for our controllers. There's also a simple function called
lookup(), which returns a string if the path exists in the
routes property. To save time, I will list the ten functions that our controller will have:
function __construct(){ $this->routes = array( "home" => "indexPage", "signup" => "signUp", "login" => "login", "buddies" => "buddies", "ribbit" => "newRibbit", "logout" => "logout", "public" => "publicPage", "profiles" => "profiles", "unfollow" => "unfollow", "follow" => "follow" ); }
The list goes by the format of
'url' => 'function name'. For example, if someone goes to
ribbit.com/home, then the router tells the controller to execute the
indexPage() function.
The router is only half the solution; we need to tell Apache to redirect all traffic to the controller. We'll achieve this by creating a file called
.htaccess in the root directory of the site and adding the following to the file:
RewriteEngine On RewriteRule ^/?Resource/(.*)$ /$1 [L] RewriteRule ^$ /home [redirect] RewriteRule ^([a-zA-Z]+)/?([a-zA-Z0-9/]*)$ /app.php?page=$1&query=$2 [L]
This may seem a little intimidating if you've never used apache's mod_rewrite. But don't worry; I'll walk you through it line by line.
In a MVC framework, all HTTP requests usually go to a single controller.
The first line tells Apache to enable mod_rewrite; the remaining lines are the rewrite rules. With mod_rewrite, you can take an incoming request with a certain URL and pass the request onto a different file. In our case, we want all requests to be handled by a single file so that we can process them with the controller. The mod_rewrite module also lets us have URLs like
ribbit.com/profile/username instead of
ribbit.com/profile.php?username=username--making the overall feel of your app more professional.
I said, we want all requests to go to a single file, but that's really not accurate. We want Apache to normally handle requests for resources like images, CSS files, etc. The first rewrite rule tells Apache to handle requests that start with
Resource/ in a regular fashion. It's a regular expression that takes everything after the word
Resource/ (notice the grouping brackets) and uses it as the real URL to the file. So for example: the link
ribbit.com/Resource/css/main.css loads the file located at
ribbit.com/css/main.css.
The next rule tells Apache to redirect blank requests (i.e. a request to the websites root) to
The word "redirect" in the square brackets at the end of the line tells Apache to actually redirect the browser, as opposed rewriting on URL to another (like in the previous rule).
There are different kinds of flashes: error, warning and notice.
The last rule is the one we came for; it takes all requests (other than those that start with
Resource/) and sends them to a PHP file called
app.php. That is the file that loads the controller and runs the whole application.
The "
^" symbol represents the beginning of the string and the "
$" represents the end. So the regular expression can be translated into English as: "Take everything from the beginning of the URL until the first slash, and put it in group 1. Then take everything after the slash, and put it in group 2. Finally, pass the link to Apache as if it said
app.php?page=group1&query=group2." The "
[L]" that is in the first and third line tells Apache to stop after that line. So if the request is a resource URL, it shouldn't continue to the next rule; it should break after the first one.
I hope all that made sense; the following picture better illustrates what's going on.
If you are still unclear on the actual regular expression, then we have a very nice article that you can read.
Now that we have everything setup URL-wise, let's create the controller.
The Controller
The controller is where most of the magic happens; all the other pieces of the app, including the model and router, connect through here. Let's begin by creating a file called
controller.php and enter in the following:
require("model.php"); require("router.php"); class Controller{ private $model; private $router; //Constructor function __construct(){ //initialize private variables $this->model = new Model(); $this->router = new Router(); //Proccess Query String $queryParams = false; if(strlen($_GET['query']) > 0) { $queryParams = explode("/", $_GET['query']); } $page = $_GET['page']; //Handle Page Load $endpoint = $this->router->lookup($page); if($endpoint === false) { header("HTTP/1.0 404 Not Found"); } else { $this->$endpoint($queryParams); } }
With mod_rewrite, you can take an incoming request with a certain URL and pass the request onto a different file.
We first load our model and router files, and we then create a class called
Controller. It has two private variables: one for the model and one for the router. Inside the constructor, we initialize these variables and process the query string.
If you remember, the query can contain multiple values (we wrote in the
.htaccess file that everything after the first slash gets put in the query--this includes all slashes that may follow). So we split the query string by slashes, allowing us to pass multiple query parameters if needed.
Next, we pass whatever was in the
$page variable to the router to determine the function to execute. If the router returns a string, then we will call the specified function and pass it the query parameters. If the router returns
false, the controller sends the 404 status code. You can redirect the page to a custom 404 view if you so desire, but I'll keep things simple.
The framework is starting to take shape; you can now call a specific function based on a URL. The next step is to add a few functions to the controller class to take care of the lower-level tasks, such as loading a view and redirecting the page.
The first function simply redirects the browser to a different page. We do this a lot, so it's a good idea to make a function for it:
private function redirect($url){ header("Location: /" . $url); }
The next two functions load a view and a page, respectively:
private function loadView($view, $data = null){ if (is_array($data)) { extract($data); } require("Views/" . $view . ".php"); } private function loadPage($user, $view, $data = null, $flash = false){ $this->loadView("header", array('User' => $user)); if ($flash !== false) { $flash->display(); } $this->loadView($view, $data); $this->loadView("footer"); }
The first function loads a single view from the "Views" folder, optionally extracting the variables from the attached array. The second function is the one we will reference, and it loads the header and footer (they are the same on all pages around the specified view for that page) and any other messages (flash i.e. an error message, greetings, etc).
There is one last function that we need to implement which is required on all pages: the
checkAuth() function. This function will check if a user is signed in, and if so, pass the user's data to the page. Otherwise, it returns false. Here is the function:
private function checkAuth(){ if(isset($_COOKIE['Auth'])) { return $this->model->userForAuth($_COOKIE['Auth']); } else { return false; } }
We first check whether or not the
Auth cookie is set. This is where the hash we talked about earlier will be placed. If the cookie exists, then the function tries to verify it with the database, returning either the user on a successful match or false if it's not in the table.
Now let's implement that function in the model class.
A Few Odds and Ends
In the
Model class, right after the
exists() function, add the following function:
public function userForAuth($hash){ $query = "SELECT Users.* FROM Users JOIN (SELECT username FROM UserAuth WHERE hash = '"; $query .= $hash . "' LIMIT 1) AS UA WHERE Users.username = UA.username LIMIT 1"; $res = $this->db->query($query); if($res->num_rows > 0) { return $res->fetch_object(); } else { return false; } }
If you remember our tables, we have a
UserAuth table that contains the hash along with a username. This SQL query retrieves the row that contains the hash from the cookie and returns the user with the matching username.
That's all we have to do in this class for now. Let's go back into the
controller.php file and implement the
Flash class.
In the
loadPage()function, there was an option to pass a
flashobject, a message that appears above all the content.
For example: if an unauthenticated user tries to post something, the app displays a message similar to, "You have to be signed in to perform that action." There are different kinds of flashes: error, warning and notice, and I decided it is easier to create a
Flash class instead of passing multiple variables (like
msg and
type. Additionally, the class will have the ability to output a flash's HTML.
Here is the complete
Flash class, you can add this to
controller.php before the
Controller class definition:
class Flash{ public $msg; public $type; function __construct($msg, $type) { $this->msg = $msg; $this->type = $type; } public function display(){ echo "<div class=\"flash " . $this->type . "\">" . $this->msg . "</div>"; } }
This class is straight-forward. It has two properties and a function to output the flash's HTML.
We now have all the pieces needed to start displaying pages, so let's create the
app.php file. Create the file and insert the following code:
<?php require("controller.php"); $app = new Controller();
And that's it! The controller reads the request from the GET variable, passes it to the router, and calls the appropriate function. Let's create some of the views to finally get something displayed in the browser.
The Views
Create a folder in the root of your site called
Views. As you may have already guessed, this directory will contains all the actual views. If you are unfamiliar with the concept of a view, you can think of them as files that generate pieces of HTML that build the page. Basically, we'll have a view for the header, footer and one for each page. These pieces combine into the final result (i.e. header + page_view + footer = final_page).
Let's start with the footer; it is just standard HTML. Create a file called
footer.php inside the
Views folder and add the following HTML:
</div> </div> <footer> <div class="wrapper"> Ribbit - A Twitter Clone Tutorial<img src=""> </div> </footer> </body> </html>
I think this demonstrates two things very well:
- These are simply pieces of an actual page.
- To access the images that are in the
gfxfolder, I added
Resources/to the beginning of the path (for the mod_rewrite rule).
Next, let's create the
header.php file. The header is a bit more complicated because it must determine if the user is signed in. If the user is logged in, it displays the menu bar; otherwise, it displays a login form. Here is the complete
header.php file:
<!DOCTYPE html> <html> <head> <link rel="stylesheet/less" href="/Resource/style.less"> <script src="/Resource/less.js"></script> </head> <body> <header> <div class="wrapper"> <img src=""> <span>Twitter Clone</span> <?php if($User !== false){ ?> <nav> <a href="/buddies">Your Buddies</a> <a href="/public">Public Ribbits</a> <a href="/profiles">Profiles</a> </nav> <form action="/logout" method="get"> <input type="submit" id="btnLogOut" value="Log Out"> </form> <?php }else{ ?> <form method="post" action="/login"> <input name="username" type="text" placeholder="username"> <input name="password" type="password" placeholder="password"> <input type="submit" id="btnLogIn" value="Log In"> </form> <?php } ?> </div> </header> <div id="content"> <div class="wrapper">
I'm not going to explain much of the HTML. Overall, this view loads in the CSS style sheet and builds the correct header based on the user's authentication status. This is accomplished with a simple
if statement and the variable passed from the controller.
The last view for the homepage is the actual
home.php view. This view contains the greeting picture and signup form. Here is the code for
home.php:
<img src=""> <div class="panel right"> <h1>New to Ribbit?</h1> <p> <form action="/signup" method="post"> <input name="email" type="text" placeholder="Email"> <input name="username" type="text" placeholder="Username"> <input name="name" type="text" placeholder="Full Name"> <input name="password" type="password" placeholder="Password"> <input name="password2" type="password" placeholder="Confirm Password"> <input type="submit" value="Create Account"> </form> </p> </div>
Together, these three views complete the homepage. Now let's go write the function for the home page.
The Home Page
We need to write a function in the
Controller class called
indexPage() to load the home page (this is what we set up in the router class). The following complete function should go in the
Controller class after the
checkAuth() function:
private function indexPage($params){ $user = $this->checkAuth(); if($user !== false) { $this->redirect("buddies"); } else { $flash = false; if($params !== false) { $flashArr = array( "0" => new Flash("Your Username and/or Password was incorrect.", "error"), "1" => new Flash("There's already a user with that email address.", "error"), "2" => new Flash("That username has already been taken.", "error"), "3" => new Flash("Passwords don't match.", "error"), "4" => new Flash("Your Password must be at least 6 characters long.", "error"), "5" => new Flash("You must enter a valid Email address.", "error"), "6" => new Flash("You must enter a username.", "error"), "7" => new Flash("You have to be signed in to acces that page.", "warning") ); $flash = $flashArr[$params[0]]; } $this->loadPage($user, "home", array(), $flash); } }
The first two lines check if the user is already signed in. If so, the function redirects the user to the "buddies" page where they can read their friends' posts and view their profile. If the user is not signed in, then it continues to load the home page, checking if there are any flashes to display. So for instance, if the user goes to
ribbit.com/home/0, then it this function shows the first error and so on for the next seven flashes. Afterwards, we call the
loadPage() function to display everything on the screen.
At this point if you have everything setup correctly (i.e. Apache and our code so far), then you should be able to go to the root of your site (e.g. localhost) and see the home page.
Congratulations!! It's smooth sailing from here on out... well at least smoother sailing. It's just a matter of repeating the previous steps for the other nine functions that we defined in the router.
Rinse and Repeat
The next logical step is to create the signup function, you can add this right after the
indexPage():
private function signUp(){ if($_POST['email'] == "" || strpos($_POST['email'], "@") === false){ $this->redirect("home/5"); } else if($_POST['username'] == ""){ $this->redirect("home/6"); } else if(strlen($_POST['password']) < 6) { $this->redirect("home/4"); } else if($_POST['password'] != $_POST['password2']) { $this->redirect("home/3"); } else{ $pass = hash('sha256', $_POST['password']); $signupInfo = array( 'username' => $_POST['username'], 'email' => $_POST['email'], 'password' => $pass, 'name' => $_POST['name'] ); $resp = $this->model->signupUser($signupInfo); if($resp === true) { $this->redirect("buddies/1"); } else { $this->redirect("home/" . $resp); } } }
This function goes through a standard signup process by making sure everything checks out. If any of the user's info doesn't pass, the function redirects the user back to the home page with the appropriate error code for the
indexPage() function to display.
The checks for existing usernames and passwords cannot be performed here.
Those checks need to happen in the
Model class because we need a connection to the database. Let's go back to the
Model class and implement the
userForAuth() function:
public function signupUser($user){ $emailCheck = $this->exists("Users", array("email" => $user['email'])); if($emailCheck){ return 1; } else { $userCheck = $this->exists("Users", array("username" => $user['username'])); if($userCheck){ return 2; } else{ $user['created_at'] = date( 'Y-m-d H:i:s'); $user['gravatar_hash'] = md5(strtolower(trim($user['email']))); $this->insert("Users", $user); $this->authorizeUser($user); return true; } } }
We use our
exists() function to check the provided email or username, returning an error code either already exists. If everything passes, then we add the final few fields,
created_at and
gravatar_hash, and insert them into the database.
Before returning
true, we authorize the user. This function adds the Auth cookie and inserts the credentials into the
UserAuth database. Let's add the
authorizeUser() function now:
public function authorizeUser($user){ $chars = "qazwsxedcrfvtgbyhnujmikolp1234567890QAZWSXEDCRFVTGBYHNUJMIKOLP"; $hash = sha1($user['username']); for($i = 0; $i<12; $i++) { $hash .= $chars[rand(0, 61)]; } $this->insert("UserAuth", array("hash" => $hash, "username" => $user['username'])); setcookie("Auth", $hash); }
This function builds the unique hash for a user on sign up and login. This isn't a very secure method of generating hashes, but I combine the sha1 hash of the username along with twelve random alphanumeric characters to keep things simple.
It's good to attach some of the user's info to the hash because it helps make the hashes unique to that user.
There is a finite set of unique character combinations, and you'll eventually have two users with the same hash. But if you add the user's ID to the hash, then you are guaranteed a unique hash for every user.
Login and Logout
To finish the functions for the home page, let's implement the
login() and
logout() functions. Add the following to the
Controller class after the
login() function:
private function login(){ $pass = hash('sha256', $_POST['password']); $loginInfo = array( 'username' => $_POST['username'], 'password' => $pass ); if($this->model->attemptLogin($loginInfo)) { $this->redirect("buddies/0"); } else { $this->redirect("home/0"); } }
This simply takes the POST fields from the login form and attempts to login. On a successful login, it takes the user to the "buddies" page. Otherwise, it redirects back to the homepage to display the appropriate error. Next, I'll show you the
logout() function:
private function logout() { $this->model->logoutUser($_COOKIE['Auth']); $this->redirect("home"); }
The
logout() function is even simpler than
login(). It executes one of
Model's functions to erase the cookie and remove the entry from the database.
Let's jump over to the
Model class and add the necessary functions for these to updates. The first is
attemptLogin() which tries to login and returns
true or
false. Then we have
logoutUser():
public function attemptLogin($userInfo){ if($this->exists("Users", $userInfo)){ $this->authorizeUser($userInfo); return true; } else{ return false; } } public function logoutUser($hash){ $this->delete("UserAuth", array("hash" => $hash)); setcookie ("Auth", "", time() - 3600); }
The Buddies Page
Hang with me; we are getting close to the end! Let's build the "Buddies" page. This page contains your profile information and a list of posts from you and the people you follow. Let's start with the actual view, so create a file called
buddies.php in the
Views folder and insert the following:
<div id="createRibbit" class="panel right"> <h1>Create a Ribbit</h1> <p> <form action="/ribbit" method="post"> <textarea name="text" class="ribbitText"></textarea> <input type="submit" value="Ribbit!"> </form> </p> </div> <div id="ribbits" class="panel left"> <h1>Your Ribbit Profile</h1> <div class="ribbitWrapper"> <img class="avatar" src="<?php echo $User->gravatar_hash; ?>"> <span class="name"><?php echo $User->name; ?></span> @<?php echo $User->username; ?> <p> <?php echo $userData->ribbit_count . " "; echo ($userData->ribbit_count != 1) ? "Ribbits" : "Ribbit"; ?> <span class="spacing"><?php echo $userData->followers . " "; echo ($userData->followers != 1) ? "Followers" : "Follower"; ?></span> <span class="spacing"><?php echo $userData->following . " Following"; ?></span><br> <?php echo $userData->ribbit; ?> </p> </div> </div> <div class="panel left"> <h1>Your Ribbit Buddies</h1> <?php foreach($frib form for creating new "ribbits". The next div displays the user's profile information, and the last section is the
for loop that displays each "ribbit". Again, I'm not going to go into to much detail for the sake of time, but everything here is pretty straight forward.
Now, in the
Controller class, we have to add the
buddies() function:
private function buddies($params){ $user = $this->checkAuth(); if($user === false){ $this->redirect("home/7"); } else { $userData = $this->model->getUserInfo($user); $fribbits = $this->model->getFollowersRibbits($user); $flash = false; if(isset($params[0])) { $flashArr = array( "0" => new Flash("Welcome Back, " . $user->name, "notice"), "1" => new Flash("Welcome to Ribbit, Thanks for signing up.", "notice"), "2" => new Flash("You have exceeded the 140 character limit for Ribbits", "error") ); $flash = $flashArr[$params[0]]; } $this->loadPage($user, "buddies", array('User' => $user, "userData" => $userData, "fribbits" => $fribbits), $flash); } }
This function follows the same structure as the
indexPage() function: we first check if the user is logged in and redirect them to the home page if not.
We then call two functions from the
Modelclass: one to get the user's profile information and one to get the posts from the user's followers.
We have three possible flashes here: one for signup, one for login and one for if the user exceeds the 140 character limit on a new ribbit. Finally, we call the
loadPage() function to display everything.
Now in the
Model class we have to enter the two functions we called above. First we have the 'getUserInfo' function:
public function getUserInfo($user) { $query = "SELECT ribbit_count, IF(ribbit IS NULL, 'You have no Ribbits', ribbit) as ribbit, followers, following "; $query .= "FROM (SELECT COUNT(*) AS ribbit_count FROM Ribbits WHERE user_id = " . $user->id . ") AS RC "; $query .= "LEFT JOIN (SELECT user_id, ribbit FROM Ribbits WHERE user_id = " . $user->id . " ORDER BY created_at DESC LIMIT 1) AS R "; $query .= "ON R.user_id = " . $user->id . " JOIN ( SELECT COUNT(*) AS followers FROM Follows WHERE followee_id = " . $user->id; $query .= ") AS FE JOIN (SELECT COUNT(*) AS following FROM Follows WHERE user_id = " . $user->id . ") AS FR;"; $res = $this->db->query($query); return $res->fetch_object(); }
The function itself is simple. We execute a SQL query and return the result. The query, on the other hand, may seem a bit complex. It combines the necessary information for the profile section into a single row. The information returned by this query includes the amount of ribbits you made, your latest ribbit, how many followers you have and how many people you are following. This query basically combines one normal
SELECT query for each of these properties and then joins everything together.
Next we had the
getFollowersRibbits() function which looks like this:
public function getFollowersRibbits($user) { $query = "SELECT name, username, gravatar_hash, ribbit, Ribbits.created_at FROM Ribbits JOIN ("; $query .= "SELECT Users.* FROM Users LEFT JOIN (SELECT followee_id FROM Follows WHERE user_id = "; $query .= $user->id . " ) AS Follows ON followee_id = id WHERE followee_id = id OR id = " . $user->id; $query .= ") AS Users on user_id = Users.id ORDER BY Ribbits.created_at DESC LIMIT 10;"; $res = $this->db->query($query); $fribbits = array(); while($row = $res->fetch_object()) { array_push($fribbits, $row); } return $fribbits; }
Similar to the previous function, the only complicated part here is the query. We need the following information to display for each post: name, username, gravatar image, the actual ribbit, and the date when the ribbit was created. This query sorts through your posts and the posts from the people you follow, and returns the latest ten ribbits to display on the buddies page.
You should now be able to signup, login and view the buddies page. We are still not able to create ribbits so let's get on that next.
Posting Your First Ribbit
This step is pretty easy. We don't have a view to work with; we just need a function in the
Controller and
Model classes. In
Controller, add the following function:
private function newRibbit($params){ $user = $this->checkAuth(); if($user === false){ $this->redirect("home/7"); } else{ $text = mysql_real_escape_string($_POST['text']); if(strlen($text) > 140) { $this->redirect("buddies/2"); } else { $this->model->postRibbit($user, $text); $this->redirect("buddies"); } } }
Again we start by checking if the user is logged in, and if so, we ensure the post is not over the 140 character limit. We'll then call
postRibbit() from the model and redirect back to the buddies page.
Now in the
Model class, add the
postRibbit() function:
public function postRibbit($user, $text){ $r = array( "ribbit" => $text, "created_at" => date( 'Y-m-d H:i:s'), "user_id" => $user->id ); $this->insert("Ribbits", $r); }
We are back to standard queries with this one; just combine the data into an array and insert it with our insert function. You should now be able to post Ribbits, so go try to post a few. We still have a little more work to do, so come back after you post a few ribbits.
The Last Two Pages
The next two pages have almost identical functions in the controller so I'm going to post them together:
private function publicPage($params){ $user = $this->checkAuth(); if($user === false){ $this->redirect("home/7"); } else { $q = false; if(isset($_POST['query'])) { $q = $_POST['query']; } $ribbits = $this->model->getPublicRibbits($q); $this->loadPage($user, "public", array('ribbits' => $ribbits)); } } private function profiles($params){ $user = $this->checkAuth(); if($user === false){ $this->redirect("home/7"); } else{ $q = false; if(isset($_POST['query'])) { $q = $_POST['query']; } $profiles = $this->model->getPublicProfiles($user, $q); $this->loadPage($user, "profiles", array('profiles' => $profiles)); } }
These functions both get an array of data; one gets ribbits and the other profiles. They both allow you to search by a POST string option, and they both get the info from the
Model. Now let's go put their corresponding views in the
Views folder.
For the ribbits just create a file called
public.php and put the following inside:
<div class="panel right"> <h1>Search Ribbits</h1> <p> </p><form action="/public" method="post"> <input name="query" type="text"> <input type="submit" value="Search!"> </form> <p></p> </div> <div id="ribbits" class="panel left"> <h1>Public Ribbits</h1> <?php foreach($rib ribbit search form, and the second div displays the public ribbits.
And here is the last view which is the
profiles.php view:
<div class="panel right"> <h1>Search for Profiles</h1> <p> </p><form action="/profiles" method="post"> <input name="query" type="text"> <input type="submit" value="Search!"> </form> <p></p> </div> <div id="ribbits" class="panel left"> <h1>Public Profiles</h1> <?php foreach($profiles as $user){ ?> <div class="ribbitWrapper"> <img class="avatar" src="<?php echo $user->gravatar_hash; ?>"> <span class="name"><?php echo $user->name; ?></span> @<?php echo $user->username; ?> <span class="time"><?php echo $user->followers; echo ($user->followers > 1) ? " followers " : " follower "; ?> <a href="<?php echo ($user->followed) ? "unfollow" : "follow"; ?>/<?php echo $user->id; ?>"><?php echo ($user->followed) ? "unfollow" : "follow"; ?></a></span> <p> <?php echo $user->ribbit; ?> </p> </div> <?php } ?> </div>
This is very similar to the
public.php view.
The last step needed to get these two pages working is to add their dependency functions to the
Model class. Let's start with the function to get the public ribbits. Add the following to the
Model class:
public function getPublicRibbits($q){ if($q === false) { $query = "SELECT name, username, gravatar_hash, ribbit, Ribbits.created_at FROM Ribbits JOIN Users "; $query .= "ON user_id = Users.id ORDER BY Ribbits.created_at DESC LIMIT 10;"; } else{ $query = "SELECT name, username, gravatar_hash, ribbit, Ribbits.created_at FROM Ribbits JOIN Users "; $query .= "ON user_id = Users.id WHERE ribbit LIKE \"%" . $q ."%\" ORDER BY Ribbits.created_at DESC LIMIT 10;"; } $res = $this->db->query($query); $ribbits = array(); while($row = $res->fetch_object()) { array_push($ribbits, $row); } return $ribbits; }
If a search query was passed, then we only select ribbits that match the provided search. Otherwise, it just takes the ten newest ribbits. The next function is a bit more complicated as we need to make multiple SQL queries. Enter this function to get the public profiles:
public function getPublicProfiles($user, $q){ if($q === false) { $query = "SELECT id, name, username, gravatar_hash FROM Users WHERE id != " . $user->id; $query .= " ORDER BY created_at DESC LIMIT 10"; } else{ $query = "SELECT id, name, username, gravatar_hash FROM Users WHERE id != " . $user->id; $query .= " AND (name LIKE \"%" . $q . "%\" OR username LIKE \"%" . $q . "%\") ORDER BY created_at DESC LIMIT 10"; } $userRes = $this->db->query($query); if($userRes->num_rows > 0){ $userArr = array(); $query = ""; while($row = $userRes->fetch_assoc()){ $i = $row['id']; $query .= "SELECT " . $i . " AS id, followers, IF(ribbit IS NULL, 'This user has no ribbits.', ribbit) "; $query .= "AS ribbit, followed FROM (SELECT COUNT(*) as followers FROM Follows WHERE followee_id = " . $i . ") "; $query .= "AS F LEFT JOIN (SELECT user_id, ribbit FROM Ribbits WHERE user_id = " . $i; $query .= " ORDER BY created_at DESC LIMIT 1) AS R ON R.user_id = " . $i . " JOIN (SELECT COUNT(*) "; $query .= "AS followed FROM Follows WHERE followee_id = " . $i . " AND user_id = " . $user->id . ") AS F2 LIMIT 1;"; $userArr[$i] = $row; } $this->db->multi_query($query); $profiles = array(); do{ $row = $this->db->store_result()->fetch_object(); $i = $row->id; $userArr[$i]['followers'] = $row->followers; $userArr[$i]['followed'] = $row->followed; $userArr[$i]['ribbit'] = $row->ribbit; array_push($profiles, (object)$userArr[$i]); }while($this->db->next_result()); return $profiles; } else { return null; } }
It's a lot to take in, so I'll go over it slowly. The first
if...else statement checks whether or not the user passed a search query and generates the appropriate SQL to retrieve ten users. Then we make sure that the query returned some users, and if so, it moves on to generate a second query for each user, retrieving there latest ribbit and info.
After that, we send all the queries to the database with the
multi_querycommand to minimize unnecessary trips to the database.
Then, we take the results and combine them with the user's information from the first query. All this data is returned to display in the profiles view.
If you have done everything correctly, you should be able to traverse through all the pages and post ribbits. The only thing we have left to do is add the functions to follow and unfollow other people.
Tying up the Loose Ends
There is no view associated with these functions, so these will be quick. Let's start with the functions in the
Controller class:
private function follow($params){ $user = $this->checkAuth(); if($user === false){ $this->redirect("home/7"); } else{ $this->model->follow($user, $params[0]); $this->redirect("profiles"); } } private function unfollow($params){ $user = $this->checkAuth(); if($user === false){ $this->redirect("home/7"); } else{ $this->model->unfollow($user, $params[0]); $this->redirect("profiles"); } }
These functions, as you can probably see, are almost identical. The only difference is that one adds a record to the
Follows table and one removes a record. Now let's finish it up with the functions in the
Model class:
public function follow($user, $fId){ $this->insert("Follows", array("user_id" => $user->id, "followee_id" => $fId)); } public function unfollow($user, $fId){ $this->delete("Follows", array("user_id" => $user->id, "followee_id" => $fId)); }
These functions are basically the same; they only differ by the methods they call.
The site is now fully operational!!! The last thing which I want to add is another
.htaccess file inside the
Views folder. Here are its contents:
Order allow,deny Deny from all
This is not strictly necessary, but it is good to restrict access to private files.
Conclusion
We definitely built a Twitter clone from scratch!
This has been a very long article, but we covered a lot! We setup a database and created our very own MVC framework. We definitely built a Twitter clone from scratch!
Please note that, due to length restraints, I had to omit a lot of the features that you might find in a real production application, such as Ajax, protection against SQL injection, and a character counter for the Ribbit box (probably a lot of other things as well). That said, overall, I think we accomplished a great deal!
I hope you enjoyed this article, feel free to leave me a comment if you have any thoughts or questions. Thank you for reading!
Envato Tuts+ tutorials are translated into other languages by our community members—you can be involved too!Translate this post
| https://code.tutsplus.com/tutorials/building-ribbit-in-php--net-28802 | CC-MAIN-2020-50 | refinedweb | 6,451 | 63.7 |
Last update 15 October 2005 Update history is at the end. How-I-Did-It,
simplified.
2005 October 15:
This page was originally written for now obsolete versions of Postman (1.6 and 1.7). Please see the Version 2.0 section at the end on some extra things I had to do to get Postman 2.0 to compile and run on a RedHat 7.2 machine. Quite a lot of the main body of this page is probably irrelevant to a version 2.0 installation. Nonetheless, I think the standard installation documentation still leaves a lot to be desired, so if you read over it - paying attention to the pink boxes in particular - I think you will probably find some useful things.
Back to the web-mail page - with a
link to how I
installed
Postfix, Courier Maildrop and Courier IMAP..
Back to the First Principles page for the world's longest Sliiiiiiiiiinky, corsetry ads, and all sorts of things . . .
This page describes how I installed software on a Red Hat 7.1 system using Apache. will want these various related things well documented for my own assistance in the future.
Please let me know if you are using Postman, and especially if you make any improvements to it
Please don't me ask for assistance with installing Postman - if it isn't written here, I don't know it! There is no Postman mailing list, but if a few people start installing it, then it would be good to establish one.
This page describes the following improvements to the Postman source code:
- Mailboxes, when first opened, are sorted on Date (from the message headers), rather than "arrival time".
- Date sort works on real message date, not the "arrival" date - which may also be the date a message was copied into a mailbox.
- Time is also displayed in the mailbox index - but date and times are not corrected for local timezone, or the timezone correction factor in the message. This would require some substantial new code, I think.
- Compose page text is wrapping properly in Netscape.
- Compose page uses fixed width font with Netscape.
- Fixed the bug of there being no "New Entry" link when Addressbook is entered from the Compose page.
- Fixed the bug of the web server error and end of session from Cancel button in Add new item to Addressbook
- Better English language text.
- A larger "blue Back" arrow to match the size of the other top-line icons.
What lies below is what I did in early August 2001, with Postman 1.6.
On 22 August 2001, Agustin wrote to me about version 1.7:
Hello, Robin!
I have had some time to work in Postman software and I have read
at great length your doc.
CHANGES to Postman (to 1.7):
----------------------------
Changes I will put (I think of that week) as Postman 1.7. I am still
testing it.
- Compiled and tested with c-client imap-2001.BETA.SNAP-0108162300
- Changed a little the Postman docs and configuration files to reflect
your comments in the installation.
- Changed the Postman defaults to your suggestions.
- Changed the login screen to do not cache it. Now, when you
press the browser Back button, user and password are not there.
- Added your changes to the source to reflect the time of the messages
and present it sorted by SORTDATE, not SORTARRIVAL, with some changes.
You have two defines in Config.h to setting it:
//***** MISC ********************************************
//for display the time '(hh:ss)' for msgs in the message index
#define DISPLAY_MSG_TIME_IN_INDEX 1
//for use arrival date or subject date
#define USE_ARRIVAL_DATE 1
The time only will be show in the messages of the current year.
- Some bugs cleared.
- Changed the Language.cc. Some button captions I have no changed
because I think of these are very longs.
- Change icon back.gif.
- Changed TEXTAREAS to WRAP=HARD.
- Changed the minimum time to refresh to 1 minute.
- Now the mailboxes list is sorted without case sensitivity.
- Reformated the AddressBook screen (and his help screen).
---------
- I could add the code to c-client will sort messages by flags. But
there are one problem. The searched flag is not standard and it is
handled by me. ???
- Admin can avoid Postman being used by unauthorised persons with the
flag in interdaemon.cfg
;0 for no, 1 for yes
allowotherimapservers = 0
- In Setember I will create a mailing list to Postman. The postmaster
is in holidays!
Postman is a C++ Web Mail client, written in 2000, by Jose Agustin Lopez BuenoAgustin.Lopez(at)uv.es of the University of Valencia on Spain's Mediterranean coast. Postman's Net abode is: 2002 update: I see that the latest release has a version number of 1.12, and now supports sorting by thread (the subject line, or perhaps by headers pointing to previously referenced messages) and the ability to access Usenet newsgroups, which is a totally different thing from email.
Features include:GPL licenseTo these I would add:
IMAP support
Multiple folders support
MIME support (send and receive)
Programmed in C++
Addressbook
Optional cookies
No Java, no JavaScript (but cookies and Javascript are typically used)
Search mails
Setting of user preferences possible
No reconnections. The connection maintains open.>600k of code, programmed by one person. Salute!
Any mailbox can be used for Sent mail, since if the From address is the same as the user's address, then the "To:" address will be displayed in the From column of the mailbox index, preceded by "To: ". This is an excellent feature and overcomes the typically limited (usually only one) number of mailboxes in other mail clients which can properly display the destination of sent messages.
The mailbox index page can display any number of messages. The user controls the number, and typically 10 to 15 is fine for most uses - but Postman can list an entire 9,000 message mailbox (for instance) on a single easily scrollable page.
Here are the doco files:pmdocs/Postman-1.6-README.txtFrom the README:
pmdocs/Postman-1.6-INSTALL.txt
"POSTMAN" is a WebMail client of high performance.
Postman is a client of Mail with interface Web designed and programmed in
the Service of Computer science of the University of Valencia. The program
has been developed in answer to the necessities raised in our University in
the matter of easy, safe, accessible electronic mail and of high performance;
necessities that then did not find solution adapted in the different programs
available in the network. Concretely, the conditions were (in addition to
elementary of facility and the comfort of the interface):
- Client IMAP, with possibility of using several mailboxes by user.
- That maintained the connection with server IMAP during the user session.
- Support, in a same machine of a high number of sessions (several hundreds).
- "shareware" or "freeware", "open source".
The development of "Postman" took place then having these conditions in
mind, as well as the characteristics, strong points and weaknesses of many other
studied clients "WebMail" with anteriority.
Like result of it, the main characteristics of Postman are at the moment:
- Open source.
- All codified in C and C++.
- Only HTML. No cookies, no Java, no Javascript.
- Support for IMAP protocol.
- The connection maintains open.
- MIME supports (read the "mime-torture-test-mailbox" successfully).
- Support for send several attachments.
- There is no transfer of passwords during the session: the password is only
sent once in the beginning.
- It can work under safe server (SSL).
- Support of address book, signature and several mailboxes in the server.
- All the system works under a same user of UNIX. Not setuids.
- Support multilanguage (until now translated English, Spanish and Catalan).
- Complete help for each screen.
- Aesthetic and ergonomic interface.
And, in addition:
- Selecting and operating with multiple messages simultaneously.
- Possibility of use of button BACK of the navigator without loss of
synchronism with the server.
- Storage automatic of sent messages and dump of a whole mailbox.
- Selective resent of attachments in Replies or Forwards.
- Draft storage between sessions.
- He is able to show attached HTML with images enclosed "in-line", the URLs
within the messages are like "links" effective.
- Automatic commutation of server IMAP based on table user-server.
- Filters to avoid multiple connections (multiple pulsations of buttons) and
automatic locking of previous connection in case of reconnection.
- Optimized occupation and response time of memory.
- Dynamic identification of which it is the process that takes care of each
user.
- Timeout for forgotten sessions.
Functions IMAP and MIME implemented via libreria standard c-client of the
University of Washington (written by Mark Crispin, the author of specification
IMAP). The shipment of attachments is made by means of "Form-based File
specified Upload" in rfc1867.
Postman is made up of two elements: a small called cgi-bin every time by
the WWW server, and "daemon" permanent in charge to send the servers (one by
user session) who take care of the cgi-bin and who maintain the connections
with servers IMAP.
Here is my account of installing Postman 1.6 of 4 June 2001 postman16.tar.gz. The installation instructions are in green.Compile imap c-client from University of Washington.The University of Valencia Postman site currently (18 July 2001) says:
You do not need make a install of the imap sources!
I have tested with Postman the imap release 4.7 and 2000.
You can get some of then from:
or from our ftp server
Put the imap sources at the same level that postman sources. Something like:
/sources/imap4.7
/sources/postmanPostman is tested with the next c-client librariesI looked at the UW site for the latest versions:
(please, if it is possible, use the first):
imap-2001.BETA.SNAP-0105251616
imap-2000c
imap-2000a
imap-2000 RC 3
imap-4.7 is a file there:imap-2001.BETA.SNAP-0107112053.tar.Z July 11I am sus about being too bleeding-edge here.
I decided to get imap-2001.BETA.SNAP-0105251616 from the University of Valencia site.
Inside that, I found a directory /src/c-client/ but it does not have its own makefile.I create the following directories:I create the following directories:/opt/postmansrc/imap010525/So the c-client code is at:
/opt/postmansrc/postman//opt/postmansrc/imap010525/src/c-client/Now, reading again:Compile imap c-client from University of Washington.I interpret this as meaning that I compile the code in the IMAP tarball, but do not install the resulting executables. (But there seems to be no "install" function in the Makefile.)
You do not need make a install of the imap sources!Presumably there will be an object file there which will be linked into a Postman executable.Presumably there will be an object file there which will be linked into a Postman executable.
The IMAP installation instructions in docs/BUILD/ tell me to:make slxI give this as root. There was a message about building without SSL support. There were some warnings regarding "passing arg 3 of scandir from incompatible pointer type.
Now, back to the Postman instructions:-Create an UNIX user to run the daemons (must be part of the web group).There is no "web" group on my machine, but there is user and group: apache . (As in /etc/passwd and /etc/group .)
-Edit and setup the next files: Makefile, Config.h and files/interdaemon.cfg
-Run make
-Run make install
Later in the INSTALL doco, it indicates that this user should have a particular home directory and shell. I am unclear what the significance of the "www" group is. Is this the group of the web server? (Later I find that "www" is the typical the group of the web server on HP Unix installations.)# grep postman /etc/passwdThere is no /sbin/sh on RH7.1, and the default shell is /bin/bash, to which /bin/sh is a symlink.
postman:*:37:102:Postman user:/var/postman:/sbin/sh
# grep postman /etc/group
www::102:www,postman
I created a user postman with:useradd -d /var/postman -g apache -r postman"-r" means create a system account, something I spotted in man useradd . This gives a low user ID and does not create a home directory. In my system the user ID was 100 and the group was 48.
This worked fine, but did not create a directory /var/postman . So I created it, user postman, group apache, permissions 750 as per the example in the INSTALL file. Maybe it was going to be created in the intall process .In the following, I show the original text in blue and the changes I made in red.In the following, I show the original text in blue and the changes I made in red.
Editing MakefileREALCGI = /usr/local/apache/cgi-bin/postman
REALSERVER = /usr/local/sbin/interdaemon
REALCGI = /var/www/cgi-bin/postman
REALSERVER = /usr/local/sbin/interdaemon
Initially I had the above line set to /usr/sbin/interdaemon but it proved not to be wisdom. Two startup scripts were put in /usr/local/sbin/and they expected the daemon itself to be in that directory too.
WEBGROUP = www
WEBGROUP = apache
(Apache doco indicates that on HP machines the web server's group may be www. With RH7.1, it is apache.)
WEBHTDOCSDIR = /usr/local/apache/htdocs
WEBHTDOCSDIR = /var/www/html
This is the root directory for where Apache serves its files from! A directory postman will be created there. This was one thing I did not understand the first time I tried. See also the POSTMANDIRitem in Config.sys, which is typically the above setting, with "/postman" added.
C-CLIENTDIR = ../imap-2001.BETA.SNAP-0105251616/c-client
C-CLIENTDIR = ../imap010522/c-client
SRC = /usr/local/FUENTES/POSTMAN/postman
SRC = /opt/postmansrc/postman
CGIUSER = root
CGIGROUP = root <<< Should be www to match examples in INSTALL.
SRCSERVER = $(SRC)/interdaemon
SERVERUSER = root
SERVERGROUP = root <<< Should be staff to match examples in INSTALL.
CGIUSER = root
CGIGROUP = apache
SRCSERVER = $(SRC)/interdaemon
SERVERUSER = root
SERVERGROUP = apache
Editing Config.hQuite a bit of the following information was determined once I got Postman running. It is not necessarily obvious to anyone installing the system for the first time. I think all these configuration items need to be fully documented.
#define POSTMANDIR "/usr/local/apache/htdocs/postman"
Be sure to change this! If you don't, you will besorry. I was! I spent hours trying to figure out some problems listedbelow.
Be sure to change it to the directory where you will put your postman directory so the web server can see it. This contains icons, login pages and help pages. (Actually, the icon location is specified separately, with reference to the web server's document root.)
For me, POSTMANDIR, should be:
#define POSTMANDIR "/var/www/html/postman"If you don't do this, then the URL://1 Allow several connections from the same user using that program, 0 only onecgi-bin/postman?lang=engand also the Confirm button when logging out, will cause a browser error because Postman gives it a file with 0 bytes.
Furthermore, you will wonder why the login files such as /var/www/html/postman/postman_eng.html don't do what you (falsely) expect. These files are not supposed to be used directly, but for Postman to process and serve up as login pages, with a few changes. For instance the part where it says:name=imapserver value="#"will have the # turned into the name of the server computer Postman is running on. (Unless you specify a complete server name in place of the "#".)
#define ALLOW_SEVERAL_CONNS 0
#define ALLOW_SEVERAL_CONNS 1
I changed this to 1, so I could run several sessions of Postman running on the one account if I wanted. I tested it a little. It does seem to support multiple sessions - including two sessions from the one browser machine with two separate web browsers, such as MSIE and Netscape and another session from another browser computer. You can't have two sessions with the one browser on the one computer - even if one is HTTP and the other HTTPS. No matter how many sessions you have from multiple browsers and computers, for the one user, there is only one place where the Compose text can be saved (in that user's entry in Postman's /var/postman/users/ directory. However, the individual Compose windows can send their messages perfectly independently.
The 20 minute timeout item is:
#define DEFTIMEOUT 1200
There are many other settings, such as for colours and whether or not to calculate the mailbox size.
#define REPLY_BEGIN_LINE "> "
Hoorah for this being right! There are so many email systems which do something else - HotMail, when I last looked, had ">" but not "> ".
I think the default 30 high 70 wide message compose window should be 72 wide, and not so high, because on 800x600 screens, with cluttered browser menus (The Windows Start bar on, all toolbars, big buttons at the top) there is not much window space available and one or both scroll buttons could be outside the window.
#define DEFOPT_SAVEMSGSENTMAIL false
#define DEFOPT_SAVEMSGSENTMAIL true
I set this to true because I think people generally want to save what they send.
#define DEFOPT_WIDTHWRITEAREA 70
#define DEFOPT_HEIGHTWRITEAREA 30
#define DEFOPT_WIDTHWRITEAREA 72
#define DEFOPT_HEIGHTWRITEAREA 20
I made it 24 x 72 - but I recommend experimenting with it on a large installation where this affects many people. If they all have 1024 x 768 screens, with their browsers running full screen, then 30 or so lines might be more appropriate.
#define DEFOPT_TRUNCATELENGTHREADINGMSG 80
#define DEFOPT_TRUNCATELENGTHREADINGMSG 90
Make it not wrap long lines of text so aggressively. This may affect how some messages print out, so perhaps this should be looked at more closely. These are user settable options, but it is good to provide sensible default values.
There are some other things to check here, such as the default sent-mail folder. Unless you alter this Config.h file, Postman uses "sent-mail" as does IMP and SqWebMail.
#define MAXTEXTSIZEATTACHFORDISPLAY 10000
This presumably limits the size of HTML, text or maybe graphic attachments which will be automatically displayed.
There are font specifications - for font face and size.
#define MIN_TIME_TO_REFRESH 2
#define MIN_TIME_TO_REFRESH 1
I changed this to 1 minute. Note that with the standard setting, I think the user should be told there is a minimum limit. Otherwise they set it to 1 minute, safe the options and assume that this is set. But in fact, it is set to 2. I altered the text in the Config page to reflect the default 2 minute minimum setting - so if you use my Language.cc file, make sure what it says there for L_REFRESHTIME is correct. See below.
//**************** DISPLAY EN INDEX
#define LONGDISPLAYSUBJECT 35
#define LONGDISPLAYFROM 20
#define LONGDISPLAYSUBJECT 45
#define LONGDISPLAYFROM 25
These affect how long the "From:" and "Subject:" displays are in the mailbox index. These values ( 35 and 20) seem to be good for a 640 wide screen. I guessed some larger values (45 and 25) for giving more characters, but still being usable on an 800 wide screen. I would make them wider still if I knew everyone was using 1024 wide screens. These are not precise values, since the width on screen also depends on the characters. For instance "iii" is not as wide as "WWW". It seems that the minimum width of the mailbox index table is controlled, in part, by the longest "From:" line and the longest "Subject:" line. The idea is to make it so that in general, unless people send messages titled: "WWWWWWWWWWWWWWWWWWWWWW", that the table will always display properly inside the user's available browser window width. The user can select the number of messages to display per mailbox index page.
Editing files/interdaemon.cfgThis has settings such as the maximum number of connections - 300 by default! It turns out that this file will be copied to /usr/local/etc/interdaemon.cfg where it can be edited to control things at runtime. So it may not be important what this file is during compilation.
;default domain to suffix the ip name when its do not have points
; example: something like "myserver" will be changed to "myserver.uv.es"
defaultipdomain = .uv.es
defaultipdomain = .firstpr.com.au
;0 for no, 1 for yes
allowotherimapservers =0
;in seconds
timeout = 1200
This is how many seconds - 20 minutes in this case - Postman's timeout is. The user must do some activity within this time otherwise the session will no longer be active and they will have to log in again. Part of this is a Javascript timer in the Compose window which pops up five minutes before the timeout is due.
def_user_not_in_db = post.uv.es
def_user_not_in_db = firstpr.com.au
;true for best security!
use_cookies = 1
;no important
use_javascript = 1
There is a series of sections at the end of interdaemon.cfg which are, for example:
[post.uv.es]
imapserver = post.uv.es
imapport = 143
smtpserver = post.uv.es
maildomain = uv.es
mailboxprefix =
remotepath = ~/mail/
In my case, I wanted the machine "zair.firstpr.com.au" to run Postman, and to also be the IMAP sever, and the SMTP server. However I did not want mail sent from a user blah to be sent with the From: line (Actually it is part of the SMTP envelope - set by the SMTP handshake, see SendMSG.cc line 236.) of blah@zair.firstpr.com.aubut with it set to blah@firstpr.com.au . The way to set this is with the "maildomain" varialble. Here are the settings which worked for me, with my Courier IMAP server. I had only one such section - I got rid of the other sections which related to uv.es servers.
[zair.firstpr.com.au]
imapserver = zair.firstpr.com.au
imapport = 143
smtpserver = zair.firstpr.com.au
maildomain = firstpr.com.au
mailboxprefix = INBOX.
remotepath =
I am not sure what the "remotepath" variable is, but I guess it is to do with telling the IMAP server where to find each user's mailboxes. In the case of Courier IMAP, this is already defined as being the directory "Maildir" in the user's directory - and this is both the Inbox and the place where other mailboxes and folders of mailboxes reside.
CompilationI gave the command:makeIt didn't get very far! The compiler complained about a parse error on lines 752 and 753 of /c-client/mail.h which is a symlink to/src/c-client/mail.h .
This is thoroughly sus! Here is the error report followed by the sus code in red. The variablesIn file included from c-client.h:49,
from IMAP.h:16,
from IMAP.cc:5:
../imap010522/c-client/mail.h:752: parse error before `or'
../imap010522/c-client/mail.h:753: parse error before `not'So the UW-IMAP code uses keywords like "or" and "not" as variable names!So the UW-IMAP code uses keywords like "or" and "not" as variable names!
SEARCHPGM { /* search program */
SEARCHSET *msgno; /* message numbers */
SEARCHSET *uid; /* unique identifiers */
SEARCHOR *or; /* or'ed in programs */
SEARCHPGMLIST *not; /* and'ed not program */
SEARCHHEADER *header; /* list of headers */
STRINGLIST *bcc; /* bcc recipients */
I changed them to "orrwfixed" and "notrwfixed". Sheesh!
Now I guess have to find all references to them . . . which the compiler can help me with! But there are no apparent problems . . .
This code already worked with the IMAP compilation, it is just being included here in the Postman compilation, so perhaps in the IMAP compilation the compiler flags coped with these really sus variable names. Presumably, these variable names are not used in the Postman compilation, since I got no errors when I did "make" again.Then I tried "make install".Then I tried "make install".
The final step of this is to give the following command:/usr/local/sbin/interdaemon.ini startThis runs a command line (here split into four lines) as user postman :( su postman -cbut I got an error:
"PATH=. HOME=/var/postman /usr/bin/nohup
interdaemon /usr/local/etc/interdaemon.cfg
>/tmp/interdaemon.out 2>&1 &" ) && echo "interdaemon"bash: /root/.bashrc: Permission deniedfollowed by the "interdaemon" echo.
I fixed the error by setting the world execute permission of directory /root. This doesn't sound very wise from a security point of view, so I think there is something which should be fixed here. I am not quite sure why the system is trying to access root's .bashrc, but I guess it is because I am root giving this command.
Once this was fixed, I still couldn't see any interdaemon program running with: ps -fax
Trying to debug this startup script, I changed to user postman and went to /usr/local/sbin/. There I gave the command:PATH=. HOME=/var/postman /usr/bin/nohup interdaemon /usr/local/etc/interdaemon.cfg &I got rid of this bit:>/tmp/interdaemon.out 2>&1which took the stdout and stderror of the command line and wrote them to/tmp/interdaemon.out .
I used "info nohup" to learn about it because "man nohup" wasn't much good.
The main command line causes nohup to run the rest of the line "with no interrupt signals, so it keeps running in the background after you log out". But a trailing "&" is still needed to put the command into the background. nohup takes the standard output and standard error of the program - interdaemon in this case - and writes it to a file nohup.out . See info nohup for some more things on this output file . . . but I can't find where it is written. It would be good to find where the stdout of interdaemon is written, to help me debug with printf() statements.
The contents of this output file, /var/postman/nohup.out for my command in blue, or /tmp/interdaemon.out for the interdaemon.ini script, is consistently:/usr/bin/nohup: exec: nice: not foundNow, methinks . . . maybe that "PATH=." was a little restrictive???? nohupwould call nice as part of the way it runs the command, but with a path of just the current directory . . . Maybe other versions of nohup don't work like this.
So I modified /usr/local/sbin/interdaemon.ini to change the PATH command toPATH=$PATH:.Then, the command would reliably start and stop interdaemon.
Then, as per the INSTALL instructions, I tried the URL: I got a login page. (Note, at first it didn't, because I had not set the POSTMANDIR value in Config.c correctly. See above for the symptoms, including 0 bytes returning from the above URL.)
In the Problems section of INSTALL, is:-Postman configuration is not yet automatized. The most problemsMy scriptalias section of /etc/httpd/conf/httpd.conf is:
are for wrong file permission or owners.
-You must have one Apache conf entry like that in /usr/local/apache/conf/httpd.conf
DocumentRoot "/usr/local/apache/htdocs"
ScriptAlias /cgi-bin/ "/usr/local/apache/cgi-bin/"
<Directory "/usr/local/apache/cgi-bin">
AllowOverride None
Options None
Order allow,deny
Allow from all
</Directory>DocumentRoot "/var/www/html"
ScriptAlias /cgi-bin/ "/var/www/cgi-bin/"
<Directory "/var/www/cgi-bin">
AllowOverride None
Options ExecCGI
Order allow,deny
Allow from all
</Directory>
Some notes on the login page filesIt was not at all obvious to me how the login pages worked. Perhaps it would have been if I had configured the POSTMANDIR value properly.
After I couldn't get any sense from the program accessed directly as a cgi-bin executable with "?lang=eng" as its parameters, I assumed that the files in /var/www/html/postman/ of the form postman_xxx.html were supposed to be used as login pages.
But they are not meant for this. They are meant to be read by the postman program and processed with the addition of some announcement text to create a login page sent to the user's browser. So when you use: you get back a processed version of the postman_xxx.htmlfile. (At least the way I had Postman configured - and I don't understand all the configuration options for multiple IMAP servers.)
The standard file will be reproduced fine by Postman in response to the above URL, but unless you edit the file (best do it in a text editor, not an HTML editor) one of its hidden form fields (sent to the postman program when you click the "Login" button) asks it to log in to an IMAP server "#". Then you will get a message like:
Error: That IMAP server is not allowed!or perhaps
Error: No such host as #.aaa.bbb.ccc
You will see in in /var/logs/messages that Postman is accessing the "pam_unix" command.
In /var/logs/mailog, the interdaemon process reports the user and that it can't find an IMAP server.IMAP server '#' is not allowed. User 'blah'. Exiting
So be sure to edit the /var/www/html/postman/postman_xxx.html files to specify the IMAP server you want to use!
It is possible to create a totally different login page, which you can put anywhere (I only tried it on the same server) to send the required things for Postman to log you in. These include the following Name/Value pairs, which you can see in the correctly processed login page which Postman creates.
The form's output is defined by <FORM ACTION="/cgi-bin/postman" METHOD="POST"> but "GET" will also work. See discussion below on GET vs. POST.
In the standard postman_eng.html file, there is some commented out stuff which can replace the hidden value for imapserver with a user editable text entry box. There is a default value too. I suggest a longer text box than 10 characters!
<!--
<b><font color="#3333CC" size=4>S</font>erver:</b><BR>
<INPUT TYPE=text size=10 name=imapserver<br>
--->
There is also a "Help" button which causes Postman to generate a help screen.
There is also an announcement and a reproduction of a text file, depending on the language, the appropriate one of the /usr/local/etc/postman.motd.xxx files. (MOTD means Message Of The Day - an arcane Unix service which I know nothing about, but which I suspect is a functional equivalent of fortune cookies.) The part of the file which Postman recognises is:</TABLE>
</CENTER>
^ INC /usr/local/etc/postman.motd.eng
</BODY>
</HTML>
It is possible to create a completely "custom" different login page. Provided it sends the details back to the /cgi-bin/postman program on the server, then it will be an effective login page. However, if the login fails, then the user will need to use the Back button to go back to the "custom" login page.
What Postman normally does, when a login fails, when a user logs out, or if it is called with no parameters at all: serve up a login page, based on one of the postman/postman_xxx.html files. It will use the eng page if there are no parameters, or the appropriate language's page based on its last command.
To to make a totally seamless set of customised login pages in all three (or whatever) languages, one should edit the files:/var/www/html/postman/postman_eng.htmlappropriately, at least to include the IMAP server you want to connect to.
/var/www/html/postman/postman_spa.html
/var/www/html/postman/postman_val.html
It would also suffice in a solely English-language situation to customise just the first one, and take out the links within it to pages of other languages.
Here is my customised page, which includes a bunch of introductory help material to get people up to speed and to point out some unusual aspects of Postman, such as the way its Compose page cannot save to a "Drafts" mailbox.pmdocs/postman_eng.htmlYou may want to have another page somewhere to point to the urls: users can easily choose between normal and SSL secure sessions.
Note, I do not understand the various configuration file options for multiple IMAP servers.
The following assumes that Postman is configured to be able to access the IMAP servers on machines other than itself. Generally, this needs to be restricted, otherwise anyone could access any server anywhere via this Postman installation. (I assume this is what the configuration file achieves.)
Forms: POST, GET and URLsHere, for my own reference at least, are some key aspects of forms and cgi-bin programs.
The formal definition of the Common Gateway Interface is at: Apache doco is at: see:).
- The GET method (Note, this is the same as using a URL to encode all the parameters.)
- If your form has METHOD="GET" in its FORM tag, your CGI program will receive the encoded form input in the environment variable QUERY_STRING.
- The POST method
-.
So it is possible to edit a Postman login form to make it work via GET. Then fill it in, and see the URL it generates.
Using The URL includes the password and all - so this is insecure. (However, it means that a login to Postman, or many other systems, can be achieved with a simple bookmark or hyperlink!)
Such URLs might appear in the logs of caching proxy servers . . . So I am not suggesting that forms usually be in "GET" mode. (It is worth knowing this stuff though - I wanted links which would fire up a bank currency converter, and I just encoded the parameters in the URL, so the bank's converter which normally servers responses from a POST data returned from pages at the bank's site works fine and dandy, serving a page in response to what it sees as GET form data, but which is actually a link on my website, with the currency and value built into it. See the Devil Fish page on this site.)
This is not a complete review of Postman, or a proper comparison with other webmail systems. My primary comparison is with IMP 2.2.0 pre13 (I did not have a later version running when I did this exploration) and with SqWebMail 2.1.1.
Interspersed with these observations are some bug reports and fixes, including significant changes to some of the source code files.
First some general Postman / IMP / SqWebMail observations:
IMP is slow by comparison to SqWebMail and Postman. IMP is quasi-interpreted PHP and the others are compiled executables from C and C++.
IMP and SqWebMail are widely used and have active mailing lists. Postman is the work of one person, from what I know, and it has so far (July 2001) only been used at the University of Valencia. I think that a wider user base and an active mailing list will enable Postman to be refined and extended. Also, I think that the scrutiny of many people will be required to find and resolve the security problems which are in Postman. For instance, as I noted below, the way the that the user name and password can still be seen in the browser with the use of the Back button. (I am testing this on a Win2k Netscape 4.77 browser.)
SqWebMail does not connect to the mailserver via IMAP - it accesses mailboxes (which must be in Maildir format) on its own machine, or on nearby machines via NFS. If those mailboxes are accessed by an IMAP server, then the server must be Courier IMAP. SqWebMail does not do IMAP things to the mailboxes. It does not have "Expunge" or show the T flags which show a message is tagged for deletion. But this simplifies deletion from (I imagine) many user's point of view. It also enables SqWebMail to so some things not practical via IMAP.
For instance, when you log in to SqWebMail, it counts all the messages in all your mailboxes and shows a list of all mailboxes of folders containing mailboxes, with their total number of messages! Neither IMP nor Postman can do this. They both select a single mailbox to access via some kind of list.
SqWebMail cannot sort the messages - they are always in the order they arrive in the mailbox, or is it date order? IMP and Postman can sort in both directions on Date, From and Subject and Size. (Note, Postman 1.6's Date sorting arrangement is actually by the "From " date at the start of each message in a Mbox mailbox, or the file date of each message in a Maildir mailbox. See below for my changes to fix this to work on the real date in the headers of the message.)
Postman can also sort by "number" which I guess is the order they appear in the IMAP mailbox (actually, the "From " and file date mentioned in the previous paragraph), which in the case of the Inbox would be related to the time they were delivered - or the time they were copied from another mailbox, depending on how the IMAP server works. This could be handy, I guess. Netscape has a "Sort by order received" option.
Both IMP and Postman, to my knowledge, should only be used for a single mailbox at a time - but SqWebMail seems to work fine with multiple browser windows looking at multiple mailboxes.
With IMP, don't touch that "Back" button Daddyo! Postman and SqWebMail seem to be happier with using Back and Forward - but beware the temptation to open multiple mailboxes with Postman - my impression is that it does not work. Pressing a button on one mailbox can cause the actions to take place on the mailbox most recently accessed in another window, with the results appearing in the current window. So Postman does not seem capable of thinking about more than one mailbox at a time. Use two separate browsers for two separate sessions to achieve this.
The only way to properly evaluate these systems, especially IMP and Postman, which I think are both advanced, promising systems, is to run them yourself - so please do not make important decisions based on my observations.
I have not investigated how user preferences function in Postman, but I notice that there are addressbook, options, signature and other things in a directory of the form:/var/postman/users/aaa.bbb.ccc/bl/blah/for a user logging into blah, with the IMAP server set (as described above, in the HTML of the login page) to aaa.bbb.ccc .
SqWebMail can do something which neither Postman or IMP attempts: changing the user's password. It works fine with my PAM and shadow password system.
This is a bit of a grab bag of comments, primarily for Agustin to consider. Some problems may be bugs, some may be things I have done wrong, some may be things I don't understand - and so may be problems with the documentation.
The order of the IMAP folders in Postman's pull down menu is not alphabetical at all. Nor is it in the unsorted Unix file system order . . SqWebMail orders them alphabetically ignoring case, which is the correct behaviour, I think. IMP sorts on ASCII - so upper case comes before lower case. This is likely to be pesky for most users.
I notice that when I use Postman to access an account with a UW IMAP server, that it sees every file and directory in the user directory as a mailbox - at least with the way I have things set up. It is not clear how this can be resolved by configuring Postman on an account by account basis - or in the UW IMAP server, which as far I know, has no configuration options. This doesn't bother me, since I will soon be using it only for Courier IMAP, with which it works fine.
Security of password
My initial observation was:Even if I am logged out, someone else could come along to the computer by using the Back button to get back to the login screen, which still has my user name and password. Somehow, SqWebMail and IMP prevent these from reappearing.Here is a deeper analysis. Both SqWebMail and IMP seem to replace the login screen with a fresh one whenever the user clicks the "Login" button. This has the effect of getting rid of the user name and password the browser may have retained in its "history cache" or whatever. That solves the problem.
However Postman does not do any such thing. On a successful login, it serves up a page at a new URL, but the browser still has the login page in its history cache. So even after the session is logged out, or while it is running, it is possible to use the browser's Back button to return to the login page.
With Netscape, the username and password are still there.
With MSIE 5.0, the username is there, but the browser has deleted the password. (This is what Netscape should be doing, I think, since the type of text entry box is "password".)
Since users will typically not close browser windows, then this represents a completely unacceptable security problem for Postman, as far as I can see. Maybe there is a Javascript way of coding around this - but I don't know Javascript. Nor can we assume the browser has Javascript enabled.
I have not fully investigated this, or determined exactly how SqWebMail or IMP get rid of the username and password - but I think this problem should be resolved before Postman is used for any large installation.
Even if the email arrives today, there is no time for when it arrives. IMP displays the date for other days, and the time for messages which arrived today with a time. See my fix for this in ProcesaDate.cc .
On one occasion at least, I couldn't get Postman's "Refresh" link to work on the INBOX. I sent new messages to it, and it cannot see them. (IMP is fine.) Logging in again I saw the new messages. That was to a remote machine. Later, logged into the local machine, the refresh worked. Also, the Open mailbox command, when applied to the Inbox when you are already looking at the Inbox, does more than the Refresh link. For instance, it shows any tagged for deletion flags put on messages by programs other than Postman.
(Imp has some Javascript magic which somehow alerts the user soon after an email arrives. But there's no obvious way to refresh the INBOX IMP - you have to click the Inbox thing on the left to see the new messages.)
Refreshing a non Inbox mailboxLets say something other than this web mail program changes the contents of a mailbox. Perhaps it was another mail program or client (such as Netscape) or perhaps it was a freshly arrived email being filtered on the server and so being added to a mailbox. How do the various programs cope? None of them automatically check - since this would involve usually pointless communications with the IMAP server.
Here is what I found:
NetscapeThe "Update message count" option doesn't seem to do anything. If I close the window (or select another mailbox in it) and re-open the mailbox again, the new messages are listed - with any "tagged for deletion" messages listed with a red cross. This is functionally good, but a bit of a pest to have to reload mailbox. Sometimes, reading a message will update the mailbox display. Netscape has its own cache of "Tagged for Deletion" flags, so it may continue to display messages as being tagged for deletion (if they were "Deleted" in Netscape) after some other IMAP client (for instance Postman) has reset those flags.IMPThere is no "Refresh" command in IMP, but I was astounded that using the browser Refresh function recreated the mailbox listing in a completely updated way. With IMP it is generally bad to use any browser buttons, like forwards and backwards, so this really surprised me. It works, but is not something which is obvious to the average user. I am not convinced that IMP reports the "tagged for deletion" status of messages if another program has tagged them. Furthermore, tagging with IMP does not seem to set the flags in the server, and a reload seems to make IMP forget which were supposedly tagged for deletion. (My IMP installation is working with Mbox mailboxes on a UW IMAP server, not MailDirs, so it is hard for me to see how they are tagged. I only have Netscape to look at those mailboxes, and I am not convinced that Netscape is physically tagging the files on the server . . how do the "Tagged for deletion" and other IMAP flags work in an Mbox anyway?SqWebMailSqWebMail has no refresh function. I found that using the browser's refresh button ended the session! However, reading an email from the mailbox and then returning to the mailbox results in an updated message list. (If the message you click on has been deleted, you get just a blank screen.) Likewise, going back to the the Mailbox main index and then selecting the mailbox again will display the latest contents of the mailbox.PostmanPostman has an explicit "Refresh" link at the bottom of each mailbox page - but only if this page contains the last message in the mailbox. If not, it has a "Next page" link.
Postman's refreshing does not reflect whether the messages have been tagged for deletion by another program. (Netscape does really set the tag in the server when you "delete" an email. But be wary over a slow link - let the transaction complete before doing anything else, otherwise the tag is not really set.) Even if Postman doesn't show any messages tagged for deletion, the Expunge function still works and the tagged files are deleted. Postman's tagging of messages on the server is immediate.
By some unknown process, I had a 0 byte message in the Inbox of my Maildir based IMAP server. Postman could not connect to that account, and would not even produce an error report - there was just a generic Apache server failure report.)
Problem with the dates of messages
Postman 1.6 has a problem with the display of message dates in the mailbox index - at least with my installation accessing a Courier IMAP server which uses Maildir mailboxes. (Probably this is true of Mbox mailbox based IMAP servers too The "From " line - not "From: " at the start of each Mbox message is the functional equivalent of the message's file date in a Maildir mailbox.) See the parent directory for a link to my notes on Courier IMAP and the excellent Maildir mailbox format.
With a Maildir format, each email is in a separate file. Normally, when an email arrives, the file is created and so the date of the file is the time of reception. However, this may have nothing to do with the time the email was sent, or really received - for instance and perhaps, if the email has been copied from another mailbox. My situation is one of converting several hundred megs of several years email in a hundred or more directories from the linear file Mbox format to Maildir mailboxes. Therefore, most of my emails have file dates of around now - nothing to do with their real date. Postman, when accessing Courier IMAP (and probably any other Maildir based IMAP server) reports in the Mailbox index the file date - which is not related at all to the actual date of the email.
This might be a good way of date ordering emails without having to look at their real dates and calculate their actual times after accounting for timezone variations, but it makes a real mess of my older emails!
When the email is viewed, the correct date is shown - the date in the headers. The problem I am focusing on here is the matter of the dates shown in the mailbox index.
An email's date and time is very important, and I think it is vital that Postman show the proper date and time in the mailbox index.
Also, that date is purely the date - nothing about the time. Times are important, so this is an area in which I think Postman can and should be greatly improved. See below for my fix to ProcesaDate.cc.
Looking at the IMAP standard: seems that Postman is looking at the "INTERNALDATE" - which is the file date.
The following is my exploration of the source code in search of a fix and quite a number of improvements.The code which prepares the date for the mailbox index has nothing to do with the way the message's date is displayed when reading the message. The mailbox index date stuff is around line line 715 of IMAP.cc in IMAP::getHeaderList() . My comments are in green.//3. DATENow, looking into the UW IMAP source code at /src/c-client/mail.c I find that mail_date() creates a date string such as the one shown above from numeric values in an "elt" structure (or object . . .) here called "cache" it is passed a pointer to. This is of type MESSAGECACHEwhich is defined in mail.h . The time-relevant parts of this are:
// Call a function from the UW IMAP c-client code, line
// 2305 of mail.c. The date string is returned in
// tmp.
mail_date (tmp, cache);
// ProcesaDate() is at line 1376 of Utils.cc. After 15
// minutes scrutinising the code (why don't people have
// more comments???) I think it takes an input such as
//
// " 8-Sep-2000 08:51:13 +0100"
//
// and returns:
//
// " 8-Sep-2000"
// or " 8-Sep" if this is the current year.
inter = ProcesaDate (tmp);
SL->Add (inter);
delete [] inter;/* internal date */But what kind of date is in these when Postman calls mail_date()? Clearly, in my experience, it is getting the file date of each message file in the Maildir mailbox. I guess the equivalent in an IMAP server which uses Mbox format mailboxes is the "From " date on the line which starts each message.
unsigned int day : 5; /* day of month (1-31) */
unsigned int month : 4; /* month of year (1-12) */
unsigned int year : 7; /* year since BASEYEAR (expires in 127 yrs) */
unsigned int hours: 5; /* hours (0-23) */
unsigned int minutes: 6; /* minutes (0-59) */
unsigned int seconds: 6; /* seconds (0-59) */
unsigned int zoccident : 1; /* non-zero if west of UTC */
unsigned int zhours : 4; /* hours from UTC (0-12) */
unsigned int zminutes: 6; /* minutes (0-59) */
Looking earlier into IMAP::getHeaderList() it is clear that this "cache" elt structure is formed by a call to a function which (I assume) gets the data straight from the IMAP server.cache = mail_elt (imapstream, themsgnum);mail_elt() is also defined in mail.c. I can see no fancy options for telling the IMAP server what to put in this message cache.
Clearly, we need to get the headers of each email and get the date from the headers.
There is a function mail_cdate() in mail.c too, but it does some different kind of date format with the same "elt" information. But the next function looks promising :mail_parse_date(MESSAGECACHE *elt, char *s)This takes a string pointed to by s and crunches it into date and time in an elt (= MESSAGECACHE) structure.
Here is my plan:
Step 1 looks the trickiest - I need to get the header from the IMAP server and find the date line . . .Step 1 looks the trickiest - I need to get the header from the IMAP server and find the date line . . .
- Use mail_parse_date() pointing at the date in the message's header to write into another MESSAGECACHE structure.
- Then use mail_date() to crunch that information into a date, as before.
- Modify the ProcesaDate() function to provide a time as well. (This is the only call to ProcesaDate() so changes to it should be fine.)
A function on line 509 of IMAP.cc looks promising:char *IMAP::getDate (xulong nummsg)This fetches the header and returns a pointer to just after the "Date: " text. Normally this is fine, because the date string starts on the character after the space after the colon. This is as specified in the current April 2001 spec for email messages: normal email will be like this, but I found a Microsoft Security email which had 8 extra spaces before the date started, so I may need to cope with this.
*IMAP::getDate() is used at various points in InterDaemon.cc for the current message, when being displayed or replied to etc. However, I don't fully understand how this function works. Line 519 somehow sets two elements of the object on which this method is called, which must specify which part of the header to download. That makes sense, rather than downloading the entire header over the network.
The date which is pointed to is of the form:Mon, 9 Jul 2001 16:23:01 +1000This is exactly the format expected by the c-client mail.c function mail_parse_date(). But it can only skip the day of the week ("Mon") if it starts on byte 0 of the input string. So I do need to gobble any spaces which may be there due to Microsoft or anyone-else's incompetence.
Here is the new code:
// Get a pointer to the date section of the
// message's headers. getDate() is a method
// of class IMAP, and we are currently in
// another method of class IMAP, so we can
// use it directly, on the current IMAP object.
//
// Feed this to mail_parse_date which will
// parse the date and feed write the values
// into the "elt" variables in "cache".
//
// getDate() points to the character after:
// "Date: ". Any normal RFC2822 compliant
// message will start with the date on that
// byte, but I have found some Microsoft
// security bulletin emails which have 8
// extra spaces. Since mail_parse_date()
// can only gobble the day of the week if
// it starts at byte 0 of the string, then
// we need to skip past any spaces we
// find to start with.
datebuff = (getDate(themsgnum));
// Debug: the offending MS Date:
// datebuff = " Thu, 5 Jul 2001 18:08:16 -0700";
while (datebuff[0] == ' ') datebuff++;
mail_parse_date (cache, datebuff);
// Now create a date string from these values.
mail_date (tmp, cache);
// Process it to remove bits we don't want,
inter = ProcesaDate (tmp);
There are two more things I want to do.
First, doctor the ProcesaDate() function for the following changes:
I have done this. See my Utils.cc in the source-code links below.I have done this. See my Utils.cc in the source-code links below.
- Make it add two non-breaking-spaces to compensate for there being only a single digit day of month. (It normally adds only one space, which is not very wide.)
- Display the time in minutes and seconds.
- Add four spaces so there is a bit of clear space to the left of the From column.
Note that these times are not corrected for either the local timezone or the timezone in the message.
To do this would require having a local timezone setting - and a summertime correction. Also, the user may be nowhere near the Postman server, so they really need to be able to set a timezone to their own locality, not where the Postman server is. To achieve this will require a complete rewrite of this date/time stuff, since the time and timezone corrections can overflow into days, months and years. It all needs to be done on the numeric data in the "cache" variable in the above code.
Secondly change the sorting system for what the user sees as "Date".
In the version of Postman I am working with (1.6) when the user sorts on "Date", the code tells the IMAP subsystem (in the c-client code which is part of interdamenon and/or the code in the IMAP server) to sort on "ARRIVALDATE". Commented out and next to it is "DATE". Here is the relevant line, and how I changed them. This is line 796 ofInterDaemon.cc.
if (strcasecmp (parm1, "number") == 0) {sorttype = NO_SORT;}
else if (strcasecmp (parm1, "date") == 0) {sorttype = SORTARRIVAL; /*SORTDATE*/}
else if (strcasecmp (parm1, "from") == 0) {sorttype = SORTFROM;}
else if (strcasecmp (parm1, "subject") == 0) {sorttype = SORTSUBJECT;}
else if (strcasecmp (parm1, "size") == 0) {sorttype = SORTSIZE;}
else {sorttype = NO_SORT;}
I modified this line to:else if (strcasecmp (parm1, "date") == 0) {sorttype = SORTDATE;}
This now makes Postman sort properly on the real date/time of the message (from the message headers), including with all the timezone corrections. It completely ignores the file date of the message file in the Maildir mailbox.
But . . . . when I first log in, the mailbox is not sorted on date! I want to make it be sorted on date whenever I first open a mailbox. This means the following commands and perhaps others (as per the form elements sent from the browser, which translate into a big case statement in InterDaemon.cc) need to be modified so that the mailbox is initially sorted on date:.
- mb_index When returning from the Options, Compose, Addressbook pages.
- mb_change From Mailboxes or the main Mailbox index page. I guessed this is also the command executed when first logging in - but in fact it is not.
The solution is to alter the constructor for class IMAP (in the early lines of IMAP.cc) so that the standard sorttype is SORTDATE.
This means that every newly opened mailbox is sorted by real date and the user sees the index page with the last message.
Like IMP, when the INBOX contains, for instance, 11 messages, and the screen only displays 10, then the user will get a screen with only one message. At that point, at least some users will panic and think all the other emails have gone! It might be good if the standard arrangement was to show a screenful showing the most 10 recently received messages. But perhaps this would cause other problems.
It is not quite obvious how you copy or move messages. The trick is to select them (the top button selects or unselects them all) and they use the narrow pull-down list which is by default "Open mailbox" to do this to the messages to the mailbox selected from the next pull down list.
IMP has a user mechanism for selecting which of all mailboxes it will present to the user. Postman always presents all mailboxes, as does SqWebMail.
Language file changes
Agustin, it would be good to change the Javascript warning message in the compose window from:
"WARNING: They lack five minutes to disconnect the session. Use the 'Save' button or you could lost the writing."
to something like:
"WARNING: Your Postman session will end in 5 minutes unless you send the message or click the 'Save' button to save your text and continue editing."
(This is in Language.cc and all these messages are easily changed prior to compilation. The text is compiled into interdaemon.)
I have created a modified Language.cc which fixes this and a few other messages. The changes are flagged with /* RW */ This includes changing the search term for the "From" field to "From" instead of "De".
I have also changed the text of the "Add addresses" button in the Addressbook to "Add selected addresses to message". See belowfor discussion of why.
I changed the Options text:Time (in min.) to autorefresh the index page (0 for no refresh):to be more informative about the 2 minute minimum time:Time in minutes to auto-refresh the Inbox (0 for no refresh, 2 minutes minimum):
In the Message Compose window, I have changed the button:Clean alltoClear addresses & textI made a few other changes to Language.cc, such as "OK" instead of "Ok", and "NOT important" rather than "NO important.".
Following on from the above point about saving from the Compose window:
I understand that a subsequent session will have the compose window start with the last uncompleted message (or at least whatever was saved to the Postman server). This is an *excellent* approach. The Save function of IMP (at least the 2.2.0-pre-13 version I am using) closes the composition window when you press the Save Draft button, which is not what most people expect or want. You have to know to open the Drafts mailbox, open the draft, and then Resume it, to continue editing.
Postman doesn't have "Drafts" mailbox, or a way of saving messages in various states of completion. It saves the message in a file in the /var/postman/users/server.domain.com/bl/blah/.savedmsg file. So the saved message has nothing to do with IMAP mailboxes. (Being the Devil's advocate, I think this means that if a user connected to one IMAP server via two separate Postman servers, then they would have two separate sets of user preferences and two separate possible saved messages. But this is an unlikely situation.)
So there is no way of saving multiple drafts - except by sending the unfinished email to yourself, so it appears in the Inbox.
Having a draft message in your Inbox isn't very convenient, since there is no way of editing a message as new (as Netscape does). This would be a really handy function, to be able to take a message as it is, particularly one from the sent-mail mailbox, and pop it into the Compose window, with all its text, addresses and (perhaps) attachments ready to send or edit and send.
I think this lack of IMAP-server based drafts is potentially serious a reason against using Postman. Firstly it is different from what most sophisticated mail users are accustomed to. Secondly, it is not as flexible as saving multiple versions of a draft.
A bug in the Addressbook system
When composing a new message (or replying or forwarding), from the Compose window, I press the Addressbook button and I see the Addressbook. Assuming that I have already put some names and addresses into it, then I see one or more lines of people I may want to add to the To: Cc: or Bcc: of the current message.
The problem is that at first, there is no "New Entry" (or for that matter "Dump") icon on the top row. Using the Help does not help, because the only way out of the Help screen (which I think is very well written) is to use the browser's Back button.
(By the way, Agustin, I thought the example of your name in the Help screen was marvellous, because it describes you as "Es el programador." I immediately thought of you as programmer / matador - splendidly attired, with a cheering crowd, battling bugs rather than bulls!)
The "New Entry" and "Dump" icons do appear if the Addressbook is opened from the mailbox index page. Also, they appear when accessed from the Compose window when either:
So when someone first use the system, it is not at all clear how anything can be added to the Addressbook. Pressing "Add Address" does nothing much - it generates an error message, but at least it also makes the "New Entry" link appear.So when someone first use the system, it is not at all clear how anything can be added to the Addressbook. Pressing "Add Address" does nothing much - it generates an error message, but at least it also makes the "New Entry" link appear.
- The "Add addresses" button is pressed, or
- One of the sort links is pressed to order the addressbook by various fields.
Here are some suggestions:
- Make the "New Entry" link a button, rather than something on the top line.
- Rename the "Add Address" button to something like "Add selected addresses to message". (I have done this in Language.cc.)
- Make it a bit easier to spot where to press to edit each entry - maybe have an icon which is bigger and more clearly for editing. Alternatively, and probably better, have a link which has a Language.cc defined word for "Edit" in it..
- Change the "Back" icon to something like: "Back to compose message window". (Make a similar change to the Attachments window.)
Bug Fix: The absence of "New Entry" and "Dump" in the Address Book window when started from the Compose Window.
Scrutinising the commands sent by various buttons, and a big case statement in Interdaemon.cc, I conclude that:CMD_AB_FROM_CM is the function which does not produce the "New Entry" and "Dump" icons.Looking at the code, CMD_AB_FROM_CM and CMD_AB_SORTare handled by the a common piece of code, with a few differences: Interdaemon.cc line 1297. I can't see anything obvious which controls which icons appear at the top line. This is done by method PrintAddBook_Show in line 2145 of HTML.cc, which calls method BotoneraComun in line 1018 of HTML.cc.
The following functions do produce them:CMD_AB_SHOWALL (From the main mailbox index, and when returning from address entry edit etc)and some others.
CMD_AB_SORT (From Address Book - sorting.)
This is where the problem lies. In line 1059, there is an OR of tests for four commands, including CMD_AB_SHOWALLand CMD_AB_SORT but these do not includeCMD_AB_FROM_CM.
Here is the new form of that line and the following one which fixes the problem:
//BUTTON NEW ENTRY IN ADDRESSBOOK
if ((cmdactual == CMD_AB_SHOWALL) || (cmdactual == CMD_AB_SORT) || (cmdactual == CMD_AB_FROM_CM) ||
(cmdactual == CMD_AB_DELEENTRIES) || (cmdactual == CMD_AB_ADDFIELDS))
Problem solved!
Bug Fix: Server error and end of session from Cancel button in Add new item to Addressbook
From the Address Book (no matter how entered), using the New Entry icon to add a new line to the address book, and then pressing Cancel causes a server error and the end of the session! This is irrespective of entering text into the fields.
The command to the server by that button is "ab_deleentries" which looks wrong. This is the command used for the "Delete" button in the screen for editing an address book line. However, there is no pre-existing address book line to delete when adding a new entry. So I suspect the command returned by this button needs to be changed. The commands are parsed in a big case statement in Interdaemon.cc.
The code for creating both the Edit and Add New windows for the Addressbook is method HTML::PrintAddBook_EditEntry in HTML.cc. A conditional at line 2289 makes the button. In both cases the command is "ab_deleentries".
There seems to be no separate command for cancelling. "ab_deleentries" is handled by code starting at line 1344 of Interdaemon.cc.
Clearly, this needs to cope with so-called deleting a line which does not yet exist. But rather than do this, I decide to change the command of the Cancel button to be "ab_showall" so it simply returns to the main Addressbook screen.
Fixed!!
However with this change alone, the red text "Editing entry" remains on the screen . . .
I won't pursue this, but it should be fixed at some stage.
The back.gif icon was a 24 x 24 pixel icon, whereas the others were 32 x 32. So the text below it did not line up properly. I made it bigger in Photoshop. The new one is here:
In the Attachments page (from the Compose page), it would be good to see the size of the files.
(By the way, when the attachments are being prepared, they are saved in the user's directory in /var/postman/. )
There is a green warning text near the top of the Compose message window. It only appears at first, not after saving. Is it supposed to be there always?
Text wrapping in the Compose Message window
On Netscape, the compose window does not wrap text. This forces the user to enter their own ends of lines, and so manually change everything when they alter the text.
Netscape is just doing what it is told:<TEXTAREA NAME="texttosend" ROWS="30" COLS="70">But MSIE 5.0 does something it is not asked to and wraps the text. Curse Automatic Bill and his mates! MSIE doing things it shouldn't do leads to covering up bugs in websites and code!
I modified HTML.cc around line 610 to add:This caused Netscape to wrap the text on screen (but there is problem with the font not being fixed width - see fix below) but with both Netscape and MSIE, the message sent by Postman was unchanged - there was no wrapping whatsoever. This is puzzling because the function of WRAP="PHYSICAL"is clearly defined and apparently uncontentious. For instance: can't easily see what the browser is sending back. So what is happening?Setting wrap=off means no wrapping will occur - text is sent exactly as typed.
Setting wrap=virtual means the display wraps but the text is sent as typed.
Setting wrap=physical means the display wraps and text is sent with line breaks at all wrap points.
Is the browser not doing what I expect? Or is Postman compensating for some wrapping, and if so where and how.
Proper wrapping of text, but not breaking of URLs etc. which exceed the wrap length, is vital to email use. I have written a few things to the Mozilla editor list about how text editors for email should work, but officially they are committed to making the default be HTML email!
WRAP="PHYSICAL" should do what I want. Do I have to use WRAP="VIRTUAL" and then have code in Postman to wrap the text there?
How does IMP do it? Imp wraps its text on screen to 80 characters or so and saving the draft or sending the mail reflects that wrapping. It does chop words (like a long URL) to the wrap limit. The browser window IMP's compose window appears in has no file menu. I found the page source by using the fab Z-TreeWin program to sort all the files on my C: drive by time, and the most recently file was Netscape's cache of the compose window!
They use wrap="hard"!! I had never heard of this. A web search reveals:
At: "wrap="hard" is a non-standard thing invented by Netscape and then used by MSIE (?), but not implemented by Opera, because it is standards compliant. ("I also *think* that support for the various values of WRAP have varied in the two browsers.")
This raises the question of how this all works with Netscape, MSIE, Mozilla (NS 6.x)and Opera.
OK - here is something more informative:"Soft" means "virtual" in the purple text above.
"Hard" means "physical" in the purple text above.
Both wrap the text visually, but the hard option sends the text back to the server with breaks where the text was wrapped. This page also gets down to some dirty Browser Wars scuttlebutt:You may from time to time see other variations on WRAP, such as VIRTUAL or PHYSICAL. Netscape introduced these attributes a few years ago as proposed extensions to HTML 3.0, then abandoned them. Officially, the HTML 4.0 specs don't list WRAP, but Netscape and MSIE list WRAP = HARD | SOFT | OFF in their guides. It's best to stick these three values.The curiously unreadable page: a similar story, but that IE should also respect "Virtual" and "Physical".
I alter line 609 of HTML.cc to make the tag:<TEXTAREA NAME="texttosend" ROWS="30" COLS="70" WRAP="HARD">It works with MSIE 5.0 and with Netscape, but I still have to solve Netscape using a non-fixed-width font. Netscape breaks according to how many characters it can fit across the space, while MSIE does it strictly by the 70 column limit.
Fixing the non-fixed-width font problem with Netscape.
Experiments with editing a saved file of the Compose screen lead me to the conclusion that it was no good putting the whole textarea thing between <TT> and </TT> tags. All that is needed is a </FONT> tag before the textarea tag begins.
I notice there is a </FONT> tag after the textarea part of the page.
So I alter HTML.cc to make the tag:</FONT><TEXTAREA NAME="texttosend" ROWS="30" COLS="70" WRAP="HARD">Fixed!!
The new line 609 of HTML.cc is:WRITE ("</FONT><TEXTAREA NAME=\"%s\" ROWS=\"%d\" COLS=\"%d\" WRAP=\"HARD\">\n", name, rows, cols);This change affects the other textarea in Postman too - the editing of the signature. This works fine in Netscape now - with fixed width font and wrap.
There remains an unneeded </FONT> tag following the textarea part of the page. I haven't bothered to look where in the code this is done, but it should be removed.
The problem remains of Postman chopping URLs which are longer than 70 characters (or whatever the limit). This can only be solved, I think, by using WRAP="SOFT" and then doing the wrapping within Postman's interdeamon. Then we can look out for long URLs and not break them.
With large mailboxes, it is important to be able to jump somewhere into the middle of it. IMP has a facility for typing in a number of the page to go to, and it shows how many pages there are, with the current page number shown there. Postman doesn't have any such facility - it has Previous and Next and First and Last. The encoding of the URLs seems to contain this information, but several numbers change for each new index page, so it is not easy to manually edit them.
The "To:" address for mail sent by the user
There is an undocumented feature in the Inbox - or for that matter any mailbox. If the email was actually sent by the user (or some criteria related to this) then in the "From: " column, the user's address does NOT appear. Instead a truncated form of the "To: line appears, such as:To: abc@123.345when there is some kind of truncation of the actual address - as per the#define LONGDISPLAYFROM limit in Config.h.
This is a feature, probably intended so that any mailbox, including whichever one is selected to receive a copy of the sent mails. The benefit is that any mailbox can display mail sent by the user, with the "From" column showing the "To:" address rather than the sender. For this to be activated, the "From:" address needs to be the current user name plus "@123.456.com" where "123.456.com" is (I think) specified in the def_user_not_in_db parameter of /usr/local/etc/interdaemon.cfg.
This means that any mailbox can function as a repository for sent mail. Try doing that with Netscape! For most users, Netscape appears to have only one folder which can hold sent mail and display the "To:" address instead of the "From:" address. The result for most users is that their Sent mail folder (whichever they nominated, local mailboxes or via IMAP) grows and grows because if the messages are copied anywhere else, then you can't see who you sent them to! Here are limited workarounds for this in Netscape in Edit > Preferences > Mail & Newsgroups > Copies and Folders:
Postman needs no such fudges!Postman needs no such fudges!
- Use the Usenet sent option to make another mailbox show the "To:" line. (This assumes you don't use Usenet, which is not necessarily the case.) I use this to point to a mailbox "0-Usenet-Sent-really-previous-years-email-sent" where I keep older sent mail.)
- Similarly, sacrifice the "Templates" function and use this to point to another mailbox.
It is my impression that SqWebMail has a similar problem to Netscape, but worse: only one mailbox is useful for displaying the "To:" line of sent messages., The "Sent" mailbox is the only one which displays the "To:" line - and that this is not configurable by the user.
Likewise, I think that IMP only has one such mailbox, again not user-configurable: "sent-mail".
I think that the Help screens should have an explicit icon, saying that pressing this will return the user to a particular screen (from wherever this particular Help screen originated). Maybe this is tricky, since the browser's Back button may be the best way of returning, (either because there is no need to send anything from the server, or because the help screen doesn't know the session ID . . . though the Help screen could be dynamically generated with that information in the link or button.
Likewise perhaps all the windows might have an explicit link or button saying what it will go back to - the Addressbook, Preferences , Expunge, etc. But it is not essential. An advantage might be that it encourages the user not to use or rely on the browser buttons - if this is a desirable goal.
Postman has a user preference for how often to refresh the INBOX. The minimum setting is 2 minutes. As noted above I have altered the text to tell the user of this 2 minute minimum.
IMP doesn't have a way of automatically refreshing the mailbox, but it does have a way of the server communicating regularly with the client to put up a rather pesky Javascript alert box every time a new mail arrives. The only way of stopping this appearing regularly seems to be to read the email - and to do that you have to go to the Inbox. There is no refresh button for the Inbox or any other mailbox. The user must click the INBOX icon or select INBOX from the pulldown list on the left. This this regular alert box could be inconvenient if you are writing a new message. The timing of the new mail alert is set in the server configuration.
My initial test sending and receiving MIME attachments worked fine. Postman didn't recognise a base 64 attachment - but I don't think anyone should be sending things except as MIME these days. IMP can have an integrated Word file viewer, which is pretty snappy for a web mail program. This could be particularly handy in an educational or business setting.
Remember not to try to operate two mailboxes at once! You can be looking at the Inbox (call this window 1) and then right click the Mailboxes icon, and from there select a mailbox ZZZ in what I will call window 2. Now switch to window 1 and press refresh - you get messages from mailbox ZZZ.
IMP can't look at more than one mailbox at once, unless, you have separate sessions with separate browsers.
With Postman, it seems fine to right click the message lines in a mailbox and so open separate messages in separate windows. IMP can do this too - each message is in a window without IMP's frame, which could be confusing if you relied on it to go to other mailboxes, log out etc. With IMP, if you change the main window to another mailbox, then go to a message from the first mailbox, then you can use a button there to return to that first mailbox, and it appears on in that window without a frame. But it doesn't do you much good, since if you click on a message, that screen becomes the same mailbox in the the main frame.
So neither IMP or Postman can handle two mailboxes at the same time. But they can handle multiple messages open at once, from different mailboxes. Postman looks like it can have two message composition windows, but the server only thinks there is one, so trying to use the address book and then go back to the composition window will lead to failure for one of them. Still, I have been able to have two windows open at once, and send both messages.
By right clicking links, SqWebMail can do multiple mailboxes fine, as well as multiple message composition windows. There seems to be no limit or complications.
The header of each mailbox page shows the number of messages in it (as does IMP) but it also shows the total size of the mailbox in bytes.
Postman worked fine via SSL - I just used
This is without me even thinking about the standard Red Hat SSL installation. Since I haven't paid money for a server certificate from Veri$ign etc. browsers prompt the user to accept the certificate as being valid.
There is an intriguing way of downloading the mailbox which is being currently viewed - this is via the Mailbox link which leads to a page for this, and for creating, renaming and deleting mailboxes. The entire contents are sent to the browser in what looks like Mbox format. However, if any lines in the body of the message start with "From" (whatever the case) then these are not escaped as they should be for an Mbox format mailbox. In Mbox format, any body line which starts with "From" has to have a ">" added before it. Its a pest, and probably screws up a few things (like PGP signatures . . . ) but that's the way it has to be. There's no way of stripping this off, since there is no way of knowing that the message was a "From" in the first place. If this was not the case, then the following scheme would be reliable:This is a n excellent feature! IMP can't do it at all.This is a n excellent feature! IMP can't do it at all.
If you save mailbox dump in your local mail system, such as for Netscape under Windows, for user abcd:C:\Program Files\Netscape\Users\abcd\Mail\then the next time you run Netscape (you have to close the entire program, and restart it - not just Messenger) then the mailbox will be accessible under local mail. I tried this with a 15 megabyte mailbox and it worked like a charm! But this would be error prone without adding an extra function for escaping "From" lines in the body. If I was going to do this, then I would add a separate button to do it, or rather a link, so that shift-clicking on the link would create a file with no ".html" extension, and which could be saved to a local mailbox location. However, this feature is probably rather tricky for ordinary users.
Neither IMP, Postman nor SqWebMail can copy whole mailboxes. They can all rename mailboxes - and SqWebMail is hip to folders of mailboxes. The only way of copying a whole mailbox worth of emails would be to select them a window at a time and copy them. But since Postman can easily be configured to have a very long index page for mailboxes, it is possible to make the length longer than the mailbox, and so select all messages with one click of the top button, and copy the lot. The page would take a while to download over a slow modem, but.
Postman will quite happily display huge numbers of messages in its mailbox index. I tried it with a 15 megabyte, 9,000 message mailbox. I set the mailbox index to display 10,000 messages, and after some chewing, Postman displayed the lot all on one long easily scrollable web page! You definitely need a LAN connection to the Postman server to do this.
Postman can change the tags of messages (Deleted message, Answered message, New (unseen) message, Important message) when reading the message.
Postman has a SEARCH function! IMP (2.2 at least) can't do that. It seems only to search on the first word in the search string - it ignores "and" and any subsequent terms. Messages which match are tagged with a yellow and green cross - and the number of matching messages is displayed.
There is no way of sorting on flags. If there was, then it would be possible to collect all those messages which match the search string at one end of the mailbox. So it could take a while in a long mailbox to find all the matched messages. This is a real problem if you have 5000 messages in a mailbox! I think some way is needed of hiding those which do not match. (But see above about displaying the entire mailbox on one long page and scrolling through it.)
I did have one fault with Postman - a newly arrived message which appeared with no subject and a blank sender line. The message was OK when I clicked on it - it was just the index page which was wrong.
A Postman installation being used by unauthorised persons?
If Postman is configured to access IMAP servers other than the machine it is running on, and if the Postman program was usable by anyone, regardless of location, then I think it would be possible for anyone to fire up a session to the IMAP server of their choice, by creating their own form or perhaps URL encoding the relevant form data, since Postman can be told by the form which IMAP server to connect to. Perhaps there is a way of restricting this - I don't understand all Postman's configuration options. But there needs to be - otherwise anyone from anywhere can use the Postman server to access any IMAP account in the world.
It is easy to create a login page with the IMAP server as a user alterable item.
Making a login page without this doesn't stop someone else from creating their own form and making it go to the Postman program on your server.
General security issuesSecurity is a very deep subject. It could take a lot of scrutiny to find whatever problems Postman may involve.
For instance, a message to the IMP mailing list on 22 July 2001 Brent Norquist mentioned a newly discovered (and fixed) problem with a malicious email including text which IMP might pass to the browser so that the browser interprets it as Javascript.By using tricky encodings of "javascript:" an attacker can causeI haven't looked into it, but there are many potentially subtle security threats and it will take a lot of scrutiny and probably some refinements before Postman can be thought of as reasonably secure. I have no idea what the problems might be, but I think it is safe to say there will be a few.
malicious JavaScript code to execute in the browser of a user reading
email sent by attacker. (IMP 2.2.x already filters many such patterns;
several new ones that were slipping past the filters are now blocked.)
Perhaps Postman should go to the sort of trouble which I think IMP goes to to stop the browser (and perhaps a proxy server) caching pages.
I think Postman is most promising! I would imagine it is more CPU-efficient than IMP, because PHP must be rather inefficient compared to compiled binaries. My IMP installation is on a Pentium 100 MHz and the Postman installation is on a K6 200 Mhz, so it is hard to compare fairly, but Postman is certainly very fast (fractions of a second via the LAN) , while IMP can take a second or two to do almost anything.
IMP supports 23 languages . . there seem to be a *lot* of users and quite a few people contributing to it.
My altered source code filespmdocs/IMAP.cc
pmdocs/InterDaemon.cc
pmdocs/Language.cc
pmdocs/Utils.cc
Here are some notes on getting 2.0 going. This is probably not all you will need to get it running on whatever machine you are using, with whatever compiler and library gotchas you encounter. This is from some emails I wrote to the Postman discussion list.
There are two "#include db1/db.h: in:
Authentication.h
runtinas_db.h
but I have no such directory. I do have:
/usr/include/db3...
not
/usr/include/db1...
Changing the two includes to point to "db3/db" leads to a big
compilation problem, the same as mentioned on the Postman list on 9 May
2004 by "aktor". The error messages which result are:cc -Wall -Wpointer-arith -Wstrict-prototypes -O2 -DLINUX -c rutinas_db.c -o rutinas_db.o rutinas_db.c: In function `sm_getpwnam': rutinas_db.c:22: warning: assignment makes pointer from integer without a cast rutinas_db.c:30: warning: passing arg 2 of pointer to function from incompatible pointer type rutinas_db.c:30: too few arguments to function rutinas_db.c:94: too few arguments to function rutinas_db.c: In function `exist_user': rutinas_db.c:168: warning: assignment makes pointer from integer without a cast rutinas_db.c:174: warning: passing arg 2 of pointer to function from incompatible pointer type rutinas_db.c:174: too few arguments to function rutinas_db.c: In function `db_get_data_from_user': rutinas_db.c:202: warning: assignment makes pointer from integer without a cast rutinas_db.c:209: warning: passing arg 2 of pointer to function from incompatible pointer type rutinas_db.c:209: too few arguments to function rutinas_db.c:244: too few arguments to function make: *** [rutinas_db.o] Error 1There are a bunch of problems in "rutinas_db.c", in function "sm_getpwnam", and the way it calls a function "dbopen" which evidently does not exist in DB3. Here is what I had to do to make it compile. Some of these changes relate to my system in general, and some to the problem encountered by aktor. That problem is that the Postman code assumes a DB1 Berkeley Database, while my system has DB3 installed. The Postman code expects there to be a library to link to called: db1 and I have to make it db So in the Makefile:# LIB = -lcrypt -ldb1
LIB = -lcrypt -ldb
Version 2.0 assumes that there is a header file:
/usr/include/db/db.h
but I have only:
/usr/include/db3/db.h
/usr/include/db3/db_185.h
I need to change several files (listed below) to include:
db3/db_185.h
Makefile
--------
REALCGI = /var/www/cgi-bin/$(APPNAME)
WEBGROUP = apache
WEBHTDOCSDIR = /var/www/html
CCLIENTDIR = ../imap-2001a/c-client
(I downloaded this imap-2001a library from the Postman website
and compiled it, but did not install any of the programs.
Postman needs to link to an object file there "c-client.a". )
CXX = gcc
LIB = -lcrypt -ldb
(Not -ldb1)
CGIGROUP = apache
SERVERGROUP = apache
/files/interdaemon.cfg, Config.h
--------------------------------
Just changes which are normally required - not to do with this
compilation problem.
I did have a problem with the make install not placing interdaemon.cfg
at its final destination:
/usr/local/etc/interdaemon.cfg
probably due to there being an older file there from the earlier version.
Authentication.h, ClientDB.h and rutinas_db.h
---------------------------------------------
Replace:
#include <db1/db.h>
with:
#include <db3/db_185.h>
With various other things as listed in the main body of this page, I was able
to log into my IMAP account, at least to some extent, with the new Postman.
Postman produces a message:
"Mail (You have 3 messages not read)"
with the right number of messages, so the cgi-bin program was clearly
talking to the interdaemon and the interdaemon is clearly logging in to
my IMAP server successfully. When I clicked this message's link, or
when I clicked any one of the other links on the page, I got:
Error: Service not allowed!
The first problem was that the /files/interdaemon.cfg file was not
copied to its proper location:
/usr/local/etc/interdaemon.cfg
and my old one, (from an earlier version of Postman) was still there.
Another change was to config.h, to specify the location of sort correctly:
// #define cmdSORT "/usr/bin/sort"
#define cmdSORT "/bin/sort"
There is a lot of room for error in this part of config.h - be sure to
check the locations of:
sort
ps
grep
wc
Another change, which probably is that for my Courier IMAPD server, I
changed its config file (/usr/lib/courier-imap/etc/imapd) item:
MAXPERIP=4
to
MAXPERIP=20
I doubt that this affects Postman, but it helped me use Mozilla
intensively. This controls how many concurrent IMAP sessions Courier
IMAPD will accept from the one IP address. Whatever IMAP server you are
using on a large web-mail system, you will need it to handle a lot more
than 4 concurrent sessions from the server which is running Postman! I
am only using this as a personal server. | http://www.firstpr.com.au/web-mail/Postman/ | CC-MAIN-2017-30 | refinedweb | 15,342 | 72.05 |
Control Statements?
Table of Contents
- Control Statements
- Blocks
- Anonymous Blocks
- If elif else
- If else expression
- Single expression test
- toBoolean
- Loop
- While
- For
- Parallel for
- Repeating Control Statements Extra Features
- With statement
- Break and Continue
Crucial to imperative programming is the concept of control flow within a function or method. To this end a number of branching statements are provided within Concurnas. These are:
if elif else, the
if else expression,
while,
loop,
for,
parfor,
match and
with. First, lets examine the blocks which these control statements are composed of.
Blocks?
Blocks form the foundation of control flow statements. They serve two purposes:
Defining scope - Variables and functions declared within a block cannot be used outside of that block. But code within a scope can use the functions and variables defined in parent nestor scopes.
Returning of values.
Simply put a block is a pair of curly braces:
{ //more code in here }
Concurnas also offers a compact, single line block format
=>which can be used as follows:
def myMath(a int, b int, c int) => a*b+c def mypy(a int, b int) => res = a**2 + b**2; return res**.5
Blocks are able (but not obliged) to return values if their final logical line of code returns something:
result = { a = 2+3; a**2 }//result is assigned value 25
Blocks which are used as part of control statements (soon to be elaborated) may return values as well, this becomes a very useful programming construct for creating concise units of code. For example:
result = if(cond1){ "condition 1 met" }elif(cond2){ "condition 2 met" }else{ "no conditions met" }
In the case where there are two or more different types returned by the individual blocks associated with a control statement, the most specific type which can satisfy all the available returned types is chosen as the overall return type of the statement:
something Number = if(xyz()){ 82//this is boxed to an Integer, which is a subtype of the more general type Number }else{ new Float(0.2)//Float is a subtype of Number }
All branches must return something for the above sort of code to be valid, if at least one branch does not return something, then this approach cannot be used (unless another flow of control statement causing breakout is encountered such as
return,
throw etc as the final line of the offending branch).
Since blocks return values, and lambdas/functions/methods are composed of a name (except for lambdas), signature and block, then we can skip having to use the
return statement in our function/method definitions.
So instead of:
def plusTwo(an int){ return an + 2 }
We can write:
def plusTwo(an int){ an + 2 }
In fact, with Concurnas, we can take this a step further by using the compact block form of
=>:
def plusTwo(an int) => an + 2
Note that the return type in the
plusTwo function definitions is inferred as
int. Sometimes however this auto-return behaviour is undesirable. Say we are trying to implement a function returning void and our last expression can return something, here we can use nop
;;to suppress this being returned:
count = 0 def incrementor() => count++;;
Alternatively, we can specify the type for our function:
count = 0 def incrementor() void => count++
Anonymous Blocks?
It's often useful to specify a block on its own, without an attached control statement or association to a lambda/function/method etc. This provides one a bounded scope which is handy if one is working on a large/complex section of code and wishes to make clear a certain part of code is 'separate' functionality wise from the rest, and enable variable names to be potentially reused. It also allows one to return a value. For example:
//complex code here oddcalc = { a = 23 a*2 + a } anotherone = { a = 57 b = 99 a*b-1 }
In fact, this turns out to be especially useful functionality in so far as defining isolates is concerned. For it enables us to write this kind of code:
res = { //complex code here a= 99 a + 1 }!//Use the ! operator to create an isolate
If elif else?
If, else, if else is a branching control statement. It is composed of a if test and block, optionally any number of elif (or else if) test and blocks and may optionally include an else block for when all the if test and any defined elif tests resolve to false. For example:
def fullif(an int) String { if(an == 1){ "one" } elif (an==2){ "two" } else if(an ==3){//'elif' and 'else if' are considered to be syntactically identical "three" } else{ "other" } } def ifelse(an int) String { if(an == 1){ "one" } else{ "other" } } def ifelif(an int) String { res = "unknown" if(an == 1){ res = "one" } elif (an==2){ res = "two" } } def justif(an int) String { res = "unknown" if(an == 1){ res = "one" } }
In the final two examples above
ifelif and
justif, since no else block is provided, there is no certainty that all paths will resolve to return a value (it's possible that all the if and elif tests will fail) - so we cannot return a value from the if statements.
If else expression?
The if else expression, whilst not a statement, is translated into a if elif else statement (without any elif units) and behaves otherwise identically to an if-elif-else statement. An if test and else case must be included. For example:
avar = 12 if xyz() else 13
Functionally, this is identical to writing:
avar = if(xyz()){ 12 } else{ 13 }
Single expression test?
In Concurnas, a expression may be referenced in isolation within a test requiring a boolean value, e.g. an
if,
elif or
while test expression:
def gcd(x int, y int){ while(y){//translated to y <> 0 x, y = y, x mod y } x }
In cases such as these where the value resulting from evaluating the test expression is non
boolean and in fact integral in nature, this is compared against the value
0, if the result is non zero the expression resolves to true.
toBoolean?
As a corollary and in aid of our Single expression test above, all objects in Concurnas have a
toBoolean method automatically defined. This returns a single
boolean value resolving to
true. This value method may be overridden, for instance if one were defining a data structure, one may wish to define the
toBoolean as returning
false if the structure were empty.
The
toBoolean method is called when a single object is referenced where a boolean value is expected. Additionally, if the object is nullable, then it is checked for nullability, only if these two conditions are met is a value of
true returned. For example:
class MyCounter(cnt = 0){ def inc(){ cnt++ } override toBoolean(){ cnt > 0 } } counter = MyCounter() result = if(counter){//equivilent to: counter <> null and counter.toBoolean() 'counter is greater than one' }else{ 'counter is zero' }
The behaviour for Strings, arrays, lists, sets and maps in Concurnas is slightly different from the above. In order to return true for:
Strings. The value must be non-null and non zero (i.e. not an empty String)
Arrays. The value must be non-null and the
lengthfield must be greater than 0.
Lists, sets and maps. For
java.lang.List,
java.lang.Set,
java.lang.Map's the value must be non-null and a call to the
isEmptymethod must return
false.
Loop?
The
loop statement is our first repeating control statement. It will execute the block of code attached to it repeatedly until either the code breaks out from the loop (by using the
return,
break or by throwing an exception) or the program is terminated - which is the less common use case. For example:
count=0 loop{ System out println ++count if(count == 100){ break } }
While?
The
while statement is our second repeating control statement. It behaves in a similar way to loop but has a test at the start of the loop which if passed results in the attached block being called, at the end of the block the test is attempted again and if it passes then the block is called again, etc. If the test ever fails then repetition ceases. For example:
count = 0 while(++count <= 100){//test System out println count }//block to execute
For?
The
for loop statement is our third and final repeating control statement. There are two variants of for loop: c style for and iterator style for.
C style for?
C style for is the syntactically older of the two variants of for loop. In addition to its main block to repeat, it is composed of three key components:
An initialization expression, this is executed once at the start of the for loop. If a variable is created here it is bounded to the scope of the main block.
A termination expression. For as long as this resolves to
truethe loop is repeated, it is executed at the start of each potential repetition of the loop.
A post expression. This is executed at the end of the loop.
Here is a typical instance of a c style for loop:
for(an = 0; an < 10; an++){ System out println an }
Note that it's perfectly acceptable to omit any or all of the key components above, the following is equivalent to our loop example explored previously:
count=0 for(;;){ System out println ++count if(count == 100){ break } }
Iterator style for?
The iterator style for is great for performing an operation per instance of an item in a list, array or otherwise iterable object - which is often the case about 80% of the time in modern programming with for loops. Instead of the three separate key components as par the c style for loop above, we just have one, an iterator expression using the
in keyword, which creates a new variable with scope bound to the main block of the for loop:
for(x in [1 2 3 4 5 6 7 8 9 10]){ System out println x } for(x int in [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]){//here we choose to specify the type of our new variable x System out println x }
In the above instances we are choosing to iterate over an n dimensional array and a list respectfully. We can also iterate over any object that implements the
java.util.Iterator interface, for example a range object:
for(x in 1 to 10){ System out println x }
Parallel for?
parfor looks a lot like a repeating control statement and indeed it does largely behave like a for loop in so far as iteration is concerned - indeed, both styles of for iteration are permitted, c style and iterator style. But execution of the main block is quite different.
parfor will spawn the maximum number of isolates it sensibly can (i.e. no more than one per processor core), and will assign each of the iterations of the for loop to these isolates in a round robin fashion, equally distributing the workload. Let's look at an example:
result1 = parfor(x=1; x <= 100; x++){ 1 + x*10 } result2 = parfor(x in 1 to 100){ 1 + x*10 }
Bear in mind that code expressed in the main block that attempts to interact with the iteration operation (i.e. the value of
x in the first
parfor statement above) will not behave in the same way as an ordinary for loop. Likewise, break and continue are not permitted within a
parfor loop because the execution of the main block across a number of differing isolates occurs on a concurrent and non deterministic basis.
Instead of returning a
java.util.List<X> object, as par a regular for loop, an array of ref's corresponding to each 'iteration' of the main block is returned of type:
X:[] - where
X is the type returned from the main block.
Parforsync?
parforsync behaves in the same way as
parfor, but all the ref's returned from the 'iterations' of the main block must have a value set on them before execution may continue past the statement - i.e. all iterations must have completed. Example:
result1 = parforsync(x=1; x <= 100; x++){ 1 + x*10 } result2 = parforsync(x in 1 to 100){ 1 + x*10 }
Repeating Control Statements Extra Features?
The Repeating control statements;
loop,
while,
for,
parfor and
parforsync share some common extra features which make them especially useful.
else block?
An
else block can be attached to all the repeating control statements, except
loop,
parfor and
parforsync, and allows one to cater for cases where the attached main block is never entered into (i.e. the relevant test resolves to false on the first attempt):
res = "" while(xyz()){ res += "x" }else{ res = "fail" }
res = "" for(x in xyz()){ res += x }else{ res = "fail" }
Returns from repeating control statements?
The repeating control statements may return a list of type
java.util.List<X> where
X is the type returned by the attached loop block -
int in the below example:
count=0 series = loop{ if(count == 100){ break } ++count//returns a value of type int }
For
series above the type is
java.util.List<int>
when used in a for loop:
series = for(a in 1 to 100){ a }
Note that
parfor and
parforsync have their own, different, return logic covered previously.
The index variable?
All the repeating control statements (except the c style for loop) may have an attached index variable. This is handy in cases where one say wishes to use the Iterator style for loop, but also have a counter for the number of iterations so far. The index may have any name and by default the type of the index is
int.
long is a popular choice if you need to explicitly define the type of the index where working with very large iterations. An initial value assignment expression may be defined, if one is not then the value of the index is set to
0. For example, with a for loop:
items = [2 3 4 5 2 1 3 4 2 2 1] res1 = for(x in items; idx) { "{x, idx}" }//idx implicitly set to 0 res2 = for(x in items; idx long) { "{x, idx}" }//idx implicitly set to 0L res3 = for(x in items; idx = 100) { "{x, idx}" } res4 = for(x in items; idx long = 100) { "{x, idx}" } alreadyIdx = 10//index tobe used defined outside of loop res5 = for(x in items; alreadyIdx) { "{x, alreadyIdx}" }//alreadyIdx already defined
Index variables may be applied to loops and while loops in a similar fashion to iterator style for loops:
items = [2 3 4 5 2 1 3 4 2 2 1] n=0; res1 = while(n++ < 10; idx) { "{n, idx}" }//idx implicitly set to 0 n=0; res2 = loop(idx) {if(n++ > 10){break} "{n, idx}" }//idx implicitly set to 0
With statement?
The with statement which, though not being an actual control statement, does look a lot like one, and for that reason is included here. This is particularly useful in cases where one must call many methods, or interact with many fields of an object in a block of code. Using the with statement allows us to skip having to explicitly reference the object variable of interest:
class Details(~age int, ~name String){ def getSummary() => "{name}: {age}" def rollage() => age++;; } det = new Details(23, "dave") with(det){ name = "david" rollage() } det.getSummary() / => "david: 24"
With statements, as with all block based code in Concurnas can return values:
class Details(~age int, ~name String){ def getSummary() => "{name}: {age}" def rollage() => age++;; } det = new Details(23, "dave") summary = with(det){ name = "david" rollage() getSummary() } //summary == "david: 24"
With statement may be nested. In instances where there is an identically callable method in the nesting layers, then the innermost layer is prioritized.
Break and Continue?
The
break and
continue keywords may be used within all the repeating control statements: loop, while, for (but not
parfor or
parforsync) in order to affect the flow of control within the main block of the statements.
The
break keyword allows us to break out (escape from) from the inner most repeating control statement main block, and continue on with execution of the code post the control statement.
The
continue keyword allows us to terminate the current repetition of the inner most repeating statement main block and carry on execution as if we had reached the end of the main block attached to the statement normally - so for a
loop this would be the start of the main block, for a
while it would be the beginning of the test etc.
Let's look at an example of
continue and
break:
items = x for x in 1 to 50 for(x in items){ if(x <== 5){ continue //go back to the start of the loop, i.e. skip the code which outputs to console }elif(x == 9){ break//go to the code after the for loop } System out println x }
The
continue and
break keywords may be used when the repeating control structures which return a value for each iteration in the following manner:
series = for(x in items){ if(x <== 5){ continue x//continue but add a value to the result list }elif(x == 6){ continue//continue and don't add a value to the result list }elif(x == 9){ break x//break but add a final value to the result list }elif(x == 10){ break//break and don't bother to return a value to the result list } x//if we've made it throught the above, then this value is added to the result list } | https://concurnas.com/docs/controlStatements.html | CC-MAIN-2022-21 | refinedweb | 2,933 | 60.69 |
This is the mail archive of the cygwin@cygwin.com mailing list for the Cygwin project.
I am on a team developing a windows console application, and when I run it under a cygwin shell, the ctrl-c handling does not work properly, but it does when run under cmd or 4nt. What happens is that the application exits almost immediately after ctrl-c is pressed, and the ctrl-c handler does not have time to complete, so the application does not shutdown properly. I have created the following program which demonstrates on my system that a program compiled with cygwin works properly, but the same program compiled with gcc -mno-cygwin exhibits the same behavior I described above, but works correctly in a windows native shell. ************************************ #include <stdio.H> #include <signal.h> #ifdef CYGWIN #include <unistd.h> #else #include <windows.h> #endif int flag = 0; #ifndef CYGWIN void sleep(int sec) { Sleep(sec*1000); } #endif static void siggy(int signo) { if (signo == SIGINT) { flag = 1; signal(SIGINT, SIG_DFL); } } int main() { if (signal(SIGINT, siggy) == SIG_ERR) { printf("could not set SIGINT\n"); } printf("polling for SIGINT...\n"); while (!flag) { sleep(1); printf("waiting for SIGINT\n"); } printf("SIGINT received\n"); printf("sleeping...\n"); sleep(5); printf("exiting\n"); } ******************************** The #ifdef'd code is to sleep() will work the same in both executables. Compile the program like so: gcc testprog.c -o cygtestprog.exe gcc -mno-cygwin testprog.c -o wintestprog.exe cygtestprog and wintestprog behave the same under a windows shell (cmd or 4nt) but wintestprog exits immediately under bash and zsh while cygtestprog behaves properly. The application actually uses SetConsoleCtrlHandler() instead of signal, but the observed behavior is the same, so the test app demonstrates the problem more simply. Is this a known problem? or perhaps a problem with my setup? Thank you for any help you can offer. rob -- Unsubscribe info: Problem reports: Documentation: FAQ: | http://www.cygwin.com/ml/cygwin/2003-11/msg00192.html | crawl-002 | refinedweb | 317 | 57.87 |
Next: nc__create, Previous: nc:
NOTE: When creating a netCDF-4 file HDF5 error reporting is turned off, if it is on. This doesn't stop the HDF5 error stack from recording the errors, it simply stops their display to the user through stderr.
int nc_create (const char* path, int cmode, int *ncidp);
path
cmode
Setting NC_NOCLOBBER means you do not want to clobber (overwrite) an existing dataset; an error (NC_EEXIST) is returned if the specified dataset already exists.. This flag is ignored for netCDF-4 files. (See below.)
Setting NCC_CLOBBER) specifies the default behavior: overwrite any existing dataset with the same file name and buffer and cache accesses for efficiency. The dataset will be in netCDF classic format. See NetCDF Classic Format Limitations.
Setting NC_NETCDF4 causes netCDF to create a HDF5/NetCDF-4 file.
Setting NC_CLASSIC_MODEL causes netCDF to enforce the classic data
model in this file. (This only has effect for netCDF-4/HDF5 files, as
classic and 64-bit offset files always use the classic model.) When
used with NC_NETCDF4, this flag ensures that the resulting
netCDF-4/HDF5 file may never contain any new constructs from the
enhanced data model. That is, it cannot contain groups, user defined
types, multiple unlimited dimensions, or new atomic types. The
advantage of this restriction is that such files are guaranteed to
work with existing netCDF software.
ncidp
nc_create returns the value NC_NOERR if no errors occurred. Possible causes of errors include:
NC_NOERR
NC_ENOMEM
NC_EHDFERR
NC_EFILEMETA
In this example we create a netCDF dataset named foo.nc; we want the dataset to be created in the current directory only if a dataset with that name does not already exist:
#include <netcdf.h> ... int status; int ncid; ... status = nc_create("foo.nc", NC_NOCLOBBER, &ncid); if (status != NC_NOERR) handle_error(status);
In this example we create a netCDF dataset named foo_large.nc. It will be in the 64-bit offset format.
#include <netcdf.h> ... int status; int ncid; ... status = nc_create("foo_large.nc", NC_NOCLOBBER|NC_64BIT_OFFSET, &ncid); if (status != NC_NOERR) handle_error(status);
In this example we create a netCDF dataset named foo_HDF5.nc. It will be in the HDF5 format.
#include <netcdf.h> ... int status; int ncid; ... status = nc_create("foo_HDF5.nc", NC_NOCLOBBER|NC_NETCDF4, &ncid); if (status != NC_NOERR) handle_error(status);
In this example we create a netCDF dataset named foo_HDF5_classic.nc. It will be in the HDF5 format, but will not allow the use of any netCDF-4 advanced features. That is, it will conform to the classic netCDF-3 data model.
#include <netcdf.h> ... int status; int ncid; ... status = nc_create("foo_HDF5_classic.nc", NC_NOCLOBBER|NC_NETCDF4|NC_CLASSIC_MODEL, &ncid); if (status != NC_NOERR) handle_error(status);
A variant of nc_create, nc__create (note the double underscore) allows users to specify two tuning parameters for the file that it is creating. These tuning parameters are not written to the data file, they are only used for so long as the file remains open after an nc__create. See nc__create. | http://www.unidata.ucar.edu/software/netcdf/old_docs/docs_4_0_1/netcdf-c/nc_005fcreate.html#nc_005fcreate | crawl-003 | refinedweb | 484 | 57.77 |
Using indexOf to Find All Occurrences of a Word in a String
Last modified: November 29, 2018
1. Overview
The chore of searching for a pattern of characters, or a word, in a larger text string is done in various fields. In bioinformatics, for example, we may need to find a DNA snippet in a chromosome.
In the media, editors locate a particular phrase in a voluminous text. Data surveillance detects scams or spam by looking for suspicious words embedded in data.
In any context, the search is so well-known and daunting a chore that it is popularly called the “Needle in a Haystack Problem”. In this tutorial, we’ll demonstrate a simple algorithm that uses the indexOf(String str, int fromIndex) method of the Java String class to find all occurrences of a word within a string.
2. Simple Algorithm
Instead of simply counting the occurrences of a word in a larger text, our algorithm will find and identify every location where a specific word exists in the text. Our approach to the problem is short and simple so that:
- The search will find the word even within words in the text. Therefore, if we’re searching for the word “able” then we’ll find it in “comfortable” and “tablet”.
- The search will be case-insensitive.
- The algorithm is based on the naïve string search approach. This means that since we’re naïve about the nature of the characters in the word and the text string, we’ll use brute force to check every location of the text for an instance of the search word.
2.1. Implementation
Now that we’ve defined the parameters for our search, let’s write a simple solution:
public class WordIndexer { public List<Integer> findWord(String textString, String word) { List<Integer> indexes = new ArrayList<Integer>(); String lowerCaseTextString = textString.toLowerCase(); String lowerCaseWord = word.toLowerCase(); int index = 0; while(index != -1){ index = lowerCaseTextString.indexOf(lowerCaseWord, index); if (index != -1) { indexes.add(index); index++; } } return indexes; } }
2.2. Testing the Solution
To test our algorithm, we’ll use a snippet of a famous passage from Shakespeare’s Hamlet and search for the word “or”, which appears five times:
@Test public void givenWord_whenSearching_thenFindAllIndexedLocations() { String theString; WordIndexer wordIndexer = new WordIndexer(); the,"; List<Integer> expectedResult = Arrays.asList(7, 122, 130, 221, 438); List<Integer> actualResult = wordIndexer.findWord(theString, "or"); assertEquals(expectedResult, actualResult); }
When we run our test, we get the expected result. Searching for “or” yields five instances embedded in various ways in the text string:
index of 7, in "or" index of 122, in "fortune" index of 130, in "Or index of 221, in "more" index of 438, in "For"
In mathematical terms, the algorithm has a Big-O notation of O(m*(n-m)), where m is the length of the word and n is the length of the text string. This approach may be appropriate for haystack text strings of a few thousand characters but will be intolerably slow if there are billions of characters.
3. Improved Algorithm
The simple example above demonstrates a naïve, brute-force approach to searching for a given word in a text string. As such, it will work for any search word and any text.
If we know in advance that the search word does not contain a repetitive pattern of characters, such as “aaa”, then we can write a slightly more efficient algorithm.
In this case, we can safely avoid doing the backup to re-check every location in the text string for as a potential starting location. After we make the call to the indexOf( ) method, we’ll simply slide over to the location just after the end of the latest occurrence found. This simple tweak yields a best-case scenario of O(n).
Let’s look at this enhanced version of the earlier findWord( ) method.
public List<Integer> findWordUpgrade(String textString, String word) { List<Integer> indexes = new ArrayList<Integer>(); StringBuilder output = new StringBuilder(); String lowerCaseTextString = textString.toLowerCase(); String lowerCaseWord = word.toLowerCase(); int wordLength = 0; int index = 0; while(index != -1){ index = lowerCaseTextString.indexOf(lowerCaseWord, index + wordLength); // Slight improvement if (index != -1) { indexes.add(index); } wordLength = word.length(); } return indexes; }
4. Conclusion
In this tutorial, we presented a case-insensitive search algorithm to find all variations of a word in a larger text string. But don’t let that hide the fact that the Java String class’ indexOf() method is inherently case-sensitive and can distinguish between “Bob” and “bob”, for example.
Altogether, indexOf() is a convenient method for finding a character sequence buried in a text string without doing any coding for substring manipulations.
As usual, the complete codebase of this example is over on GitHub.
From the example given above, what I understand is that you’re using Brute force to search a word occurrence. I would like to know if regex/matcher a better way to find occurrences of words in a page. And what are the advantages in terms of time-complexity. Also, can you please provide examples for other algorithms for String searching.
Here are a few other articles that might help:
String Search Algorithms for Large Texts
String Performance Hints
What about the situation when the wold starts from zero position. Don’t you miss it? I mean the Improved Algorithm solution.
Thanks Andrey. You are correct. The article and code on GitHub has been fixed. | https://www.baeldung.com/java-indexOf-find-string-occurrences | CC-MAIN-2019-22 | refinedweb | 894 | 54.93 |
Dyn + various Unix.
This article will cover some ground, so it is split in a number of sections:, since is a more decoupled run-time library, supposedly not dependent on the main application being a certain version, and preferably the requirements on the plugin should be a bit more loose (they shouldn't need to know about every header file and #define in the application, and they need not mutually resolve massive amounts of global symbols).
#define
C++ doesn't provide any language or standard library support for this, but there are some good starting points in the language.
What can be investigated is what parts of the language can be used without creating link-time complexity, and what parts to be avoided for a plugin. Maybe one is not confined to only extern "C" ....
extern "C" ...
On the Windows platform, COM is a way forward. To be language neutral, it limits (severely) what features of C++ can be exposed and then re-used inside another run-time module (including expressing inheritence relationships). It is based on a particular way of sharing the VTables for run-time binary objects. However, it works, but has not evolved in a cross-platform direction.
What we're looking at is if there is"...")
extern "C"...
The next section will define this middle ground and later introduce an object framework (DynObj) around it.
We have this class definition:
class AnExample {
public:
AnExmaple( int i ) : m_i(i) { }
virtual int Add( int i );
int Sub( int i );
int Get( ){ return m_i; }
bool operator < (int i){ return m_i
static int StaticFunc( );
protected:
int m_i;
};
For linking (which is the key issue in dynamic loading), this applies to the members of AnExample:
AnExample
AnExample(int i)
int Add(int i)
Sub(int i)
Get()
operator <
StaticFunc()
m_i
So, it seems it's only static members and functions that are both non-virtual and non-inline member that generate any linking!
To clarify things here a bit we should remember what virtual functions are:
The VTable in itself is in itself a symbol located inside a DLL. However, if an object is instantiated from inside the DLL/SO that owns the VTable, this is not part of the link process either.
So it seems we have found some middle ground.
We have a class that uses inheritance:
class SideBaseClass {
public:
virtual const char *GetPath( );
virtual bool SetPath( const char *path );
};
class MultiBaseClass : public AnExample, public SideBaseClass {
public:
virtual int Add( int i );
virtual bool SetPath( const char *path );
protected:
int m_j;
};
MultiBaseClass has two base classes and overrides a function from each base class. From a run-time perspective, the inheritance boils down to the following object layout for an instance of MultiBaseClass:
MultiBaseClass
The VTable for MultiBaseClass will be:
MultiBaseClass::Add(int i)
SideBaseClass::GetPath( )
SideBaseClass::SetPath( const char *path)
This object data layout can vary with compiler and data type (compilers have settings for padding and alignment). However, this is constant also between compilers:
For derived classes, the following applies:
This is the main picture, there are a couple of exceptions to above rules. They are:
A central part of the DynObj framework is to account for offsets between multiple bases generated by potentially different compilers.
What is important to recognize here is that: "Inheritance (neither single nor multiple) does not generate any linking."
A class definition:
can be reused and implemented by both a host application and a plugin. Furthermore, they can use each other's implementations of these classes. Code made by one compiler may use such a class compiled from another.
For function members, this works all the time, also in the cross-compiler case. For data members, it works as long as the compilers on each side have used the same sizes and padding for the data members.
When moving (casting) between base classes, the address offset must at all times be calculated based on offsets generated by the source (plugin) compiler.
This common ground is of course in addition to the old extern "C" MyFunction(...) style. That is, however, an important part that we will make use of below.
extern "C" MyFunction(...)
We know now that instances of a class fulfilling above spec can be used by both the host application and the plugin, without requiring a linking process. But how do we handle creation and destruction of object instances?
Since a call across the plugin boundary is essentially typeless, we cannot communicate the type directly to the plugin as a C++ type.
Say that from the host, we want the plugin to create an instance of AnExample:
AnExample *pe = new AnExample; // This doesn't work
This would just make the host instantiate it.
Since we don't have the compile time type machinery here, (remember, we're communicating with a binary module possibly from another compiler), we have to communicate the type to the plugin in some other way.
To solve this problem, we use a factory function in the plugin that takes the type encoded as a string and an integer:
extern "C" void* CreatePluginObject( const char *type_name, int type_id )
if( !strcmp(type_name,"AnExample") &&
type_id == ANEXAMPLE_TYPE_ID )
return new AnExample;
else return NULL;
}
Then on the host side we can do:
typedef void* (*PluginFactoryFn)(const char *type, int id);
// First locate CreatePluginObject inside a loaded DLL
PluginFactoryFn create_fn = /* Locate it */;
// Now create object
AnExample *pae = (AnExample*)create_fn( "AnExample",
ANEXAMPLE_TYPE_ID );
The DynObj framework automates this conversion step so that we can use the expression:
AnExample *pe = do_new<AnExample>; // This works
to instantiate objects from inside plugins. The conversion:
is taken care of by templates classes available in the host application.
There are some points to consider here to keep cross-compiler compatibility:
delete
Essentially, the host must make sure a plugin object is 'recycled' by the same plugin that created it. To handle this, the DynObj framework has used a solution where each object that is created has a virtual member function doDestroy():
doDestroy()
DynObj *pdo = /* Create object and use it */;
pdo->doDestroy(); // End of object
We see here that we have used DynObj as a base class for objects that are created by a plugin.
DynObj
The DynObj framework works with any classes, but objects that can be created and destroyed by plugins must derive from DynObj.
The solution with factory functions gives the responsability of setting up the VTable to the plugin, and so, all the functions we need from the plugin are contained in these pre-linked VTables. Each instantiated object comes back with a VPTR as its first binary member.
The only run-time linking we have to do is to lookup these factory functions inside the plugin DLL (and possibly some other init/exit functions). This keeps the host and the plugin in a loosely coupled relationship, defined by the plugin interface. Next comes the description of the DynObj solution using this approach.
This describes the properties of the DynObj library solution to the plugin/linking problem.
The library is written in C++, and a decent C++ compiler should build it (tested with MSVC 8 and G++ [4.1.2 and 3.4.5]). It relies on a minimalistic cross-platform layer for dynamic linking and a spartan threading interface.
The library/plugin compiler can be a different one than the main application compiler. All casting between types is allways done based on offsets from the source (library) compiler.
DynObj supports ordinary C++ classes across the plugin boundary. Any class that consists of:
So a fairly large subset of the C++ class concept can be used over the boundary. This is what cannot be used:
The object from a plugin represents a full C++ object, including the possibility of having multiple nested base classes. At the source code level, a tagging scheme is used to decide which bases to expose. The whole (exposed part) of the inheritance tree is communicated to users of the object.
The object is usually accessed using a single inheritance interface/class. Using a cast operation (query type) one can move between the different interfaces/sub-objects that are implemented.
An object can implement a number of interfaces and/or classes. To query an object for another type, the C++ template:
template<class U, class T> U do_cast(T t)
is used. It operates the same way as C++ dynamic_cast<> and provides typed safe casts across the plugin boundary. do_cast (and related functions) provides similar functionality to QueryInterface in COM.
dynamic_cast<>
do_cast
QueryInterface
An example:
DynI pdi = /* Basic DynI pointer from somewhere */;
DynSharedI pdsi = do_cast<DynSharedI*>(pdi)
The library introduces a small interface and class collection, based on DynI (a class which knows its own type and can be queried for other types). Both classes based on DynI and arbitrary classes with virtual methods may be used across the plugin boundary.
DynI
When using classes derived from DynI, a separate registration step may be skipped, since a DynI object always knows its own type.
The provided classes derived from DynI also provides for a certain way of instantiating and destroying objects (DynObj), for handling objects with shared ownership (DynSharedI), and also for weak references.
DynSharedI
When using arbitrary classes, they must have at least one virtual member function. The library provides templates that safely detect if an object has a vtable or not. To use such objects across a plugin boundary, one instance of the type must be registered first.
Types are identified based on the pair:
This is a simple scheme that does not guarantee global (world-wide) type uniqueness. It can, however, guarantee that the types used inside the application are unique. It is always simple to find the string name for types. In cast operations, usually only the type integer is carried around (no 128 bit ID structures).
Most times we don't need to know these, we just use the C++ types (which in their turn use the type strings/IDs when needed).
Plugins can use types from the main application (as long as it has headers for it) and also from other loaded plugins. It can also instantiate plugin objects (from itself, other plugins, or the main app).
The library is self-contained and relatively small, including the cross-platform layer. A compressed archive of the source is around 200 KB. It does not rely on STL, Boost or any other big component library. It is not tied to a single platform API.
The library includes a collection of practical classes, to handle libraries, object instantiation/destruction, smart pointers and more.
Optionally (and recommended) one can use the class DoRunTimeI, which provides shared resources to the application and the plugins. Among other things it makes sure that the various libraries access the same type information, it provides for a pool of named 'published' objects, per-object and per-thread error handling.
DoRunTimeI
A run-time string class, DynStr (in itself a plugin object) is provided, giving plugins a way to deal with Unicode strings.
DynStr
To setup a C++ class as a plugin type, some registration needs to be done and a library file must be created. To help with this, a tool pdoh (Parse DynObj Header) is used. It reads C++ source file and triggers on // %%DYNOBJ tags in the source code.
pdoh
Parse DynObj Header
// %%DYNOBJ
The pdoh tool outputs most of the glue code that is needed, including generating type ID:s.
The library relies on the default way of using vtables in C++ together with a binary type description structure. This is a simple binary scheme. So, plugin classes could be used from any language that can use these. A C implementation is straight forward (an object would be a structure with the first member being a pointer to an array of functions). Also, a plugin class could be implemented in another language and used from C++.
Inline functions cannot be shared with another language (they are really compiled on both host and plugin side).
The library relies on these features from the C++ compiler:
extern "C"
__cdecl
When a library is compiled, this information is stored and made available at load time, so an incompatible library can be detected. Virtual destructors are not used across plugin boundaries, since compilers implement them in slightly different ways. Some earlier versions of g++ (prior to version 2.8) used two slots per function in the VTable, that would not have been compatible.
When exposing data members in a class across a plugin boundary, the best is to make each member fill up one word (32/64-bit) in the structure. That avoids any possibility of unaligned data access. The size of an exposed type (using sizeof from the plugin compiler) is stored in the type information. The user of a plugin class could detect if data members are aligned differently.
The calling convention can be configured when the library is compiled, some other convention could be used as long as the main and plugin compiler agree on it. On Linux, the default (implicit) calling convention is __cedcl. Next: A sample using the DynObj library.
__cedcl
Here we will create a couple of plugin libraries and use them from a simple main application. It wil demonstrate how to instantiate plugin objects, how to use plugin objects as ordinary C++ classes, how to query for supported types.
We start out with defining a simple interface file that manages data about a person (PersonI.h):
#include <span class="code-keyword"><string.h> // We use strcmp below
</span>
class DynStr;
// %%DYNOBJ class(DynI) <---Directive to pdoh preprocessor
class PersonI : public DynObj {
public:
// DynI methods <---Implement GetType and Destroy - for all DynObj:s
virtual DynObjType* docall doGetType( ) const;
virtual void docall doDestroy( ) { delete this; }
// PersonI methods <---Add our new methods
virtual const char* docall GetName( ) const = 0;
virtual int docall GetAge() const = 0;
virtual bool docall SetName( const char *name ) = 0;
virtual bool docall SetAge(int age) = 0;
// ---Simple default inline implementation of operator
virtual bool docall operator<( const PersonI& other ) const {
return strcmp(GetName(),other.GetName()) < 0;
}
// ---Non-virtual, inline convenience function
// Derived cannot override.
PersonI& operator=( const PersonI& other ) {
SetAge( other.GetAge() );
SetName( other.GetName() );
return *this;
} };
Then, from a command prompt/shell, we run the pdoh preprocessor on this file (the -o option tells the parser to write generated code directly into the file instead of to stdout):
stdout
$ ./pdoh PersonI.h -o
$
Looking at the header file, we see that a section at the beginning of the file has been added:
// %%DYNOBJ section general
// This section is auto-generated and manual changes will
// be lost when regenerated!!
#ifdef DO_IMPLEMENT_PERSONI
#define DO_IMPLEMENTING // If app has not defined it already
#endif
#include <span class="code-string">"DynObj/DynObj.h"
</span>
// These are general definitions & declarations used
// on both the user side [main program]
// and the implementor [library] side.
// --- Integer type ids for defined interfaces/classes ---
#define PERSONI_TYPE_ID 0x519C8A00
// --- Forward class declarations ---
class PersonI;
// --- For each declared class, doTypeInfo template specializations ---
// This allows creating objects from a C++ types and in run-time casts
DO_DECL_TYPE_INFO(PersonI,PERSONI_TYPE_ID);
// %%DYNOBJ section end
This section provides the glue needed to convert from a C++ PersonI type to the type strings and type ID:s that are used across the plugin boundary.
PersonI
If we would like to move this section we're free to do that. The next time the preprocessor is run on the same file, it will keep the section where we put it.
We also see that code has been inserted at the end of the file:
// %%DYNOBJ section implement
// This section is auto-generated and manual changes
// will be lost when regenerated!!
// Define the symbol below from -only one place- in the project implementing
// these interfaces/classes [the library/module].
#ifdef DO_IMPLEMENT_PERSONI
// Generate type information that auto-registers on module load
DynObjType
g_do_vtype_PersonI("PersonI:DynObj",PERSONI_TYPE_ID,1,sizeof(PersonI));
// DynI::doGetType implementation for: PersonI
DynObjType* PersonI::doGetType() const {
return &g_do_vtype_PersonI;
}
#endif // DO_IMPLEMENT_...
The preprocessor has inserted code to do two things:
DynObjType
doGetType()
When we define the symbol DO_IMPLEMENT_PERSONI from a C++ source file, the code above ends up in that file.
DO_IMPLEMENT_PERSONI
Next we create a source file that implements the interface (PersonImpl1.cpp):
// This will cause PersonI class registration info to come in our file.
#define DO_IMPLEMENT_PERSONI
#include <span class="code-string">"PersonI.h"
</span>
// We're also implementing our class
#define DO_IMPLEMENT_PERSONIMPL1
The defines above puts the class registration code into this source file. Each interface/type that is handled must be declared as a global registration structure once. The defines DO_IMPLEMENT_... correspond to a class we're implementing in this file.
DO_IMPLEMENT_
// Declare the class to the pre-processor.
// %%DYNOBJ class(dyni,usertype)
class PersonImpl1 : public PersonI {
public:
Here we tell the preprocessor that a plugin class is being defined. The flag usertype informs it that this class can be instantiated by the host. Therefore it must generate a factory function for this type in the library section.
usertype
// DynObj methods
virtual DynObjType* docall doGetType( ) const;
virtual void docall doDestroy( ) { delete this; }
// PersonI methods
virtual const char* docall GetName( ) const {
return m_name;
}
...
The above implementats functions in DynObj and PersonI. Since we are inside a class PersonImpl1 which definintion is never is exposed, we can generate the function bodies inside the class definition.
PersonImpl1
// Constructor, Init from a string: "Bart,45"
PersonImpl1( const DynI* pdi_init ) : m_age(0) {
// We will do this setup slightly awkward now, and improve in
// the following examples.
*m_name = 0; // NUL terminated
...
The constructor for a DynObj always take a simple argument of type const DynI*. Since DynI can implement any interface, we can pass pretty much any type of data to the constructor. To pass simple data like int/double/const char* and friends, one can use an instance of template class DynData<T>.
const DynI*
int/double/const char*
DynData<T>
protected:
// Need not really be protected since user of PersonI cannot look here anyway.
char m_name[NAME_MAX_LENGTH];
int m_age;
};
// %%DYNOBJ library
The last comment tells the preprocessor that we want library code inserted at this location. In this library section it will put the factory functions and any glue needed to instantiate plugin objects to the host.
Next we run the parser on this source file (the -p option tells pdoh where it can find template code):
$ ./pdoh PersonImpl1.cpp -o -p../
Found library insertion point
$
The parser has now inserted code that generates glue for library functions. The glue code can be included/excluded using #define DO_MODULE:
#define DO_MODULE
// %%DYNOBJ section library
...
// Only include below when compiling as a separate library
#ifdef DO_MODULE
...
// The object creation function for this module
extern "C" SYM_EXPORT DynObj* CreateDynObj(
const char *type, int type_id,
const DynI *pdi_init, int object_size )
{
...
if( ((!strcmp(type,"PersonImpl1") || type_id==PERSONIMPL1_TYPE_ID)) ||
((!strcmp(type,"PersonI") && type_id==PERSONI_TYPE_ID)) ){
return new PersonImpl1(pdi_init);
}
DO_LOG_ERR1( DOERR_UNKNOWN_TYPE, ... );
return 0;
}
After compiling, we can connect this as a plugin to a host application, the preprocessor has generated the bits and pieces that are required, both for the host and the plugin side.
Finally we create the main application (main1.cpp) that uses the plugin:
#include <span class="code-keyword"><stdio.h>
</span>
#include <span class="code-keyword"><stdlib.h>
</span>
// DynObj support
#include <span class="code-string">"DynObj/DynObj.h"
</span>
#include <span class="code-string">"DynObj/DynObjLib.h"
</span>
#include <span class="code-string">"DynObj/DoBase.hpp"
</span>
// Interfaces we're using
#include <span class="code-string">"PersonI.h"
</span>
#include <span class="code-string">"ProfessionI.h"
</span>
int main( ) {
// Check that things have started OK
if( !doVerifyInit() ){
printf("Failed DoVerifyInit\n");
exit(-1);
}
Now we want to start using the plugin. For this, we use DynObjLib which wraps a cross-platform run-time (DLL/SO) library loader (initial code for this came from Boby Thomas).
It is worth noting that the main application and the library are loosely linked, making it easy to implement on any platform that supports explicit run-time loading of binary libraries.
// Load library
DynObjLib lpimpl1( "pimpl1", true );
if( lpimpl1.GetState()!=DOLIB_INIT ){
printf( "Could not load library (pimpl1): status (%d)\n",
lpimpl1.GetState() );
exit( -1 );
}
// Create object
PersonI *pp = (PersonI*)lpimpl1.Create("PersonI",PERSONI_TYPE_ID);
if( pp ) {
pp->SetName( "George" );
pp->SetAge( 34 );
...
We have instantiated the object the 'raw' way here, giving type name and ID to DynObjLib. After that, it is just to start using the object as any standard C++ object.
DynObjLib
We next query the object for an interface using do_cast:
ProfessionI *pi = do_cast<ProfessionI*>(pp);
if( pi )
;// Use the interface
pp->doDestroy();
return 0;
}
The template do_cast<T> takes care of the details of checking if ProfessionI is supported. It transforms the C++ type to type name and ID. Using type information from the plugin, it can walk the class layout and return an adjusted interface pointer.
do_cast<T>
ProfessionI
It is important that any address offsets applied inside objects are always based on information from the plugin compiler. When using an interface pointer returned in this way, we can only assume it is valid for the duration of the current function. We do not need to release it in any way. Finally, we delete the object using DynObj::doDestroy (which will recycle it in the memory manager of the plugin that created it).
DynObj::doDestroy
Further documentation here.
DynObj is an open-source cross-platform library that uses the run-time plugin approach just decribed. Although the mechanisms used are generic and fairly simple, the library fills many gaps and make it straight-forward to use plugins inside a C++ application.
The library provides:
VObj, DynI, DynObj, DynSharedI
doTypeInfo
DO_DECL_TYPE_INFO
dynamic_cast<T>
do_cast<T>, doGetObj
do_new<T>
In addition to these library facilities, it includes a tool (pdoh) that parses C++ header files and generates source code for type registration.
All classes discussed below are defined in DynObj.h. The library is based on some properties of objects with VTables:
In C++ there is not a built-in way to denote these classes. However, we define the class VObj to represent an object with a VTable with unknown size and methods. VObj in that sense becomes the 'stipulated' root class for all classes that contain one or more virtual functions.
VObj
We see that VObj does not introduce any methods (it cannot since that would interfere with derived classes which use the first VTable slot).
However, VObj has a number of convenient inline functions to query for types (VObj::IsA, VObj::CanBeA, VObj::GetObj,...), asking about errors (VObj::Get/Set/ClearError) and more.
VObj::IsA, VObj::CanBeA, VObj::GetObj
VObj::Get/Set/ClearError
To determine if a class is a VObj or not, these templates can be used:
bool has_vtable = IsVObj<SomeType>::v;
template<class T>
VObj* to_vobj( T* pt );
This provides type safety so that we cannot try to convert say a char* to an interface pointer (the compiler would give an error).
char*
doGetType
doGetObj
const char* type_name
const char*
doGetError
int *perr_code
void
doClearError
The DynI class provides a way to know its type (doGetType) and for asking about other types it supports (doGetObj). To ask if a DynI supports the DynStr interface:
DynI *pdi = /* Wherever pointer comes from */;
DynStr *pds = pdi->doGetObj("DynStr");
This is equivalent to:
DynStr *pds = do_cast<DynStr*>(pdi);
The DynI class has an advantage over VObj:
In contrast, to find the type of a VObj, a lookup into a global table, using the VPTR, has to be made (and works only after the types have been registered).
Since DynI is used across DLL (and possibly compiler) boundaries, we cannot use C++ exceptions. To provide error handling, the methods doGetError and doClearError are introduced. They allow for an object specific error state, without burdening the class with member variables for this. SetError is not a member, since object errors are usually are not set from 'outside'.
SetError
We see also that the DynI interface has no support for creation or destrcution. The same applies to VObj. The lifespan that can be assumed is that of the current method.
If a reference to the object is to be kept, these are different ways to go about it:
NotifierI
doDestroy
doDtor
The DynObj interface represents an object that can be created and destroyed. It represents an object owned from a single point. Usually the functions doDestroy and doDtor would be implemented like:
void MyClass::doDestroy(){ ::delete this; }
void MyClass::doDtor(){ this->~MyClass(); }
An object is destroyed through doDestroy. doDtor provides access to the destructor of the class (library internal use).
Objects can be created in some different ways:
DynObjLib::Create(...)
DynObjHolder<T>
doAddRef
doRelease
The DynSharedI interface represents an object with shared ownership. doAddRef and doRelease increases and decreases the ownership counter.
DynSharedI derives from DynObj since it depends on a way of destroying itself (DynObj::doDestroy) when the lifetime counter reaches 0.
To protect the object from being deleted before its actual end-of-life, a doDestroy method can check that the counter is actually zero:
virtual void docall doDestroy( ) {
if( !m_ref_cnt )
::delete this;
else
SetError(DOERR_DESTROY_ON_NON_ZERO_REF,
"DynSharedI - Destroy on non-zero ref");
}
Documenation on building the DynObj library.
Directory layout of the library:
A description of the pdoh tool is available here.
Plugins are usually opened while the application is running, so there is no build-time link between the main application and the plugins. When a plugin module is loaded, by default, the linker is instructed not to backlink into the application (UNIX). On Windows, backlinking is not possible.
An application can expose functionality to plugins through interfaces. DoRunTimeI provides a way to make named instances of objects known globally.
A number of compilers define controls how libraries and main applications are built. The defines are described in detail in src/DynObj/DoSetup.h (and under DynObj defines in doxygen doc).
When compiling a library DO_MODULE should be defined. Also, the name of the library should be stored in DO_LIB_NAME (i.e. #define DO_LIB_NAME "DynStr").
DO_MODULE
DO_LIB_NAME
#define DO_LIB_NAME "DynStr"
The main application should define DO_MAIN.
DO_MAIN
The default settings in DoSetup.h are OK when compiling the samples. In general the defines are used like this (example DO_USE_DYNSHARED):
DoSetup.h
DO_USE_DYNSHARED
#define DO_USE_DYNSHARED
#define DO_USE_DYNSHARED 0
#define DO_USE_DYNSHARED 1
This allows having sensible defaults and for overriding them reliably from outside in a build environment.
There are two build methods provided with the library:
The compiler define DO_MODULE should be set.
A plugin module requires compiling with:
The compiler-defined DO_MAIN should be set. The main application links against one of two static libraries:
dolibdort
DynObj:s
DoRunTime
doliblt
The libraries are projects in the Visual C++ solution file. To build the libraries using the makefile:
$ cd src/DynObj
$ make dolibdort
$ make doliblt
A run-time plugin class for strings is provided: DynStr. This enables plugins to use a C++ string class in a safe way, internally and in function calls. The DynStr library is built with:
$ cd src/DynObj
$ make ds
The samples defines a PersonI and ProfessionI interfaces. Then three slightly different implementations are provided in three plugins: pimpl1, pimpl2, pimpl3. Three different main applications are provided as well: main1, main2, main3. There are sub-projects for each of them in the VC++ solution file.
pimpl1, pimpl2, pimpl3
main1, main2, main3
From the command prompt:
$ cd samples
$ make pimpl1
$ make pimpl2
$ make pimpl3
$ make bmain1
$ make bmain2
$ make bmain3
This tool takes a C++ header or source file and outputs a modified version of the file, provided it finds // %%DYNOBJ tags in it. It basically scans for class and struct declarations and collects inheritance information.
The pdoh tool can generate these sections:
general
implement
#define DO_IMPLEMENT_NAMEOFLIB
library
By default pdoh sends its output to stdout. Use option -o to overwrite the input file, or -oNewFile.h to write to another file. To generate less comments in the output -b can be used.
-o
-oNewFile.h
-b
pdoh can be integrated into a build environment, it is a simple file scanner so it is fast. If it does not find any //%%DYNOBJ tags it will not generate any output.
//%%DYNOBJ
If the tags have not been modified since the previous run (on the same file), it will also not generate any output (so it does not affect file time stamps when there is no need. | http://www.codeproject.com/Articles/20648/DynObj-C-Cross-Platform-Plugin-Objects?fid=465486&df=90&mpp=10&noise=1&prof=True&sort=Position&view=Normal&spc=Relaxed | CC-MAIN-2015-35 | refinedweb | 4,712 | 53 |
-
Javonet Quick Start Guide
For more information how to use Javonet in common scenerios like creating objects, invoking methods, getting/setting fields, subscribing events and others please refer to our Javonet Quick Start Guide
Download Sample Project
Use the links below to download full source code and binaries of the sample project created in this tutorial:
Download Source Code and Binaries
Introduction
In this tutorial you will learn how to use any .NET library in Java. As example we will show how to call .NET logging package (log4net), from Java.
Use cases
This solution might be helpful in any situation when have to deal with any API library, external component, integration component or custom library written in .NET that must be used from Java.
Prerequisites
To build Java application using .NET logic you need Javonet developer license and Javonet desktop or server license depending on your deployment strategy. For this tutorial we will also use log4net.dll file.
Step by step instruction
1) First we will create our Java Project in Eclipse using menu “File > Java Project”. Give the name “JavonetLoggingApp” and press “Finish”.
2) When our application is ready we have to copy “javonet.jar” and “log4net.dll” to our new project. Next right click on your project go to “New > Class” and in the “New Java Class” window provide name “JavonetLoggingAppMain” and check field “public static void main(String[] args)” so the default entry method will be created.
3) Next step is to add “javonet.jar” file reference to our project. Right click on the project choose “Build Path > Configure Build Path” and in the new window go to “Add JARs” and choose “javonet.jar” from our project location. Accept all windows and close until you will get back to the project view. Our project should look like this:
Logging Project 5) Now we can build our application. The first step is to activate Javonet and tell that we are going to use log4net.dll. Add following code to your main method:
Javonet.activate("your@mail.com", "your-javonet-license-key", JavonetFramework.v40); Javonet.addReference("log4net.dll");
Now we can retrieve and use any types defined in log4net.dll the same way as it would happen when we add reference to any DLL in Visual Studio .NET project. In AddReference method we can provide filename, full path or just assembly name if we want to use assembly from GAC. In this case log4net.dll is located in our Java project directory so we just provide file name.
6) Javonet initialization is done, so we can start using log4net in our Java application. Next lines of code will call “Configure” method on static “BasicConfigurator” type to initialize log4net with default console appender and next we will get new logger and log sample message:
Javonet.getType("BasicConfigurator").invoke("Configure"); NObject log = Javonet.getType("LogManager").invoke("GetLogger","main"); log.invoke("Debug","Testing Javonet!");
As you see to access any type we use “Javonet.getType(string)” method, next we can invoke any static method against this type. In line 03. we get static LogManager type and call method “GetLogger” to create new instance of ILogger object. This object can be stored in universal NObject variable that works as handler for any .NET type. Next using object stored in our NObject variable we can perform any operations against that .NET instance, in this case we call method “Debug” providing as argument message “Testing Javonet!”. And this is the final result:
Logged Message Below you can check the full source code of this application:
import com.javonet.Javonet; import com.javonet.JavonetException; import com.javonet.JavonetFramework; import com.javonet.api.NObject; public class JavonetLoggingAppMain { public static void main(String[] args) throws JavonetException { Javonet.activate("your@mail.com", "your-javonet-license-key", JavonetFramework.v40); Javonet.addReference("log4net.dll"); Javonet.getType("BasicConfigurator").invoke("Configure"); NObject log = Javonet.getType("LogManager").invoke("GetLogger","main"); log.invoke("Debug","Testing Javonet!"); } }
To test it yourself you can download sample source code below.
Download Sample Project
Use the links below to download full source code and binaries of the sample project created in this tutorial:
Download Source Code and Binaries | https://www.javonet.com/java-devs/samples/call-net-logging-package-from-java/ | CC-MAIN-2020-24 | refinedweb | 689 | 58.38 |
>>
Can we declare more than one class in a single Java program?
A single Java program contains two or more classes, it is possible in two ways in Java.
Two Ways of Implementing Multiple Classes in a single Java Program
- Nested Classes
- Multiple non-nested classes
How the compiler behave with Multiple non-nested classes
In the below example, the java program contains two classes, one class name is Computer and another is Laptop. Both classes have their own constructors and a method. In the main method, we can create an object of two classes and call their methods.
Example
public class Computer { Computer() { System.out.println("Constructor of Computer class."); } void computer_method() { System.out.println("Power gone! Shut down your PC soon..."); } public static void main(String[] args) { Computer c = new Computer(); Laptop l = new Laptop(); c.computer_method(); l.laptop_method(); } } class Laptop { Laptop() { System.out.println("Constructor of Laptop class."); } void laptop_method() { System.out.println("99% Battery available."); } }
When we compile the above program, two .class files will be created which are Computer.class and Laptop.class. This has the advantage that we can reuse our .class file somewhere in other projects without compiling the code again. In short, the number of .class files created will be equal to the number of classes in the code. We can create as many classes as we want but writing many classes in a single file is not recommended as it makes code difficult to read rather we can create a single file for every class.
Output
Constructor of Computer class. Constructor of Laptop class. Power gone! Shut down your PC soon... 99% Battery available.
How the compiler behave with Nested classes
Once the main class is compiled which has several inner classes, the compiler generates separate .class files for each of the inner classes.
Example
// Main class public class Main { class Test1 { // Inner class Test1 } class Test2 { // Inner class Test2 } public static void main(String [] args) { new Object() { // Anonymous inner class 1 }; new Object() { // Anonymous inner class 2 }; System.out.println("Welcome to Tutorials Point"); } }
In the above program, we have a Main class that has four inner classes Test1, Test2, Anonymous inner class 1 and Anonymous inner class 2. Once we compile this class, it will generate the following class files.
Main.class
Main$Test1.class
Main$Test2.class
Main$1.class
Main$2.class
Output
Welcome to Tutorials Point
- Related Questions & Answers
- Can I define more than one public class in a Java package?
- Can we declare a top level class as protected or private in Java?
- How can we add FOREIGN KEY constraints to more than one fields of a MySQL table?
- Can we declare a constructor as private in Java?
- Can we declare constructor as final in java?
- Can we declare a main method as private in Java?
- Write a program in Python to remove one or more than one columns in a given DataFrame
- Can we declare a static variable within a method in java?
- How to specify that a user can enter more than one value in HTML?
- Can we declare final variables without initialization in java?
- Can we declare an interface as final in java?
- How to declare a class in Java?
- Add more than one shadow to a text with CSS
- How to select more than one row at a time in a JTable with Java?
- Insert more than one element at once in a C# List | https://www.tutorialspoint.com/can-we-declare-more-than-one-class-in-a-single-java-program | CC-MAIN-2022-33 | refinedweb | 574 | 67.45 |
Football (or soccer to my American readers) is filled with clichés: “It’s a recreation of two halves”, “taking it one recreation at a time” and “Liverpool luxuriate in did no longer consume the Premier League”. You’re less liable to listen to “Treating the different of targets scored by each group as just Poisson processes, statistical modelling suggests that the dwelling group luxuriate in a 60% likelihood of a hit recently”. Nonetheless right here’s basically a diminutive of cliché too (it has been discussed right here, right here, right here, right here and particularly smartly right here). As we’ll luxuriate in, a in point of fact easy Poisson model is, smartly, overly simplistic. Nonetheless it’s a true starting level and an amazing intuitive means to be taught about statistical modelling. So, within the occasion you purchased right here right here having a see to form money, I hear this guy makes £5000 per 30 days with out leaving the dwelling.
Poisson Distribution
The model is founded on the different of targets scored/conceded by each group. Groups that had been increased scorers within the past luxuriate in the next likelihood of scoring targets within the kill. We’ll import all match outcomes from the currently concluded Premier League (2016/17) season. There’s a lot of sources for this knowledge within the market (kaggle, football-knowledge.co.uk, github, API). I constructed an R wrapper for that API, however I’ll pl a lot of knowledge for each of the 380 EPL games within the 2016-17 English Premier League season. We restricted the dataframe to the columns by which we’re interested (namely, group names and numer of targets scored by each group). I’ll leave out most of the code that produces the graphs in this submit. Nonetheless don’t alarm, it is advisable well per chance uncover that code on my github page. Our task is to model the last round of fixtures within the season, so we must consume the last 10 rows (each gameweek includes 10 suits).
epl_1617 = epl_1617[:-10] epl_1617.point out()
HomeGoals 1.591892 AwayGoals 1.183784 dtype: waft64
You’ll gaze that, on common, the dwelling group ratings more targets than the away group. Right here is the so called ‘dwelling (discipline) profit’ (discussed right here) and isn’t particular to soccer. Right here’s a handy time to introduce the Poisson distribution. It’s a discrete likelihood distribution that describes the likelihood of the different of occasions within a particular time duration (e.g 90 mins) with a identified common price of incidence. A key assumption is that the different of occasions is just of time. In our context, this methodology that targets don’t change into more/less possible by the different of targets already scored within the match. As a replacement, the different of targets is expressed purely as honest an common price of targets. If that became unclear, per chance this mathematical formulation will form clearer:
represents the fashionable price (e.g. common different of targets, common different of letters you receive, etc.). So, we are able to take care of the different of targets scored by the dwelling and away group as two just Poisson distributions. The space below reveals the proportion of targets scored when put next to the different of targets estimated by the corresponding Poisson distributions.
We are able to utilize this statistical model to estimate the likelihood of specfic occasions.
The likelihood of a scheme is merely the sum of the occasions the put the two groups score the the same quantity of targets.
Veil that we beget into myth the different of targets scored by each group to be just occasions (i.e. P(A n B) = P(A) P(B)). The adaptation of two Poisson distribution is basically called a Skellam distribution. So we are able to calculate the likelihood of a scheme by inputting the point out aim values into this distribution.
# likelihood of scheme between dwelling and away group skellam.pmf(0.0, epl_1617.point out()[0], epl_1617.point out()[1])
# likelihood of dwelling group a hit by one aim skellam.pmf(1, epl_1617.point out()[0], epl_1617.point out()[1])
So, with any luck it is advisable well per chance quiz how we are able to adapt this means to model particular suits. We correct must know the fashionable different of targets scored by each group and feed this knowledge correct into a Poisson model. Let’s luxuriate in a see on the distribution of targets scored by Chelsea and Sunderland (groups who carried out 1st and last, respectively).
Constructing A Mannequin
You are going to peaceable now be convinced that the different of targets scored by each group could well per chance even be approximated by a Poisson distribution. Ensuing from a somewhat pattern dimension (each group performs at most 19 dwelling/away games), the accuracy of this approximation can differ a good deal (especially earlier within the season when groups luxuriate in performed fewer games). Corresponding to before, we could well per chance now calculate the likelihood of diverse occasions in this Chelsea Sunderland match. Nonetheless in deserve to take care of each match one by one, we’ll create a more accepted Poisson regression model (what is that?).
# importing the instruments required for the Poisson regression model import statsmodels.api as sm import statsmodels.formulation.api as smf goal_model_data = pd.concat([epl_1617[['HomeTeam','AwayTeam','HomeGoals']].build(dwelling=1).rename( columns={'HomeTeam': 'group', 'AwayTeam': 'opponent','HomeGoals': 'targets'}), epl_1617[['AwayTeam','HomeTeam','AwayGoals']].build(dwelling=0).rename( columns={'AwayTeam': 'group', 'HomeTeam': 'opponent','AwayGoals': 'targets'})]) poisson_model = smf.glm(formulation="targets ~ dwelling + group + opponent", knowledge=goal_model_data, household=sm.families.Poisson()).match() poisson_model.summary()
Whereas you happen to’re uncommon about the
smf.glm(...) portion, it is advisable well per chance uncover more knowledge right here (edit: earlier versions of this submit had erroneously employed a Generalised Estimating Equation (GEE)- what’s the adaptation?). I’m more occupied with the values presented within the
coef column within the model summary table, which are analogous to the slopes in linear regression. Corresponding to logistic regression, we beget the exponent of the parameter values. A obvious worth implies more targets (), while values closer to zero picture more just outcomes (). In opposition to the bottom of the table it is advisable well per chance presumably gaze that
dwelling has a
coef of 0.2969. This captures the fact that dwelling groups in overall score more targets than the away group (namely, =1.35 times more possible). Nonetheless no longer all groups are created equal. Chelsea has a
coef of 0.0789, while the corresponding worth for Sunderland is -0.9619 (form of announcing Chelsea (Sunderland) are greater (grand worse!) scorers than common). At last, the
opponent* values penalize/reward groups in accordance to the high quality of the opposition. This relfects the defensive strength of each group (Chelsea: -0.3036; Sunderland: 0.3707). In other words, you’re less liable to attain against Chelsea. With any luck, that every one makes each statistical and intuitive sense.
Let’s open making some predictions for the upcoming suits. We merely dawdle our groups into
poisson_model and it’ll return the anticipated common different of targets for that group (we desire to speed it twice- we calculate the anticipated common different of targets for each group one by one). So let’s quiz what number of targets we quiz Chelsea and Sunderland to attain.
poisson_model.predict(pd.DataFrame(knowledge={'group': 'Chelsea', 'opponent': 'Sunderland', 'dwelling': 1},index=[1]))
poisson_model.predict(pd.DataFrame(knowledge={'group': 'Sunderland', 'opponent': 'Chelsea', 'dwelling': 0},index=[1]))
Staunch take care of before, now we luxuriate in two Poisson distributions. From this, we are able to calculate the likelihood of diverse occasions. I’ll wrap this in a
simulate_match honest.
def simulate_match(foot_model, homeTeam, awayTeam, max_goals=10): home_goals_avg = foot_model.predict(pd.DataFrame(knowledge={'group': homeTeam, 'opponent': awayTeam,'dwelling': 1}, index=[1])).values[0] away_goals_avg = foot_model.predict(pd.DataFrame(knowledge={'group': awayTeam, 'opponent': homeTeam,'dwelling': ]])
This matrix merely reveals the likelihood of Chelsea (rows of the matrix) and Sunderland (matrix columns) scoring a particular different of targets. Let’s enlighten, along the diagonal, each groups score the the same the different of targets (e.g. P(0-0)=0.031). So, it is advisable well per chance calculate the percentages of scheme by summing the complete diagonal entries. All the things below the diagonal represents a Chelsea victory (e.g P(3-0)=0.149). Whereas you happen to consume Over/Beneath markets, it is advisable well per chance estimate P(Beneath 2.5 targets) by summing the entries the put the sum of the column number and row number (each starting at zero) is lower than 3 (i.e. the 6 values that create the greater left triangle). Fortunately, we are able to utilize accepted matrix manipulation functions to create these calculations.
chel_sun = simulate_match(poisson_model, "Chelsea", "Sunderland", max_goals=10) # chelsea consume np.sum(np.tril(chel_sun, -1))
# scheme np.sum(np.diag(chel_sun))
# sunderland consume np.sum(np.triu(chel_sun, 1))
Hmm, our model gives Sunderland a 2.7% likelihood of a hit. Nonetheless is that correct? To evaluate the accuracy of the predictions, we’ll overview the probabilities returned by our model against the percentages offered by the Betfair alternate.
Sports actions Making a wager/Trading
Not like mature bookmakers, on making a wager exchanges (and Betfair isn’t the finest one- it’s correct the finest), you wager against other folks (with Betfair taking a commission on winnings). It acts as a form of stock market for sports occasions. And, take care of a stock market, as a outcome of the ambiance tremendous market speculation, the costs available at Betfair replicate the upright trace/odds of those occasions going down (in theory anyway). Beneath, I’ve posted a screenshot of the Betfair alternate on Sunday 21st Would possibly per chance (just a few hours before those suits started).
The numbers contained within the bins picture the finest available costs and the amount available at those costs. The blue bins signify abet bets (i.e. making a wager that an occasion will happen- going lengthy utilizing stock market terminology), while the red bins picture lay bets (i.e. making a wager that something won’t happen- i.e. shorting). Let’s enlighten, if we had been to wager £100 on Chelsea to consume, we could well receive the customary quantity plus 100*1.13= £13 could well per chance peaceable they consume (for certain, we could well lose our £100 within the occasion that they didn’t consume). Now, how will we overview these costs to the probabilities returned by our model? Properly, decimal odds could well per chance even be converted to the probabilities pretty with out issues: it’s merely the inverse of the decimal odds. Let’s enlighten, the implied likelihood of Chelsea a hit is 1/1.13 (=0.885- our model build the likelihood at 0.889). I’m specializing in decimal odds, however it is advisable well per chance presumably additionally be accustomed to Moneyline (American) Odds (e.g. +200) and fractional odds (e.g. 2/1). The connection between decimal odds, moneyline and likelihood is illustrated within the table below. I’ll follow decimal odds for the reason that imaginable selections are both uncommon to me (Moneyline) or correct tiring (fractional odds).
So, now we luxuriate in our model probabilities and (if we trust the alternate) we all know the upright chances of each occasion going down. Ideally, our model would name cases the market has underestimated the chances of an occasion going down (or no longer going down within the case of lay bets). Let’s enlighten, in a in point of fact easy coin toss recreation, have faith within the occasion you had been offered $2 for each $1 wagered (plus your stake), within the occasion you guessed accurately. The implied likelihood is 0.333, however any legitimate model would return a likelihood of 0.5. The odds returned by our model and the Betfair alternate are when put next within the table below.
Green cells illustrate alternatives to form a hit bets, in accordance to our model (the opacity of the cell depends on the implied difference). I’ve highlighted the adaptation between the model and Betfair in absolute terms (the relative difference also can very smartly be more relevant for any procuring and selling technique). Transparent cells show cases the put the alternate and our model are in tall settlement. Strong colours point out that both our model is harmful or the alternate is harmful. Given the simplicity of our model, I’d lean in the direction of the latter.
One thing’s Poissony
So could well per chance peaceable we wager the dwelling on Manchester United? Doubtlessly no longer (though they did consume!). There’s some non-statistical reasons to withstand backing them. Alive to football fans would gaze that these suits picture the last gameweek of the season. Most groups luxuriate in very diminutive to play for, that methodology that the suits are less predictable (especially after they involve unmotivated ‘bigger’ groups). Compounding that, Man United had been space to play Ajax within the Europa Closing three days later. Man United supervisor, Jose Mourinho, had even confirmed that he would leisure the predominant group, saving them for the grand more predominant closing. In a identical vogue, injuries/suspensions to key gamers, managerial sackings would render our model incorrect. Never underestimate the importance of arena knowledge in statistical modelling/machine finding out! Shall we additionally mediate of improvements to the model that could well per chance incorporate time when exasperated by old suits (i.e. more most original suits could well per chance peaceable be weighted more strongly).
Statistically speaking, is a Poisson distribution even appropriate? Our model became founded on the realization that the number targets could well per chance even be accurately expressed as a Poisson distribution. If that assumption is misguided, then the model outputs shall be unreliable. Given a Poisson distribution with point out , then the different of occasions in half that time duration follows a Poisson distribution with point out /2. In football terms, in accordance to our Poisson model, there could well per chance peaceable be an equal different of targets within the predominant and 2nd halves. Unfortunately, that doesn’t seem to select upright. luxuriate in now irrefutable proof that violates a traditional assumption of our model, rendering this complete submit as pointless as Sunderland!!! Or we are able to create on our coarse first strive. Moderately than a in point of fact easy univariate Poisson model, we also can wish more success with a bivariate Poisson distriubtion. The Weibull distribution has additionally been proposed as a viable different. These also can very smartly be topics for future blog posts.
Summary
We constructed a in point of fact easy Poisson model to foretell the implications of English Premier League suits. Despite its inherent flaws, it recreates several parts that could well per chance be a necessity for any predictive football model (dwelling profit, varying offensive strengths and opposition high quality). In conclusion, don’t wager the rent money, however it’s a true starting level for more refined life like objects. Thanks for finding out! | https://gisttree.com/reviews/predicting-football-results-with-statistical-modelling/ | CC-MAIN-2020-50 | refinedweb | 2,564 | 55.64 |
"Sean Hunter" <sean@uncarved.co.uk> writes:> > > > And they do that in order to get a unique number, not a random number.> > > > > > This is also a really bad idea, because with easily guessable pids you> > > are opening yourself to /tmp races.> > > > There can be only one process with a given pid at a time, so there can't> > be anything I'd call a race.> > You run your program, but I have created a simlink in /tmp with the> same name (because the name is guessable). That is a race because it> relies on contention between two processes (my "ln -s" and your broken> program) over a shared resource (the easily-guessable name in the> shared namespace of the filesystem). This is the definition of a> race. You may not call it that, but everyone else would.You're mixing two things together. A process can consider its pid to beunique in the sense that any other process that looks at *its* pid will see adifferent number. This is true and there's never a race involved. I believethis is what AC is saying.If the process' code assumes that certain objects with names based on its pid(e.g., temp files) will or won't exist (or whatever), then that's a badassumption, but it's not in itself a race either.If the process' code tries to determine or enforce the status of a file with acertain name in a non-atomic way (using stat or unlink) and then to "quickly"open a file with that name, *that* is a race. (Whether or not the namecontains the pid is irrelevant.)--Mike-- Any sufficiently adverse technology is indistinguishable from Microsoft.-To unsubscribe from this list: send the line "unsubscribe linux-kernel" inthe body of a message to majordomo@vger.rutgers.eduPlease read the FAQ at | http://lkml.org/lkml/2000/1/13/126 | CC-MAIN-2015-18 | refinedweb | 306 | 73.37 |
You're enrolled in our new beta rewards program. Join our group to get the inside scoop and share your feedback.Join group
Join the community to find out what other Atlassian users are discussing, debating and creating.
Hello,
How can I make a custom field required on a transition with ScriptRunner?
Let's say the field has the name "xx yyy".
Many thanks in advance.
Leo
The standard answer is "use a validator" - it should be as simple as saying "customfield 'xx yyy' is not empty", you might not even need a script for it.
You might also be able to do it with a Behaviour, which works on the UI side rather than on the back-end in the workflow with a validator, but that could be a bit more complex to implement and won't catch it if people are using the REST API.
1. The "validator" was already in the question title (see above)
2. There is no "simple validator" on the Server. And I am on the server (see above on the right).
3. Could you post a simple code please?
4. Thanks for your quick reply.
1. Yeah, I just wanted to be clear there were other options
2. Yep, you mentioned Scriptrunner - Jira has a couple of very simple validators built in, but nothing of any serious usefulness. SR lets you create validators that can do almost everything
3. The pseudo code is really just "if custom field has value, return true". I don't usually do copy and paste, but in this case, it's easy enough that I can probably do it from memory
def customField = ComponentAccessor.customFieldManager.getCustomFieldObjects(issue).findByName(customFieldName)
assert customField: "Could not find custom field with name $customFieldName"
if issue.getCustomFieldValue(customField) return true
Hi Nic,
Thanks a lot for your code.
Could you please inform, what should I change
1. to get rid of the following error message?
2. to enter my custom field named "xx yyy"?
Sorry, the "if" query needs to be in braces, so
if (issue.getCustomFieldValue(customField)) return true
On the first line, replace customFieldName with "xx yyy" (with the quotes - that function is expecting a string containing the name of a field)
Thanks again.
The transition screen cannot be closed though all the fields are not empty.
Can you help please?
1. The code:
def customField = ComponentAccessor.customFieldManager.getCustomFieldObjects(issue).findByName("Wiedervorlage-Datum")
assert customField: "Could not find custom field with name Wiedervorlage-Datum"
if (issue.getCustomFieldValue(customField)) return true
2. The two red points on the console:. | https://community.atlassian.com/t5/Adaptavist-questions/Transition-Validator-for-one-custom-field-in-the-screen/qaq-p/1711019 | CC-MAIN-2021-25 | refinedweb | 427 | 66.74 |
June 7, 2022 Single Round Match 828 Editorials
SlidingDoors
The problem can be solved by pure simulation of sliding the panels one at a time, but there are other solutions that are much simpler to implement. The main idea is to realize that we don’t actually have to return a sequence of instructions how to push the panels, just a “picture” of the final state. Here are two such solutions:
- For each rail, if rail[S] has a panel, change that character to ‘.’ and change any other ‘.’ on that rail to ‘-’.
- For each rail, count the number P of panels and then produce a completely new string in which the P leftmost characters are ‘-’ (but skipping character S if it were among them) and the rest are ‘.’
The validity of both of these solutions depends on the observation that for each rail each possible configuration of panels can actually be produced by sliding the panels in the allowed way. (For a formal proof, imagine that you first push all panels all the way to the right, and then you imagine your desired configuration of panels, push the first panel left until it’s in the correct place, then push the second panel to its correct space, and so on.)
The code below shows the second of the two solutions described above
public String[] openSection(int N, String[] rails, int S) { int[] dashes = new int[2]; for (int r=0; r<2; ++r) { for (char c : rails[r].toCharArray()) if (c == '-') ++dashes[r]; } String[] answer = new String[2]; for (int r=0; r<2; ++r) { answer[r] = ""; for (int n=0; n<N; ++n) { if (n == S) { answer[r] += '.'; continue; } if (dashes[r] > 0) { answer[r] += '-'; --dashes[r]; } else { answer[r] += '.'; } } } return answer; }
ShortShortSuperstring
In the optimal solution each character of the superstring must be a part of at least one of the three given strings. This is easy to show: leaving out unused characters from a superstring keeps it a superstring and it makes it shorter.
As the short strings have length <= 5 and there are no unused letters, the shortest superstring has length at most 15.
There are various ways to proceed from this point. The general rule of thumb in problems like this is that we want a solution that has as few special cases as possible. And usually a good way of obtaining such a solution is by using as much brute force as possible.
In our solution we will iterate over all L from max(lengths of A, B, C) to sum(lengths of A, B, C) until we find one for which some superstrings exist.
For a fixed L we will iterate over all O(L^3) triples of indices: we will use brute force to try out all possibilities where in L we can find one specific occurrence of A, B, and C. For each of these combinations, we then do the following:
- Start with a string of L ‘?’ characters.
- Write the letters of A starting from its current offset.
- Then do the same with B, and then with C (each time possibly overwriting some previous characters).
- Verify whether the string we obtained still contains A and B as substrings. (For good measure we can also verify C, but as that was the last string we wrote, we know it’s still there.)
- If it does, we must have found a solution. (And as we know that this must be the shortest solution, we don’t even have to check whether some ‘?’ remained – we know that this cannot happen.)
This solution has no special cases and it clearly examines all possible solutions so we can be sure not to miss any. The only thing we should still note is that it may generate the same solution more than once (e.g., if A=”aaaaa” and B=C=”a”), so we need to discard all duplicates before returning the solutions we found. In our implementation we use a TreeSet to store the answers – this sorts them for us and discards all duplicates at the same time.
String join(char[] data) { String answer = ""; for (char x : data) answer += x; return answer; } public String[] constructAll(String A, String B, String C) { int LA = A.length(), LB = B.length(), LC = C.length(); int minL = Math.max( LA, Math.max( LB, LC ) ); TreeSet<String> answers = new TreeSet<String>(); for (int L=minL; L<=15; ++L) { for (int a0=0; a0<=L-LA; ++a0) for (int b0=0; b0<=L-LB; ++b0) for (int c0=0; c0<=L-LC; ++c0) { char[] letters = new char[L]; for (int i=0; i<L; ++i) letters[i] = '.'; for (int i=0; i<LA; ++i) letters[i+a0] = A.charAt(i); for (int i=0; i<LB; ++i) letters[i+b0] = B.charAt(i); for (int i=0; i<LC; ++i) letters[i+c0] = C.charAt(i); String candidate = join(letters); if (candidate.indexOf(A) == -1) continue; if (candidate.indexOf(B) == -1) continue; if (candidate.indexOf(C) == -1) continue; answers.add(candidate); } if (!answers.isEmpty()) { int N = answers.size(); String[] output = new String[N]; int i = 0; for (String candidate : answers) output[i++] = candidate; return output; } } return new String[0]; }
ImproveName
A set of letters cannot be used to improve the letter if and only if they already appear in sorted order. In all other cases sorting the set of letters improves the name. The total number of ways to select exactly K out of N letters is the binomial coefficient (N choose K). Thus, we can count the good sets by counting the bad sets and then subtracting their count from the total.
If we look at the company name as a sequence of characters, the task “count all bad sets of letters” is simply the task “count all non-decreasing subsequences of length exactly K”. This is a very standard task we can easily solve.
The reference solution shown below runs in O(KN log N) time and uses Fenwick trees to speed up a slower O(KN^2) solution.
The O(KN^2) solution is a simple application of dynamic programming: for each index i and each length j we want to calculate the value dp[i][j] = the number of non-decreasing subsequences of length j that end with the character at index i. Each of these values can be calculated from some previous ones: dp[i][j] is the sum of dp[k][j-1] over all k<j such that the character at index j can follow the character at index k.
The improved running time comes from choosing a smarter data structure to do the sum and choosing a different order in which we compute the values.
Imagine that we start with an empty string, then all ‘A’ characters appear (one by one, left to right), then all ‘B’s, and so on. Whenever a character appears at some index i, we will compute all the values dp[i][*]. The indices k to consider are precisely the indices of letters that have already appeared to the left of i. Thus, dp[i][j] is a sum of all the already-computed values dp[*][j-1] to the left of position i. And this sum can be computed in logarithmic time by using a suitable data structure (e.g., a Fenwick tree or an interval tree) to store the already computed values. (More precisely, in our solution we use one separate tree for each value j.)
private static class Fenwick { long[] T; Fenwick() { T = new long[5047]; } void update(int x, long delta) { while (x < T.length) { T[x] += delta; x += x & -x; } } long sum(int x1, int x2) { long res=0; --x1; while (x2 > 0) { res += T[x2]; x2 -= x2 & -x2; } while (x1 > 0) { res -= T[x1]; x1 -= x1 & -x1; } return res; } }; public int improve(String currentName, int K) { int N = currentName.length(); long MOD = 1_000_000_007; long[][] binomial = new long[N+1][]; for (int n=0; n<=N; ++n) { binomial[n] = new long[n+1]; for (int k=0; k<=n; ++k) { if (k == 0 || k == n) { binomial[n][k] = 1; } else { binomial[n][k] = (binomial[n-1][k-1] + binomial[n-1][k]) % MOD; } } } Fenwick[] FT = new Fenwick[K+1]; for (int k=0; k<=K; ++k) FT[k] = new Fenwick(); long[] dp = new long[K+1]; long total = 0; for (char ch='A'; ch<='Z'; ++ch) for (int n=0; n<N; ++n) if (currentName.charAt(n)==ch) { dp[1] = 1; for (int k=2; k<=K; ++k) dp[k] = FT[k-1].sum(1,n) % MOD; for (int k=1; k<=K; ++k) FT[k].update(n+1,dp[k]); total += dp[K]; } long answer = binomial[N][K] - total; answer %= MOD; answer += MOD; answer %= MOD; return (int) answer; }
ContiguousConstantSegment
Let’s start with some basic casework. We can do a histogram to find the value with the most occurrences in the given array. Let M be that number of occurrences. If we have to do N-M edits or more, we can almost always make all elements equal, with just one exception: if N > 1, all elements are already equal (M=N) and we have to do exactly one edit, we are forced to change one element and the best we can end with is just N-1 equal elements in a row, followed or preceded by the changed one.
(Note that the “N > 1” part in the previous paragraph is easy to miss. If we have one element and we are forced to do one edit, we must change its value to a new one, but in this special case that new value is now the one with the most occurrences and we still do have a constant segment of length 1, we don’t go down to 0.)
Proof of the above statement:
- If we have exactly E = N-M edits, we can make all elements equal.
- If we have at least two extra edits, we can also make all elements equal – e.g., by spending N-M edits to make them equal, then all but one of the remaining edits changing one element to a new incorrect value, and the final edit to fix that element back to its correct value.
- If we have exactly one extra edit and M < N, we do the same as in the case without the extra edit, just instead of setting the last element directly to the correct value we first set it to an incorrect one.
- This leaves us with the case of a constant array and a single edit, and we already analyzed that one.
What remains are the cases when E < N-M, i.e., we don’t have enough edits to make the entire array constant.
Below we’ll show the asymptotically optimal solution: a linear pass over the array with two pointers. (Solutions with an extra logarithm in time complexity were plenty fast to get accepted too.)
The key observation we need is the property “can this segment be turned into a constant segment?” is monotonous: if a segment has it, all its sub-segments have it too (because making the same set of edits makes them constant).
In order to determine whether a segment has the desired property, we need to know the maximum number of occurrences of any element within that segment. (The best way of turning this segment into a constant segment is to edit all elements except for a fixed one that has the most occurrences.)
We will examine some segments. While we do so, we will maintain a histogram of the segment we are currently examining – i.e., for each element we will have its number of occurrences within the current segment, and for each count we will maintain the number of elements that have it. Additionally, we will separately maintain the maximum of those counts. This allows us to tell in constant time whether the current segment can become constant or not (we just look at its length and maximum count). And we can update this information in constant time whenever we append a new element to the segment, or remove the first element of the segment.
We will iterate over all options for where the optimal segment begins. For each beginning we then increment the end until we find the point where the segment no longer can be constant (or hit the end of the array).
public int produce(int N, int MOD, int[] Aprefix, int seed, int E) { int[] A = new int[N]; for (int n=0; n<Aprefix.length; ++n) A[n] = Aprefix[n]; long state = seed; for (int n=Aprefix.length; n<N; ++n) { state = (state * 1103515245 + 12345) % (1L << 31); long curr = (state / 16) % MOD; A[n] = (int)curr; } int[] fullHistogram = new int[MOD]; for (int a : A) ++fullHistogram[a]; int maxCnt = 0; for (int cnt : fullHistogram) maxCnt = Math.max( maxCnt, cnt ); int minEdits = N - maxCnt; if (E == minEdits) return N; if (E == minEdits + 1) { if (N == 1) return 1; if (minEdits == 0) return N-1; return N; } if (E >= minEdits + 2) return N; // for each value its current count in the window int[] histogram = new int[MOD]; // for each value in histogram[] its number of occurrences int[] aggregate = new int[N+1]; aggregate[0] = MOD; int best=0, lo=0, hi=0, maxfreq=0; while (true) { if (hi-lo-maxfreq <= E) { // check for the new best solution best = Math.max(best,hi-lo); // increment end to extend the segment if (hi==N) break; --aggregate[ histogram[ A[hi] ] ]; ++histogram[ A[hi] ]; ++aggregate[ histogram[ A[hi] ] ]; if (histogram[ A[hi] ] > maxfreq) maxfreq = histogram[ A[hi] ]; ++hi; } else { // increment beginning to shrink the segment --aggregate[ histogram[ A[lo] ] ]; --histogram[ A[lo] ]; ++aggregate[ histogram[ A[lo] ] ]; while (aggregate[maxfreq]==0) --maxfreq; ++lo; } } return best; }
HexagonTiled
The solution consists of two related steps: realizing that the number of vertical diamonds remains constant over all valid tilings (and in fact, is always equal to B*C in our notation), and counting the tilings of the given hexagon. The final answer is then the product of those two counts.
A nice way to see why all tilings share the same number of diamonds of each rotation is to notice the bijection between these tilings and some patterns of cubes in 3D. Consider the following image:
This is one of the valid tilings of a (2,3,5)-hexagon. But we can see the same image as a “corner” (the inside of a 2x3x5 box) that is partially filled with unit cubes. For each unit cube, the “top” face is red, the “left” face is blue and the “front” face is white.
We can now see that all valid tilings correspond to all ways of partially filling the corner with unit cubes in a “convex” way: for each cube that is present all cubes between it and the corner (in the Manhattan metric) must also be present. These arrangements are called plane partitions – see.
Adding a cube does not change the number of white, blue and red faces we see, so for any valid tiling their counts must be the same – and in particular, they must be the same as the numbers for the tiling that corresponds to the empty corner. Thus, for an (A,B,C)-hexagon we have A*B red, A*C blue, and B*C white diamonds in each valid tiling.
The total number of tilings of an (A,B,C)-hexagon has a rather nice compact formula:
H(A+B+C) * H(A) * H(B) * H(C) / ( H(A+B) * H(A+C) * H(B+C) )
where H(0) = H(1) = 1 and H(n) = 1! * 2! * … * (n-1)! for n > 1.
Note that our tilings are essentially perfect matchings in a planar bipartite graph. The paper (Kuperberg: Symmetries of plane partitions and the permanent-determinant method) contains a nice exposition of one way of counting these matchings and of more general techniques that can be used to solve problems of this type.
misof | https://www.topcoder.com/blog/single-round-match-828-editorials/ | CC-MAIN-2022-27 | refinedweb | 2,673 | 66.47 |
Google Prepares Fix To Stop SSL/TLS Attacks
samzenpus posted more than 2 years ago | from the raise-shields dept.
? (1)
neokushan (932374) | more than 2 years ago | (#37477578)
Call me ignorant here, but how hard would it be for people to enable TLS 1.1 or 1.2 support in browsers and sites, since that apparently isn't vulnerable?
Re:TLS 1.1 or 1.2? (4, Insightful)
wisesifu (1358043) | more than 2 years ago | (#37477592)
Re:TLS 1.1 or 1.2? (5, Informative)
dachshund (300733) | more than 2 years ago | (#37478394):TLS 1.1 or 1.2? (0)
Anonymous Coward | more than 2 years ago | (#37478530).
It's been a while since I read the SSL/TLS specs, but are there any "NOOP" records in a TLS packet? The TLS client can send a packet with actual data but also include some random amount of garbage that is ignored by the server. This makes traffic analysis harder since you don't know exactly what's in the cipher text.
SSH does this with the SSH_MSG_IGNORE message type (11.2 in RFC 4253). Could the same be done in TLS?
Re:TLS 1.1 or 1.2? (0)
Anonymous Coward | more than 2 years ago | (#37485976)
I'm not sure whether it's really a prefix. TLS 1.0 (RFC 2246) explicitly states that a variable length (and value) padding may be inserted before encryption.
However, you could also at random moments signal an "encryption algorithm change" and then reuse the same algorithm; that's also unpredictable data which doesn't impact servers.
Re:TLS 1.1 or 1.2? (0)
Anonymous Coward | more than 2 years ago | (#37477594)
Not much harder than it would have been for them to upgrade from IE 6, but difficulty doesn't appear to be the sole factor.
Re:TLS 1.1 or 1.2? (0)
Anonymous Coward | more than 2 years ago | (#37478206)
Not much harder than it would have been for them to upgrade from IE 6...
So a couple of years and millions of dollars in new internal and vendor code then? Just to enable TLS 1.2?
Re:TLS 1.1 or 1.2? (1)
woodsbury (1581559) | more than 2 years ago | (#37477600)
Re:TLS 1.1 or 1.2? (2, Interesting)
Anonymous Coward | more than 2 years ago | (#37477890).2 were enabled on the client side. I tried it anew yesterday just out of curiosity, and now even Opera 11.51 chokes on TLS 1.1 and 1.2. So there. Nothing really supports the protocols. Must wait for OpenSSL 1.0.1 for TLS 1.1 and nobody knows when that will hit the repos.
Re:TLS 1.1 or 1.2? (1, Informative)
Kjella (173770) | more than 2 years ago | (#37478014)
AC said it, the standard may be many years old but no released version of OpenSSL supports anything higher than TLS 1.0....
Re:TLS 1.1 or 1.2? (0)
Anonymous Coward | more than 2 years ago | (#37482396)
Have you tried IIS 7.5 and IE 9?
Re:TLS 1.1 or 1.2? (1)
Anonymous Coward | more than 2 years ago | (#37477612) matter, and requires a lot more testing, so it is not likely to become mainstream any time soon. However TLS 1.1 is a very minor upgrade and should be extremely easy to roll out for everyone interested.
Re:TLS 1.1 or 1.2? (2)
chris.alex.thomas (1718644) | more than 2 years ago | (#37477720)
Re:TLS 1.1 or 1.2? (1)
TheRaven64 (641858) | more than 2 years ago | (#37477762)
Re:TLS 1.1 or 1.2? (1)
ultranova (717540) | more than 2 years ago | (#37480218)
Except, of course, the customers don't do that. They simply figure this is one of the endless list of pointless natter comfirmations computers bombard them with, and click on it until it goes away.
Re:TLS 1.1 or 1.2? (1)
idontgno (624372) | more than 2 years ago | (#37481696):TLS 1.1 or 1.2? (0)
Anonymous Coward | more than 2 years ago | (#37478588)
Suppose you're a browser developer...Do you want users to switch to another browser since your software doesn't work with 1-2% of all SSL sites, and the other ones do?
Re:TLS 1.1 or 1.2? (0)
Anonymous Coward | more than 2 years ago | (#37477780)
Client developers are also waiting for API support. For example, Microsoft added TLS 1.1 and 1.2 support to Windows 7, but has shown no intentions to bring those to XP or Vista. Maybe you could get around that using a third-party library or something, but then you cannot use the standard APIs. Many developers will decide it isn't worth the hassle (at least until disaster strikes).
Re:TLS 1.1 or 1.2? (1)
rsandwick3 (1495819) | more than 2 years ago | (#37477830)
Re:TLS 1.1 or 1.2? (1)
rsandwick3 (1495819) | more than 2 years ago | (#37477848)
Re:TLS 1.1 or 1.2? (1)
Pathwalker (103) | more than 2 years ago | (#37481638):TLS 1.1 or 1.2? (1)
jonwil (467024) | more than 2 years ago | (#37477628)
There are many many servers that will totally fail if the client claims to support TLS 1.1 or 1.2.
Re:TLS 1.1 or 1.2? (1)
Midnight Thunder (17205) | more than 2 years ago | (#37477666)
Could clients detect this somehow and fall back to support the broken behaviour? For example on detection of an unexpected reset.
Re:TLS 1.1 or 1.2? (1)
Phaeilo (1851394) | more than 2 years ago | (#37477710)
Re:TLS 1.1 or 1.2? (1)
Joce640k (829181) | more than 2 years ago | (#37477990)
The point of the fix is that a whole lot of servers are now invulnerable to this.
(Hopefully the important ones).
Re:TLS 1.1 or 1.2? (1)
Yaur (1069446) | more than 2 years ago | (#37478292)
Re:TLS 1.1 or 1.2? (1)
Joce640k (829181) | more than 2 years ago | (#37482284)
Presumably the client could warn the user...
Re:TLS 1.1 or 1.2? (1)
Phaeilo (1851394) | more than 2 years ago | (#37478364)
Re:TLS 1.1 or 1.2? (1)
egamma (572162) | more than 2 years ago | (#37478622) backwards compatibility less secure? Sure. But if you don't have it, users will either switch to an insecure browser ("if chrome won't let me buy on amazon then I will switch to Internet Explorer"), or they will switch from one ecommerce site to another ("amazon.com doesn't work so I'm going to newegg.com").
Businesses aren't going to let that second scenario happen, and I don't blame them. And surely you agree that the first scenario is even worse?
Re:TLS 1.1 or 1.2? (1)
ewanm89 (1052822) | more than 2 years ago | (#37481624)
Re:TLS 1.1 or 1.2? (2)
Kjella (173770) | more than 2 years ago | (#37478098):TLS 1.1 or 1.2? (1)
Chrisq (894406) | more than 2 years ago | (#37477716):TLS 1.1 or 1.2? (1)
shish (588640) | more than 2 years ago | (#37477914)
Answer: It's NOT - Opera has TLS 1.2! (0)
Anonymous Coward | more than 2 years ago | (#37478208)
See here -> [slashdot.org]
APK
Re:Answer: It's NOT - Opera has TLS 1.2! (0)
Anonymous Coward | more than 2 years ago | (#37487142)
See here -> [slashdot.org]
APK
No longer true. Hasn't been the case for some time.
Maybe a fucking huge hosts file will fix it.
Re:Answer: It's NOT - Opera has TLS 1.2! (0)
Anonymous Coward | more than 2 years ago | (#37490822)
I use Opera 11.51, the latest stable release, and it's got tls 1.2 for encryption for ssl sites in it. APK also commenting about Opera's by site prefs and his not using javascript also keeps anyone from being infected by *beast* that way also. Are you on crack or just being a troll?
Ignorant (1)
glodime (1015179) | more than 2 years ago | (#37479250)
You're ignorant.
You're welcome.
Re:Ignorant (1)
neokushan (932374) | more than 2 years ago | (#37479310)
You forgot the "here", but thanks for the effort!
Re:Ignorant (1)
glodime (1015179) | more than 2 years ago | (#37479508)
Thanks for asking the question though. It was my first thought when I read the
/. summary. I learned a bit from the answers.
Re:Ignorant (1)
neokushan (932374) | more than 2 years ago | (#37479632)..
it is not (-1, Offtopic)
tracy6413 (2462508) | more than 2 years ago | (#37477704)
Re:it is not (0)
Anonymous Coward | more than 2 years ago | (#37477774)
According to a reverse short URL service, that link goes to. hallo mall.com/fashion -accessories/finger- ring.html
spaces inserted to DESTROY that spammer buuuuuuuuuuahaha
Acronym hell (2)
Chrisq (894406) | more than 2 years ago | (#37477706)
Re:Acronym hell (-1)
Anonymous Coward | more than 2 years ago | (#37477846)
WTF?
Re:Acronym hell (1)
DarwinSurvivor (1752106) | more than 2 years ago | (#37477872)
Re:Acronym hell (1)
Joce640k (829181) | more than 2 years ago | (#37478032)
Um, none of those are acronyms, they're initialisms.
See: [lyberty.com]
Re:Acronym hell (1)
dirtyhippie (259852) | more than 2 years ago | (#37479666)
Are they initialisms, though? Do you read "FTFA" as "eff tee eff ay" or "from the f*king article" ? Most people I know do the latter, which means its not an initialism either.
Re:Acronym hell (1)
DarwinSurvivor (1752106) | more than 2 years ago | (#37500216)
Re:Acronym hell (1)
Marc Madness (2205586) | more than 2 years ago | (#37478684)
Re:Acronym hell (0)
Anonymous Coward | more than 2 years ago | (#37480184)
But you look natural.
"throw BEAST off the scent" (1)
Joce640k (829181) | more than 2 years ago | (#37477708)
So....how long before they update BEAST?
Re:"throw BEAST off the scent" (1)
GameboyRMH (1153867) | more than 2 years ago | (#37478200)
They'll have to try a completely different approach.
Smart workaround, I didn't know this was possible without changes on the server side.
All the more reason to use a VPN (2)
jkbull (453632) | more than 2 years ago | (#37477724)
At least that's true for most VPNs that use software based on OpenVPN, which uses OpenSSL for encryption. A copy [gmane.org] of an email from James Yonan was recently posted to the OpenVPN User's list. Bottom line of the email: OpenVPN uses OpenSSL for encryption, and OpenSSL has been patched since 2002 for the vulnerability which most people think is exploited by BEAST. As long as your VPN software uses a patched version of OpenSSL you should be covered, at least for the "local" MITM attack.
For example, VPNs based on Tunnelblick [google.com] , a free and open source GUI for OpenVPN on Mac OS X is not vulnerable.
Re:All the more reason to use a VPN (3, Interesting)
ledow (319597) | more than 2 years ago | (#37477818):All the more reason to use a VPN (1)
babtras (629678) | more than 2 years ago | (#37477822)
Speculation on the attack (4, Informative)
dachshund (300733) | more than 2 years ago | (#37477836)
I had posted this in another thread, but in case it's helpful --- this is my best guess on how the attack works in detail: [blogspot.com]
Re:Speculation on the attack (0)
Anonymous Coward | more than 2 years ago | (#37477916)
That's a pretty accurate description of how the attack works, for anyone who has a decent crypto background.
Confusing it? Really? (1)
Anonymous Coward | more than 2 years ago | (#37477940):Confusing it? Really? (1)
Edgewize (262271) | more than 2 years ago | (#37479458) results of the second block are a kind of oracle to see if you got the first block right or not.
Now, if you use javascript to prime the channel with a (block size minus one) byte message, you're going to be able to guess the first byte of the next message and then check to see if you were right using the oracle trick. Once you know that, use a (block size minus two) prefix and guess the second byte. Rinse, repeat until you've grabbed it all, one byte at a time, thanks to the ability to check your guess using the next packet as an oracle.
My layman's understanding of the fix is that it neutralizes the oracle by adding additional variation. This means that you'd have to guess the random variation in order to craft an "oracle" packet that tells you that you guessed the previous packet correctly. Multiply the guessing search space (2^8 possibilities) by the variation and you're up in "computationally infeasible" territory. The attack is thus neutralized.
Great, but OPERA already solves it (-1)
Anonymous Coward | more than 2 years ago | (#37478006)
Opera's got TLS 1.2 "built-in, natively", as an optional encryption method for SSL communication... again, that's natively built-in from the start (like it does every other feature unlike MOST other browsers which copied from its native featureset like MAD over time, or, had added via 3rd party addons (which tend to slow browsers down if you load too many unfortunately, but, not Opera - it's already got what you need built in, but it also has widgets & addons too IF needed...)).
* NOW, what I have seen in Opera that I haven't seen in other webbrowsers, is that you can GLOBALLY set your preferences to not let javascript, cookies, iframes/frames, & plugins run "automatically" w/out your consent on ALL pages.., HOWEVER, you can set "By Site" EXCEPTIONS to said 'global rule' in those "by site" preferences - where sites you select can use those potentially dangerous features on those sites ONLY, and individually as you see fit/need them only...! It's VERY cool...
I wish other browsers (especially IE &/or Chrome) would be setup thus, really!
(Then again - that being the case in other webbrowsers (w/ the exception of FF, it's got NoScript + AdBlock & FlashBlock 3rd party addons @ least)? Hey - THAT really tells me the TRUE motivations behind IE &/or Chrome ARE for tracking + advertisement monies gains by "large corporate bodies" mainly (gee, I wonder what "large corporate bodies" those are I am referring to here (NOT)).
(Each of those items in today's websites? Well... they're good & bad, like guns/razors/knives. Useful, but potentially dangerous too @ the same time as being potentially useful...).
E.G.-> Even FLASH, for example, can be set that way in Opera, to run only where YOU want it to... but, it can also be set to run ONLY ON USER DEMAND (meaning flash ads can be stalled on sites as well, and yet, you can watch YouTube vids by clicking on them as YOU see fit only & yet you can start your browser on a YouTube video, for example in a saved tab that opens in a session of tabs you save to open @ browser startup and not have it run in some nested tab you can't see immediately (if you didn't leave the tabset automatically on that page that is) - it will only run when you tell it to... very cool!).
Talk about a "browser built by websurfers, FOR websurfers":
Because of the features I noted above, You can TELL that Opera's NOT built to appease advertisers, or to make some large corporate body monies only or to take your personal information via tracking etc./et al, but rather built to make the web what YOU, as the user, wish it to be... &, mainly because of its excellent featureset of which I am only touching on a small FRACTION of here...
APK
P.S.=> I have to admit though, that Chrome seems F A S T (like Opera is, but Opera's been for ages though & was, for years BEFORE Chrome even existed, & was widely known as "the fastest browser in the world" on ALL fronts (not just javascript processing, but straight HTML based page work also))...
... apk
Re:Great, but OPERA already solves it (1)
Lennie (16154) | more than 2 years ago | (#37478086) most people are not protected.
Don't use those sites then (0)
Anonymous Coward | more than 2 years ago | (#37478280)
Temporarily @ least, & it's as simple as that: Especially w/ "the BEAST lurking about" on MILLIONS OF SITES now -> [theregister.co.uk] (not kidding about "millions" either, take a read of that article!).
That's in regards to your point (requoted below) of:
"It is only solved for those websites that also support TLS/1.1 and/or TLS/1.2." - by Lennie (16154) on Thursday September 22, @07:46AM (#37478086) Homepage
Pretty simple... see the above (IF you value your online security & what-not, that is...).
Opera's got the solution already - you just have to utilize it, & it's better than FF is, Chrome possibly too until they release their "fix hack" here. IE's got "advanced encryption" options too though, but not SURE if it's TLS 1.2 or better is all!
---
Ahem: That's NOT OPERA'S FAULT though - that's the Apache folks... by default @ least.
---
"So in practise most people are not protected." - by Lennie (16154) on Thursday September 22, @07:46AM (#37478086) Homepage
Again, whose fault is that? Not Opera's! It provides a defensive mechanism, when & where it applies (various sites), & all you have to do, is enable it... very simple, & apparently, as-per-Opera's-usual?? BETTER THAN JUST ABOUT ALL OF ITS COMPETITION DO!
APK
P.S.=>
"Also like IE8 or IE9 on Vista, Windows 7 and Windows 8 preview-or-whatever-it-is-called it is disabled by default. As I understand it is disabled by default on IIS too." - by Lennie (16154) on Thursday September 22, @07:46AM (#37478086) Homepage
So again: JUST ENABLE IT in Opera, just as I did... I mean, hey - after all: TLS 1.2's only a button click or two away, just as I noted it in decent enough detail in my reply you responded to here...!
... apk
On detecting what a website runs? EASY! (0)
Anonymous Coward | more than 2 years ago | (#37478470)
Use this (with example, check it) -> [netcraft.com]
"It is only solved for those websites that also support TLS/1.1 and/or TLS/1.2. There is no GUI which displays what the server supports so you don't really know.
...
Well, you DO, now...
* AND, via a GUI, no less!
APK
P.S.=> That "overcomes your objections", I'd think, in addition to Opera ALREADY featuring TLS 1.2 as an optional encryption method for SSL (and a LOT MORE I noted in my init. reply that TRULY makes it "a browser built BY WEBSURFERS, for websurfers" (not advertisers &/or large company advertising monies or informational tracking gains))...
... apk
Re:On detecting what a website runs? EASY! (1)
Lennie (16154) | more than 2 years ago | (#37478704):
- close the browser (all existing HTTPS-connections are thus closed)
- open the browser
- only open a tab/window to the HTTPS-site and don't forget to type [https] infront of it
- and use that
- when you are done
- logout on the site
- close the browser
Works fine with SSL/3.0 or TLS/1.0
Because what the attacker needs to do is through some other channel inject plain-text into the stream you are using to connect to the HTTPS-site.
The man-in-the-middle attacker does this by modifying a page loaded over HTTP that you loaded on a different page.
If all you have open is the one site, they can not do that.
Sure does (you even SAID how) (0)
Anonymous Coward | more than 2 years ago | (#37478876)
Or didn't you state this in your init. reply to me (verbatim requoting you from it in fact):
I.E. (per your own words above & a bit of research IF necessary for knowing what servers/webservers contain such SSL encryption abilities, for those concerned unlike yourself because you KNEW some already, & about online safety) E.G.:
IF you know what the server runs OS-wise, & webserver-ware wise (which the netcraft page posted shows you)? Per your OWN WORDS above, you know "what's-what"!
E.G. - How HARD is it to make this query in BING or GOOGLE to research what TLS encryption methods are possible in webservers noted?: [google.com]
(Simply by querying GOOGLE on this quoted string: "Apache" and "TLS 1.2")
?
ANSWER = it's NOT... "here endeth the lesson"
APK
P.S.=> OR, didn't you say that above, AND doesn't netcraft's "WHAT'S THAT SITE RUNNING" NOT SHOW WHAT SLASHDOT.ORG (my practical example) SHOW THE OS & WEBSERVERWARE THIS SITE USES and GOOGLE/BING DO THE REST?
Sure they do - that's what those tools are FOR...
... apk
Re:Sure does (you even SAID how) (1)
Lennie (16154) | more than 2 years ago | (#37479150) fine as I understand it (haven't checked)
4. A fairly recent Apache with mod_ssl (which uses OpenSSL) like the one in Debian stable supports TSL/1.1, the previous stable does not. Debian stable also has the option to use mod_gnutls instead, it supports TLS/1.2
5. it has to be enabled on the server for it to work, this is the problem with IIS. It is off by default as I understand it (haven't checked)
Both your method, & mine, DO work... apk (0)
Anonymous Coward | more than 2 years ago | (#37479298)
The GOOGLE query shows information on Apache versions & TLS 1.2 etc. (after you find what webserverware + server OS, if not versions, is being used for sites in question).
* No questions asked: Per my subject-line above, BOTH methods work, yours AND mine (which is after all, what this IS really truly about: Informing others, & I learned a new trick/tool too here, see below...).
APK
P.S.=> Your tool provides a way, very direct (thanks for the link, it made my favs in fact), but so does mine with a WEE BIT more "legwork" is all...
... apk
Re:Both your method, & mine, DO work... apk (0)
Anonymous Coward | more than 2 years ago | (#37479790)
WHY must you bold and CAPITALIZE like a raving lunatic? It makes ME (and MANY others here) disinclined to AGREE WITH YOU.
Time 2 have fun w/ an off-topic troll... apk (-1)
Anonymous Coward | more than 2 years ago | (#37480316)
You disagree w/ documented facts I used, that others are THANKING me for in this thread (& I they in return (Lennie in particular))?
On what VALID & ON TOPIC grounds might I ask can you disagree with that set of facts based on your statement here:
"It makes ME (and MANY others here) disinclined to AGREE WITH YOU." - by Anonymous Coward on Thursday September 22, @10:38AM (#37479790)
Hmmm? You obviously have no real grounds, Mr. Troll, & perhaps you ought to get your "hooked on phonics" lessons ready once more & study them please... learn to read or fix your dyslexia etc./et al, ok??
(Since they did NOT "take" for you last round, lol!).
You see - I am your superior here in reading obviously, as are others THANKING ME for this set of posts of mine in their replies, ala: [slashdot.org]
Additionally, I am able to read your OBVIOUSLY "overdone" attempts @ rendering my writing style easily enough as well!
So - have you considered it's YOU with the problem since you cannot determine the meaning of words & sentences within the framework and context in which they are used?
No, you're not fooling anyone with your off topic b.s., troll.
* Consider all that, "Food 4 Thought" (IF you can think that is, I tend to think you cannot, based on your weak trolling here, lol, since that is the "best you've got", off topic & all!)
---
"WHY must you bold and CAPITALIZE like a raving lunatic?" - by Anonymous Coward on Thursday September 22, @10:38AM (#37479790)
Why must YOU:
---
1.) Act as if you are a psychiatrist? Do you possess a license to practice it professionally?? Have you administered a formal examination of myself in a professional psychiatric environs to make your "instant 'snap prognosis-diagnosis'" there, Dr. Quack ("SiDeWaLk-PsyCho-AnaLysT of
/." that you are, lol!)???
2.) Attempt to libel me??
3.) Attempt an effete off-topic illogical adhominem attack???
4.) Do you have a PhD in English to establish your expertise in writing, OR, a certification making you "the master of how to post in forums online"?????
---
No, to all of the above qualifications you no doubt lack, I wager - absolutely.
APK
P.S.=> This? LMAO - Amusing, & just "too, Too, TOO EASY - just '2EZ'" vs. the trolls of
/., as it is for me, everytime... Does anyone wish to wager that our fav. AC off topic wannabe English PhD & Psychiatrist doesn't have licenses or degrees for his "expertise"??
... apk
Re:Time 2 have fun w/ an off-topic troll... apk (0)
Anonymous Coward | more than 2 years ago | (#37490068)
The degree of bullshitism you exhibit is observable by anyone. No PhD required.
Re:Time 2 have fun w/ an off-topic troll... apk (0)
Anonymous Coward | more than 2 years ago | (#37491068)
I'm sorry about my comment above APK. I apologize and take it back for my bullshitism in it.
Re:Both your method, & mine, DO work... apk (1)
Lennie (16154) | more than 2 years ago | (#37480096) (!)
Lennie, the NETCRAFT link I put up does... apk (0)
Anonymous Coward | more than 2 years ago | (#37480462)
Come on Lennie, you're better/smarter than THAT!
"Yes, but what does a Google query tell you about the website (thus server) you are connecting to ?" - by Lennie (16154) on Thursday September 22, @11:01AM (#37480096) Homepage
It tells you what mods or webserver builds (in the example I used, Apache) contain TLS 1.2 or what mod is necessary for it to work (you even noted which does iirc).
The articles tell you IIS has better encryption also, but NOT BY DEFAULT, you have to activate it...
You have what you need with the 2 pieces I supplied, just a touch more "legwork" (not exactly 'brain-surgery' either mind you) than your direct method is all... but, again:
I am SURE that if I can "figure that out"? So you can you, & others... using NETCRAFT's What's the site running link I supplied, & the GOOGLE query I put up after in reply to you!
E.G.-> [netcraft.com]
& [google.com]
---
"The Google query tells you certain versions of Apache do support TLS/1.1 and TLS/1.2. - by Lennie (16154) on Thursday September 22, @11:01AM (#37480096) Homepage
Again, see the above: My 2 steps do what your site you pointed out does, not a hell of a lot more detective work is all... BOTH methods work, yours & mine, easily (& It doesn't take a "brainiac" to use either one).
---
"It does not tell you the Apache of the website you are connecting to has that version of Apache installed.by Lennie (16154) on Thursday September 22, @11:01AM (#37480096) Homepage
AGAIN, Lennie, come on man - read it closely:
NETCRAFT DOES TELL WHAT APACHE YOU CONNECT TO, see my example, look @ IT CLOSELY: [netcraft.com]
E.G.=> SLASHDOT USES APACHE 1.3.42 & then you can inquire with the guys here (they do, after all, supply contact info.), IF needed... pretty simple!
APK
P.S.=> HOWEVER, the topic & ARTICLE @ hand, is browsers specifically, not servers (see subject of this article, Chrome specifically).
Thus, I supplied what others thanked me for in part in other replies, that Opera already HAS WHAT IS NEEDED, browser-side, in TLS 1.2... the bottom-line here AND TOPIC, is that above all else!
... apk
Re:Lennie, the NETCRAFT link I put up does... apk (1)
Lennie (16154) | more than 2 years ago | (#37481302) it. It can't use it.
We should probably just agree to disagree.
MAIN point is browsers (see article topic) (0)
Anonymous Coward | more than 2 years ago | (#37481498)
See subject-line above, 1st. Our methods determine what's needed SERVER-SIDE though that isn't the topic here for end users to make decisions to keep visiting the site or not (a good measure) until their fav. sites especially are "patched proofed" vs. BEAST script (important, SCRIPT especially) & to see IF it has webserver-ware that is capable of better than TLS 1.1.
Best part is though & what users have thanked me for twice here already, e.g.: [slashdot.org]
& [slashdot.org]
IS THAT OPERA CONTAINS WHAT IS NECESSARY, BROWSER-SIDE, TO COMBAT THIS FROM AN END-USER PERSPECTIVE in BOTH SCRIPTING DEFENSE BY SITE, AND TLS 1.2 "BUILT-IN NATIVELY" BROWSER SIDE, THE TOPIC @ HAND IN THIS ARTICLE NO LESS (& the topic/article IS about browsers Lennie, NO questions asked!).
APK
P.S.=> However - Since you insist on "server-side" end of things though & I agree, that's the "other side of the equation" & the end user has NO CONTROL OF IT unless you do as I do, omit javascript, the deliverer of this BEAST ATTACK (which, because I do that, I am "proof" to)?
You & I both have methods of determining it, + a simple email to the admins of a site (most answer readily, OR, they can use your tool for determining the SSL TLS levels etc. OR mine via NETCRAFT + GOOGLE) does the rest in combination with my method of "detective work"...
Above ALL else here/lastly/in closing:
It's not a matter of "disagree", it's a matter of SHARING VALID INFORMATION for protecting ourselves (and others that read this) imo...
Fact is - I think we both "DID GOOD" in fact, & I never disagreed with you man... you're only covering the "other 1/2 of the equation" server-side is all!
So, again, thanks for a decent inspection tool online (saves me time & detective work to a small degree is why)
... apk
Re:Sure does (you even SAID how) (1)
Qzukk (229616) | more than 2 years ago | (#37481460) disabled specific protocol versions. (ie, Apache/1.3.42 (Unix) mod_perl/1.31 could probably be compiled against libssl 1.0.0 or 0.0.6 for all you know. Assuming it's not lighttpd configured to lie.)
The only way to know what version of SSL/TLS is supported is to connect and ask for decreasing versions until one is accepted.
WRONG - there's OTHER WAYS (0)
Anonymous Coward | more than 2 years ago | (#37481712)
See Lennie & my exchange here: He showed a tool that directly determines what SSL level is being run by webservers/sites
(Servers aren't the topic here & an end user can't control THAT, except for warning sites via email, forums, etc., since its server-side & the article's about browsers, but important nonetheless).
Still - I showed other LESS DIRECT means, but they do work.
WOULDN'T MATTER FOR ME ANYHOW, I CAN'T BE "HIT" BY "BEAST" as I do NOT use javascript online & have been warning others on it for decades -> [google.com]
Mainly & obviously, because of its unfortunate "double-edged sword nature" like ANY scripted document format's been shown to be a security-risk not only online, but locally too (e.g. Office documents via AutoExec macros, or, Adobe Acrobat javascript usage by default).
NOW - You "bring up a point" though - on "servers lying" which MIGHT invalidate Lennie's tool...
So, my suggestion & method's "3rd optional step" of emailing admins of a site on SSL/TLS levels in webservers MIGHT be necessary as well IF ONLY TO WARN THEY to update mod_ssl, which in the case of my examples (/. mainly this site)? Is available.
APK
P.S.=> I have other methods I noted vs. Lennies, take 1-2 more steps, but would work just the same (NETCRAFT, GOOGLE QUERY, & emailing a site admin IF needed), for server-side (off topic though it is, it matters)...
STILL, bottom-line on what a USER can control to "proof themselves" vs this AND OTHER ATTACKS GALORE?
The topic was BROWSERS here anyhow, so I extolled Opera's "main virtues" & others here thanked me for it (since 1 proofs you completely which I noted above on scripting & the other works with PROPERLY modded servers for TLS SSL encryption (Apache mod_ssl levels, & IIS have it))... apk
Re:Great, but OPERA already solves it (0)
Anonymous Coward | more than 2 years ago | (#37478360)
You can't make this shit up.
Uhm, I didn't - what's "made up"? (0)
Anonymous Coward | more than 2 years ago | (#37478664)
I knew about this 3 days ago in fact, courtesy of this article [theregister.co.uk] entitled:
Hackers break SSL encryption used by millions of sites - Beware of BEAST decrypting secret PayPal cookies - By Dan Goodin in San Francisco - Posted in ID, 19th September 2011 21:10 GMT
(This "pertinent quote/excerpt" from said posting gave me the information I extolled regarding TLS 1.2 (I was using it already though, but, might as well "spread the good word" to others here too I figured!)):
---
"Secure TLS versions are available in its Internet Explorer browser and IIS webserver, but not by default. Opera also makes version 1.2 available"
---
*
... &, there you go!
APK
P.S.=> Incidentally, IF you're "trolling", & I am fairly certain you are with that wise-crack reply? I don't feed trolls... but, I do LOVE "shooting them down in flames" with facts & backing documentations...SO, on that note - what was "made up" (or false/incorrect) in what I posted?
Also, lastly - Why do I get the feeling that "Mr. AC Troll" will run like usual, or begin an off-topic adhominem attack now in effete retaliation, or downmod my posts due to his own FAIL @ trolling me as-per-his-truly COWARD AC trolling replies off topic b.s.?
... apk
Re:Uhm, I didn't - what's "made up"? (1)
MadMaverick9 (1470565) | more than 2 years ago | (#37479604).
See orig. article 4 starters (& Opera too) (0)
Anonymous Coward | more than 2 years ago | (#37479954)
As to details, but, IF you look at my link here (on javascript specifically since you noted it) -> [slashdot.org] as it shows how to DISABLE javascript GLOBALLY (1st step in detail too) & then, BY SITE individually as you need features to activate them via its "By Site" exceptions list ability, on how to set web 2.0 featuers, albeit ONLY ON SITES YOU ABSOLUTELY NEED IT ON (which is unique to opera really as far as being "built in natively into a webbrowser" for the most part afaik & what I truly LOVE about it the most - mainly because this bolsters not only SECURITY, but, also SPEED (since you're not activating things you do NOT need to be running using up CPU/RAM/Other forms of I-O too)).
In fact, try it sometime as an experiment!
E.G.-> Block out:
A.) adbanners
B.) popups
C.) plugins
D.) scripts
E.) iframes/frames
F.) cookies
etc.-et al
AND, watch how FAST sites load & run (much faster than with them active, especially IF you do NOT really need them - you do in plugins on say YouTube, &/or say, javascript for DataBase accesses on ecommerce sites), but otherwise? You don't, not really (unless you personally feel otherwise)...
See - I do that here on
/. for example!
( & it FLIES by comparison to letting them run! I don't need them is why, & again - they CAN be a possible potential security-hazard (per your own point you made on this exploit being foisted upon users via javascript usage online... which for a decade++ now, it's been known as such a risk/double-edged sword...)).
NOW, finally, lol, as to your question here:
"how does it do that?" -
Well, hate to say it, but... if you run javascript actively w/ no preventative cutoffs (especially in FF, since it has no TLS 1.2 implementation currently per what those articles say?)
YOU let it happen... and of course, the webmasters who run those sites have not updated to mod_ssl updates for TLS 1.2 on Apache (& other webservers for example, though IIS implements it, but NOT BY DEFAULT - this is the webmasters' responsibility!).
APK
P.S.=> And, you're most welcome (for your thanks) but... this was about learning & I even got a "new trick/tip/technique/tool" from another replier here, Lennie (can't beat that - it's NOT a "wasted day" IF you learned a new thing I figure), so... "glad to be of assist" here!
... apk
Re:Uhm, I didn't - what's "made up"? (0)
Anonymous Coward | more than 2 years ago | (#37489994)
Apart from vomiting up page after page of mental trash, you're not feeding trolls. Right.
Re:Uhm, I didn't - what's "made up"? (0)
Anonymous Coward | more than 2 years ago | (#37490434)
I take back what I just said. Sorry APK.
Re:Uhm, I didn't - what's "made up"? (0)
Anonymous Coward | more than 2 years ago | (#37490196)
See, you're even too stupid to understand the meaning of one little sentence of six words.
You're such a waste.
Re:Uhm, I didn't - what's "made up"? (0)
Anonymous Coward | more than 2 years ago | (#37490926)
Sorry about my last 2 comments APK, I apologize. I take both back.
Re:Great, but OPERA already solves it (0)
Anonymous Coward | more than 2 years ago | (#37478424)
Where did you found that selective flashblock in Opera? I have been able to block flash completely (loading again required reloading entire page, with all flash elements), or not at all.
Use Opera v. 11.51 or better... apk (0)
Anonymous Coward | more than 2 years ago | (#37478540)
See subject-line above... & THIS is WHY UPDATING YOUR SOFTWARE TO "LATEST/GREATEST EDITIONS" is important - to keep up not only with featureset enhancements, but also security features (like TLS 1.2 in Opera).
* Now, it MAY be in earlier models, but that's the latest "full/stable" edition & I'd suggest updating/upgrading to it on YOUR end... for the purposes of protecting yourself vs. this "BEAST" scripted attack.
APK
P.S.=> Here, THIS link should help on that account so you can get ahold of it (or even the "12" models in 'beta' etc./et al): [opera.com]
... apk
Try these 2 methods, combined (step-by-step) (0)
Anonymous Coward | more than 2 years ago | (#37478726)).
2.) Then,)).
---
*
... &, there you go - hope that's helpful in using what I feel is the BEST FEATURE of Opera, that other browsers (which are OBVIOUSLY built to cater to advertising & tracking, vs. Opera being "built by websurfers FOR websurfers" instead) don't have, period, afaik (at least NOT by default w/out addons).
APK
Re:Try these 2 methods, combined (step-by-step) (0)
Anonymous Coward | more than 2 years ago | (#37480482)
wow, thanks! There was an option "enable plugins only on demand", it has either been added recently or i was missing it for a long time, it now acts similarly as flashblock in chrome and firefox.
You're welcome (0)
Anonymous Coward | more than 2 years ago | (#37480728)
See subject-line above & thank you for the thanks!
APK
P.S.=> I had to thank someone for supplying me a direct tool here too, in Lennie's replies in fact, for an online analysis tool he provided myself (& others) here in fact - NOT A "WASTED DAY" if you learn a new thing I figure!
His tool (vs. my 2-3 step detective work methods), saves a few seconds of work actually!
(Yes, I can do that with a couple more steps for the most part, via:
NETCRAFT'S "What's that site running" -> [netcraft.com]
&
A simple GOOGLE or BING query -> [google.com] on webserver(s) that have TLS 1.2 abilities)...
So... you MAY wish to look into Lennie & my "exchange/debate"!
He illustrated good tools are there for you to use also that combine with Opera's TLS 1.2, & "By Site Prefs" abilities (unique to Opera in fact afaik & native to it) to secure yourself vs. this threat, & identify (especially for your FAV sites you frequent most) which sites have TLS 1.2 abilities in their webservers (IF NEED BE? Well - You can email the folks here on a site too asking on their TLS level if needed, or use Lennie's tool here -> [ssllabs.com] )...apk
Re:Try these 2 methods, combined (step-by-step) (0)
Anonymous Coward | more than 2 years ago | (#37481432)
Chromium: [tinypic.com]
Aha, ABOUT TIME/Finally... apk (0)
Anonymous Coward | more than 2 years ago | (#37485318)
I used older builds of "CHROMIUM" before the "latest/greatest" @ least, & never saw that in them earlier this year.
As proof of that in fact, I offer this where I noted that to a poster here named "SanityInAnarchy" who FAVORED Chrome @ least (not Chromium strictly), here: [slashdot.org]
Thus, as you can see? Yes - I tried it before myself & never noted it had "exceptions" & I also said that SanityInAnarchy OUGHT TO PROGRAM THAT INTO Chrome/Chromium in fact (since he codes as do I) but, he never answered on that though I "nagged he" on it...
Which is also how/why I was able to comment on Chrome/Chromium speed, in my init. post here as well!
Only "ISSUE" I might have with Chrome especially now (not so much Chromium) is the PRIVACY things I keep hearing from others on it, such as this one: [slashdot.org]
From others...
APK
P.S.=> This is actually good news, because I stated I wished other browsers did that, because IE doesn't this is for sure... & iirc, FireFox doesn't as completely on as many things NATIVELY as does Opera either!
... apk
Re:Aha, ABOUT TIME/Finally... apk (0)
Anonymous Coward | more than 2 years ago | (#37488394)
That option must be enabled in Chrome/Chromium under the about:flags page
:). Lots of cool stuff there.
APK wins again? (0)
Anonymous Coward | more than 2 years ago | (#37482108)
They modded ya down and ya ran off with Opera 1.2 tls and javascript advice in not using it because this attack uses it like many to most do.
Solutions without TLS v1.1 and v1.2 (2)
tmshort (1097127) | more than 2 years ago | (#37481428) random amount of padding adds randomness to the known plaintext, in a manner similar to, but different than, Google's solution.
4. Use HTTP/1.0. The suspected attack vector requires a long-term TLS connection that is reused by the browser. HTTP/1.0 allows one request per connection. Each connection will use different key material. This means that BEAST's JavaScript request will have different keys than the user's request. This is easily configurable on the server, and requires no changes to the client (unlike solutions 1-3).
The trade-off is that all these options slow down the connection to some degree.
Re:Solutions without TLS v1.1 and v1.2 (1)
raynet (51803) | more than 2 years ago | (#37481716)
Could the server use compression and randomly vary it and not do optimal gzipping for the content?
Re:Solutions without TLS v1.1 and v1.2 (1)
tmshort (1097127) | more than 2 years ago | (#37481952)
It's apparently an issue with the client-sent data - that is the data that is analyzed. BEAST has no control over the server-sent data, so whatever the server does, short of closing the connection, has no effect.
Re:Solutions without TLS v1.1 and v1.2 (1)
raynet (51803) | more than 2 years ago | (#37481988)
Can clients send compressed data to servers?
Re:Solutions without TLS v1.1 and v1.2 (1)
tmshort (1097127) | more than 2 years ago | (#37482286) NULL.
Re:Solutions without TLS v1.1 and v1.2 (1)
mzs (595629) | more than 2 years ago | (#37483008)
Somebody please mod this up. | http://beta.slashdot.org/story/158066 | CC-MAIN-2014-35 | refinedweb | 7,339 | 81.53 |
31 January 2014 20:01 [Source: ICIS news]
ORLANDO (ICIS)--The American Cleaning Institute (ACI) is putting the Clean the World ONE Project at the forefront of its annual convention this week with a Hygiene Kit Build Charity Event.
Clean the World is a nonprofit organisation helping hotels across the ?xml:namespace>
“Our hotel industry throws away thousands of bars of soap every year,” a Clean the World representative said.
“There are people that need these soaps, and they cannot always afford to buy them,” another Clean the World representative said.
The Clean the World ONE Project is a hygiene project aimed at providing 3,000 kits to homeless persons in c
At the ACI convention, a room is set aside for assembling hygiene kits that contain in each a bar of soap, tubes of shampoo, conditioner, toothpaste, a toothbrush and a washcloth.
ACI attendees are invited to build hygiene kits for the project and fill participating company boxes to see which company’s box will have the most kits.
Winner and awards are forthcoming at the closing dinner on Friday.
The ACI is a key player in the US and international cleaning industry in which numerous commodity chemicals are used, including fatty alcohols – the backbone of surfactants – glycerine, fatty acids, glycols and certain oxides.
The 2014 ACI annual meeting | http://www.icis.com/Articles/2014/01/31/9749496/aci-puts-clean-the-world-one-project-at-forefront.html | CC-MAIN-2015-14 | refinedweb | 220 | 55.68 |
Table of contents
What We Will Be Building
We’re going to build an app that parses JSON file exported from Adobe After Effects with bodymovin plugin and renders it natively on mobile. To do that we’ll use lottie-react-native library made by Airbnb.
For your reference, the final code for the app we’re building can be found in this GitHub repo.
Initialize New Project
Let’s start off by creating a new app. Open Terminal App and run these commands to initialize a new project.
react-native init BouncingBall; cd BouncingBall;
Install Lottie
Next, let’s install lottie-react-native. That’s a React Native library made by Airbnb. Lottie allows to import animations made with Adobe After Effects into React Native apps.
npm i --save lottie-react-native; react-native link lottie-ios; react-native link lottie-react-native;
Link Lottie Library
- Open
ios/BouncingBall.xcodeprojfile with Xcode.
- Scroll down to Embedded Binaries section, and click
+button.
- Choose
Lottie.framework.iOSand click
Add.
You should see
Lottie.framework.iOS added to Embedded Binaries list.
Download JSON Animation File
Download ball.json file and save it into your app’s folder.
Launch the Simulator
Now, let’s run the app in the simulator.
react-native run-ios;
Enable Hot Reloading
Once your app is up and running, press ⌘D and select Enable Hot Reloading. This will save you some time having to reload the app manually every time you make a change.
Index Files
Next, let’s update our index files. Since we’re going to re-use the same code for both, iOS and Android, so we don’t need two different index files. We’ll be using the same
App component in both index files.
- Open
index.ios.jsfile and scrap all of the React Native boilerplate code to start from scratch. Do the same for
index.android.js. And add the following code to both of index files.
import { AppRegistry } from 'react-native'; import App from './app'; AppRegistry.registerComponent('BouncingBall', () => App);
This code imports
App component from
app.js file and registers it as main app container.
The Code
- Create a new file called
app.jswith the following code:
import React, { Component } from 'react'; import { Animated, Easing, Dimensions } from 'react-native'; import Animation from 'lottie-react-native'; // Get screen dimensions const { width, height } = Dimensions.get('window'); export default class App extends Component { state = { // Used by Animation component to run animation progress: new Animated.Value(0), }; componentDidMount() { // Wait for 1 second before starting animation setTimeout(this.animate, 1000); } animate = () => { Animated.timing(this.state.progress, { // Change from 0 to 1 to run animation toValue: 1, // Animation duration duration: 24000, // higher the value slower the animation and vice versa // Linear easings easing: Easing.linear, }).start(() => { // Reset progress to zero after animation is done this.state.progress.setValue(0); // Animate again this.animate(); }); } render() { return ( <Animation style={{ // Black background backgroundColor: '#000', // Screen width width: width, // Screen height height: height, }} // Load animation from json file source={require('./ball.json')} // Animate json file progress={this.state.progress} /> ); } }
That’s It!
And we’re done. Let’s bring up the simulator window. You should be able to see a bouncing ball!
Wrapping Up
Hopefully, you’ve learned a lot on how to create animations with React Native.
Subscribe to get notified about new tutorials. And if you have any questions or ideas for new tutorials, just leave a comment below the post. | https://rationalappdev.com/amazing-after-effects-animations-in-react-native-apps/ | CC-MAIN-2022-05 | refinedweb | 572 | 51.75 |
Created on 2016-01-13 12:52 by vstinner, last changed 2017-10-17 20:12 by vstinner. This issue is now closed.
Attached patch implements the PEP 510 "Specialize functions with guards".
Changes on the C API are described in the PEP:
Additions of the patch:
* Add func_specialize() and func_get_specialized() to _testcapi
* Add _testcapi.PyGuard: Python wrapper to the Guard C API
* Add Lib/test/test_pep510.py
Patch version 2 fixes some bugs and add more tests.
More notes about the patch:
* RuntimeError is raised if guard check() result is greater than 2
* RuntimeError is raised if guard init() result is greater than 1
* (hum, maybe 'res < 0' check must be replaced with 'res == -1', but I'm not sure that that it's worth it.)
* If PyFunction_Specialize() is called with a code object or a Python code, it creates a new code object and copies the code name and first line number in the new code object to ease debugging
TODO: keywords are currently not supported in PyGuard.__call__().
An unit test is needed on pickle serialization to ensure that the specialize code and guards are ignored.
Patch version 3:
* guards are now tracked by the garbage collector. That's a very important requirements to not change the Python semantics at exit, when a guard keeps a strong reference to the global namespace:
* add more tests: call specialize() with invalid types, set __code__
Patch version 4:
* Keywords are now supported everywhere and tested by unit tests
* Inline specode_check() into PyFunction_GetSpecializedCode()
Patch version 5: implement PyFunction_RemoveSpecialized() and PyFunction_RemoveAllSpecialized() functions (with unit tests!).
I'm not sure that PyFunction_RemoveSpecialized() must return 0 (success) if the removed specialized code doesn't exist (invalid index).
FIXME: sys.getsizecode(func) doesn't include specialized code and guards.
Patch version 6: I inlined PyFunction_GetSpecializedCode() into fast_function() of Python/ceval.c. It reduces *a little bit* the overhead of the patch when specialization is not used, but it also avoids to expose this function. I don't think that it's worth to expose PyFunction_GetSpecializedCode(): it was only used in ceval.c. For example, I don't use it for unit tests. I prefer to write tests calling the function and checking the results (see test_pep510.py).
*Raw* overhead of specialized-6.patch on calling "def f(): pass": 1.7 nanoseconds. I computed the overhead using timeit:
./python -m timeit -s 'def f(): pass' 'f()'
* Original: 71.7 ns
* specialize-6.patch: 73.4 ns (+1.7 ns, +2.4%)
* specialize-5.patch: 74.3 ns (+2.6 ns, +3.6%)
I will run perf.py to see the overhead on a macro benchmark.
Results of the "The Grand Unified Python Benchmark Suite" on specialize-6.patch.
I'm skeptical, I don't understand how my patch can make a benchmark faster :-) The result of regex_v8 is bad :-/
$ python3 -u perf.py --rigorous ../default/python.orig ../default/python
(...)
Report on Linux smithers 4.3.3-300.fc23.x86_64 #1 SMP Tue Jan 5 23:31:01 UTC 2016 x86_64 x86_64
Total CPU cores: 8
### chameleon_v2 ###
Min: 5.558607 -> 5.831682: 1.05x slower
Avg: 5.613403 -> 5.902949: 1.05x slower
Significant (t=-27.95)
Stddev: 0.06994 -> 0.07640: 1.0924x larger
### django_v3 ###
Min: 0.582356 -> 0.573327: 1.02x faster
Avg: 0.604402 -> 0.582197: 1.04x faster
Significant (t=3.43)
Stddev: 0.05618 -> 0.03215: 1.7474x smaller
### regex_v8 ###
Min: 0.043784 -> 0.049854: 1.14x slower
Avg: 0.044270 -> 0.050521: 1.14x slower
Significant (t=-19.87)
Stddev: 0.00200 -> 0.00243: 1.2105x larger
The following not significant results are hidden, use -v to show them:
2to3, fastpickle, fastunpickle, json_dump_v2, json_load, nbody, tornado_http.
Patch version 7:
* Fix a random crash related to _testcapi.PyGuard: implement tp_traverse on PyFuncGuard and "inherit" tp_traverse on PyGuard
* Fix a typo Include/funcobject.h
* (rebase the patch)
Oh, I missed comments on the code review. Fixed on patch version 8.
Recently, some people asked me for an update for my FAT Python project. So I rebased this change I wrote 1 year 1/2 and adapted it for the new code base:
* I renamed test_pep510.py to test_func_specialize.py
* I removed the useless PyFunction_Check() macro
* I changed the guard check prototype to use the new FASTCALL calling convention: (PyObject **args, Py_ssize_t nargs, PyObject *kwnames: tuple)
* I patched _PyFunction_FastCallDict() *and* PyFunction_FastCallKeywords() to check guards and call specified code if guards succeeded
The PEP 510 is not accepted, so the implementation is still a work-in-progress (WIP) and must not be merged.
I rejected my own PEP 510, so I reject this issue as well. | https://bugs.python.org/issue26098 | CC-MAIN-2020-05 | refinedweb | 771 | 67.25 |
Hide Forgot
Congradulations on anaconda - in general it works quite well. However there
is a problem when trying to use kickstart with it. The kickstart.conf
command:
rootpw zgoqj2n9SIvQg --iscrypted DUMMYENTRY
does not work correctly. The code fails to recognise the --iscrypted flag
with the result that an encrypted string is encrypted again and there is no
hope of getting into the system with a simple password (Though come to
think about it, this is a great security feature to insure that really good
root passwords are used. Afterall, who in their right mind would use
zgoqj2n9SIvQg as a password.). I've managed to locate and fix the problem
and I'll address how in just a moment, but first let me explain the
"DUMMYENTRY" in the command line. It exists to help get past a list problem
in the code. I did this as a quick work around because of my just starting
to understand python and anaconda. Basicly it worked and I left it at
that. The problem line is in the file kickstart.py at line 19, which
reads:
InstallClass.doRootPw(self, extra[0], isCrypted = isCrypted)
The extra[0] is the problem. Without DUMMYENTRY extra does not get forced
to being a list at which time python complains about index out of range.
I'll leave this for you guy's to solve unless things get real slow here.
Now for how I solved the --iscrypted problem:
in installclass.py on line 152 add:
self.isCrypted = isCrypted
or stated another way, the doRootPw routine should look like:
def doRootPw(self, pw, isCrypted = 0):
self.rootPassword = pw
self.isCrypted = isCrypted
The next step is to motify the todo.py file at line 1248 to look like:
todo.rootpassword.set(todo.instClass.rootPassword,
todo.instClass.isCrypted)
where it used to look like:
todo.rootpassword.set(todo.instClass.rootPassword)
and thus failed to pass the isCyrypted flag to the set routine/method.
Hope this will help.
This removes the need for a DUMMYENTRY after --iscrypted
--- kickstart.py~ Sat Sep 25 13:01:19 1999
+++ kickstart.py Thu Jan 6 03:14:22 2000
@@ -8,7 +8,7 @@
class Kickstart(InstallClass):
def doRootPw(self, args):
- (args, extra) = isys.getopt(args, '', [ 'iscrypted=' ])
+ (args, extra) = isys.getopt(args, '', [ 'iscrypted' ])
isCrypted = 0
for n in args:
This is fixed in the latest version of the installer (available in beta). | https://bugzilla.redhat.com/show_bug.cgi?format=multiple&id=8468 | CC-MAIN-2021-17 | refinedweb | 395 | 67.15 |
C++ and Brent's Technique
The class mechanism of C++ is perfect for hiding the details of implementing an abstract data type. A class has public and private parts; put the data type's permissible operations in the public part and hide all the nasty details in the private part.
The ideal hash table class would be totally generic and manage arbitrary objects without regard for their contents. This isn't possible because C++ is not a pure object-oriented language. You can't pass types as parameters to a constructor. The hash table class needs to know some things about the objects it is trying to manage, such as what empty and deleted objects look like and how to map an object to an address and decide if two objects are equal.
The solution I found (Listing Four) is similar to the usual C technique of using function pointers to implement generic functions. The hash table contains pointers to objects instead of the objects themselves. A pointer to comparison and mapping functions must be passed to the constructor for the type.
#define DEBUG_HASHTAB // hashtab.hpp -- class definition for hash table class hashtab { size_t tablesize; // size of the table size_t inserted; // # of elements inserted void **table; // actual table size_t (*map)(void *element); // map a key to the table index type int (*compare)(void *e1,void *e2); // compare two elements a la strcmp size_t_lookup(void *element); // internal lookup function public: hashtab(size_t tablesize, size_t (*map)(void *element), int (*compare)(void *e1, void *e2)); ); #endif };
The constructor function for a hash table uses the function find_tab_size to round up the table size to a suitable twin prime. I generated the table of primes with a hacked-up version of the standard sieve of Eratosthenes program (it's useful for something besides benchmarking, after all!).
An example usage would be something like the one in HASHTEST.CPP (Listing Five).
// inttab class #include "hashtab.hpp" size_t imap(void *element) { return *((int *)element); } int icompare(void *e1,void *e2) { if(*(int *)e1 > *(int *)e2) return 1; else if(*(int *)e1 == *(int *)e2) return 0; else return --1; } class inthashtab : hashtab { public: inthashtab(size_t size) : (size,imap,icompare) {} int *lookup(int x) { return (int *)hashtab: :lookup((void *)&x); } void insert(int x) { int *ip; if(hashtab: :lookup(&x) != empty) return; ip = new int; *ip = x; hashtab: :insert((void *)ip); } void remove(int x) { int *ip = (int *)hashtab: :lookup((void *)&x); if(ip != NULL) { hashtab: :remove((void *)ip); delete ip; } } };
The member functions of the derived class inthashtab take different arguments from the parent class hashtab, so it is not necessary to make the members in the parent class virtual -- the members of inthashtab overload the names of the parent class functions instead of redefining them.
This approach works but has one potential problem. If you wanted to use a pointer or reference variable of the type hashtab, you wouldn't be able to call the samenamed member functions of the derived class. You might try to get around this by making the parent class functions virtual, but C++ won't allow you to redefine the type of a virtual function in a derived class.
So you can't indiscriminately assign pointers to derived hash table objects to hash table pointers and expect to use them. However, this restriction is not onerous since you generally don't need polymorphic access to instances of a hash table class. If you think of a reason to do this (besides perversity), I'd be interested in hearing it.
The inttab class is a trivial example. When the only data in an object is a key, the LOOKUP function degenerates into a Boolean function. You don't retrieve anything from the table; you just find out whether something was already there. Also, using new to create each table element is inefficient for small objects; ideally, you should use memory-allocation techniques. But inttab should give you some idea of what you can do with the hashtab class.
You aren't limited to using the hashtab class the way I did. Instead of deriving a new subclass from hashtab, use hashtab variables as private data for a class with an entirely different interface. Drop hashtab right into the associative array class discussed in Bjarne Stroustrup's The C++ Programming Language. You can even use multiple hashtab variables to look up objects in the table using more than one key!
C++ allows you to develop generic, reusable data types that can successfully hide most ugly implementation details. Since C++ is not a pure object-oriented language, we can't hide them all. But this isn't really a problem: our's is an impure world, and the mixed nature of C++ may be a better fit than pure object-oriented languages. It is sometimes nice to work at a low level -- something you can't do with a pure language like Smalltalk.
Brent's technique is a very good fit for certain applications. Having a general-purpose hash class in the toolbox leaves no excuse for using linear searches for lookups! | http://www.drdobbs.com/cpp/tables-within-tables-c-and-brents-techni/199900579?pgno=4 | CC-MAIN-2015-40 | refinedweb | 848 | 59.23 |
getdtablesize − get descriptor table size
#include <unistd.h>
int getdtablesize(void);
Feature Test Macro Requirements for glibc (see feature_test_macros(7)):
getdtablesize():
Since glibc 2.12:
_BSD_SOURCE ||
!(_POSIX_C_SOURCE >= 200112L || _XOPEN_SOURCE >= 600)
Before glibc 2.12:
_BSD_SOURCE || _XOPEN_SOURCE >= 500 || _XOPEN_SOURCE && _XOPEN_SOURCE_EXTENDED
getdtablesize() returns the maximum number of files a process can have open, one more than the largest possible value for a file descriptor.
The current limit on the number of open files per process.
On Linux, getdtablesize() can return any of the errors described for getrlimit(2); see NOTES below.
For an explanation of the terms used in this section, see attributes(7).
SVr4, 4.4BSD (the getdtablesize() function first appeared in 4.2BSD). It is not specified in POSIX.1-2001; portable applications should employ sysconf(_SC_OPEN_MAX) instead of this call.).
close(2), dup(2), getrlimit(2), open(2)
This page is part of release 3.53 of the Linux man-pages project. A description of the project, and information about reporting bugs, can be found at−pages/. | http://man.linuxtool.net/centos7/u3/man/3_getdtablesize.html | CC-MAIN-2019-30 | refinedweb | 168 | 51.34 |
Is there a way to make an audible noise when a computation is complete?
I tried printing the alert bell ("\a") and didn't hear anything. Tips?
Are you using a remote notebook or a local server. If it is local, just run some local command that makes a noise using os.system. How you do this depends entirely one what operating system you are using.
Regarding email (see ccanonc's remark above), it is trivial to use with Sage, irregardless of SMTP. There is a command (I wrote) called "email" that is builtin to Sage, which uses that Sage includes its own mail server (which is part of Twisted). Just do
sage: email? for more details.
Yes: Twisted, which Sage contains implements "high-level, efficient protocol implementations for both clients and servers of SMTP, POP3, and IMAP4. " See
Yep, looks easy enough:
You can try this on any new browser.
def done(): return html('!audio src="" autoplay> Your browser does not support the
audioelement. !/audio>') for i in range(10**6): pass done()
Replace ! with < . I could not make the code display otherwise.
In the future a function "done()" along with a sound file can be a part of the notebook. I will remove the .ogg file from my server in the future to prevent too much hotlinking (so don't freak out if this doesn't work).
This is now trac 9797:
I added gong.ogg to my notebook, so I can serve it locally. It took a while, but I finally determined the path to the image files:
<$SAGE_ROOT>/local/lib/python2.6/site-packages/sagenb-0.8.2-py2.6.egg/sagenb/data/sage/images/gong.ogg
The URI to the file is:
The file plays fine in Firefox; guess Safari doesn't know how to play an ogg file.
Asked: 2010-08-21 03:40:34 -0500
Seen: 627 times
Last updated: Aug 24 '10
How do we get the current time?
gap calls seem to consume a lot of time
tseriesChaos package for R from Sage Notebook
%time inline in notebook?
Loaded event for sagecell
What's a good way to track spawned time on a shared server?
I suppose sending an email is another option, though as we saw with this site, SMTP can be a pain, especially for a home user. | https://ask.sagemath.org/question/7607/is-there-a-way-to-make-an-audible-noise-when-a-computation-is-complete/ | CC-MAIN-2017-17 | refinedweb | 389 | 83.05 |
144 Neutral
About foxefde
- RankMember
foxefde replied to Lilxtiger's topic in For Beginners
foxefde replied to Carlos Martinez's topic in For BeginnersWell,I am trying to learn Directx as well,and yeh Rastartek's tutorials are : | ...In my opinion book is the fastest way to learn it... Opengl?There's book,I checked it and it seems quite informative : released one year ago
foxefde replied to donuts56's topic in For BeginnersSimple 3D ?Dream more. First learn ..uhm,maybe C# / C++ Second learn a little bit about 2D THEN try Utility3D & create a game.
foxefde replied to khecks's topic in For BeginnersIt's the hardest language,a lot of risks in it,you must do everything perfectly. Those languages,which born from C are the most popular nowadays ,like:java,C sharp etc. And those languages are easier than C ,so if you know C/C++ ,you should easily learn other one.Don't company owners think like this?
- Okay... Yeh,I have noticed that ,but it seems for me ,that I still must understand his framework to be able to continue with tutorials. Thanks,but it seems,it cost 99$ , not for me,not for me =/ Anyway... "Just know: Starting with D3D11 if you haven't done anything with low-level graphics before is hard and frustrating." Can't disagree with that,maybe you are rgiht . But I really like challanges,I don't really like 2D,Even console is much more interesting for me . I always like to find out ,where is the best information before starting learning,if it's really that hard,maybe rastertek tutorial aren't bad. I will try my best,I never give up :| Thx.
foxefde replied to Scot Garcia's topic in For BeginnersYou want to create a simple calculator?What about this? #include <iostream> using namespace std; int main() { double a,b; char symbol; cout << "CALCULATOR IS READY!\n"; do { cin >> a >> symbol >> b; switch(symbol) { case '*': cout << " = " << a * b << endl; break; case '+': cout << " = " << a + b << endl; break; case '-': cout << " = " << a - b << endl; break; case '/': cout << " = " << a / b << endl; break; } } while(true); }
- Any why not just register yourself ? It's free and takes about 20 seconds. Registration is bugged,I can't get activation link... As for a book I always recommend Luna. He explains more than just how the API works and also provides exercises. Here you can also download the source. I heard about him,but it's just source codes without explanation;book isn't free.I'mfrom Lithuania ,i am 17,it's really hard to get it for me ...
foxefde posted a topic in For Beginners :|
foxefde replied to foxefde's topic in For BeginnersThanks for these answers,if you say so , i will try my best to learn directx with Ramstarek's tutorials then ! And ,Siri, maybe you got an account you aren't using ? (BRAYNZSOFT) ,because registration is bugged and without it it's impossible to download source.Maybe I would check that tutorials as well ,after Ramstartek! ;
foxefde posted a topic in For Beginners =/ | https://www.gamedev.net/profile/210964-foxefde/?tab=smrep&p=1&st=30 | CC-MAIN-2017-30 | refinedweb | 514 | 65.01 |
Recursion and Dynamic Programming
Come on, you can do it :)
Dynamic programming is mostly just a matter of taking a recursive algorithm and finding the overlapping subproblems. You then cache the results for future recursive calls.
There are generally 2 approaches to such questions
- Memoisation
Looking at the tree above, you see that fib(3) appears twice etc…so we should do caching to save on amount of work done.
- Bottom-Up Approach -> Solve the problem for a simple case, then build up the solution.
This can be thought of as similar to doing the recursive memoized approach but in reverse.
First, we compute fib(1) and fib(0), which are already known from the base cases. Then we use those to compute fib(2). Then we use the prior answers to compute fib(3), then fib(4) and so on.
How to determine when to give a dynamic programming solution?
- When the problem is recursive and can be built off subproblems.
- “Design an algorithm to compute the nth…” “Write code to list the first nth…” “Implement a method to compute all..”
- Find the biggest…
Extra Questions (Hard -> to do if i am free and want to level up my thinking skills)
Burst Balloons
Interview Cake — Practice Question
Qns 1 a: Write a recursive method for generating all permutations of an input string. Return them as a set.
Definition of permutation: Any ordering of words. For eg, “cat” has the following permutation:
cat
cta
atc
act
tac
tca
If we want to form the permutation of cats, and we have all the permutations of cat, then what we need to do is to put “s” in each possible position in each of these permutations.
Now that we can break the problem into subproblem, we just need a base case and we have a recursive algorithm.
public static List singletonList(T o)
Parameters: This method takes the object o as a parameter to be stored in the returned list.
Return Value: This method returns an immutable list containing only the specified object.
Qns 1 b: Given a collection of distinct integers, return all possible permutations.
Example:
Input: [1,2,3]
Output:
[
[1,2,3],
[1,3,2],
[2,1,3],
[2,3,1],
[3,1,2],
[3,2,1]
]
The trick to understanding the code here is very simple: Simply write out and follow through the code with a simple example, for eg [1,2,3]
- We first traverse to the end of the int array. Return the last element of the num array as a list. For eg, if last element is 3, we return [[3]]
- Then, the caller function will receive this returned list.
- At the caller function, the second last element -> The element before -> will be stored in a variable called firstChar. This firstChar will then be inserted in all possible positions of the returned list. For eg, here, firstChar=2. So after going through line 24–34, the output finalised list will be [[2,3],[3,2]]
- Again, this list will be returned to the previous caller function. Repeating 3, we then get
[[1,2,3],[2,1,3],[2,3,1],
[1,3,2,],[3,1,2],[3,2,1]]
This gives us all the permutations :)
- Might be better to use HashSet instead of List because List can have duplicates.
Leet Code 47 Permutations II
Given a collection of numbers,
nums, that might contain duplicates, return all possible unique permutations in any order.
Use HashSet
Qns 1c: Leetcode 22. Generate Parentheses
Brute Force: To generate all possible permutations like Qns 1a, 1b. Then check the validity of each permutation and discard those invalid ones.
More efficient solution: Think of it as trying out every permutation of the string, deciding whether to add an open-bracket or close-bracket to a string.
- The first char of the string must always be a (, hence i start by initialising the base string to only contain (.
- If the number of ( is smaller than the number of ), only then we can add )
- We can always add ( as long as there are (
For this, we notice that we cannot really return the ArrayList<String> of all possible permutations because we want to have a complete string each time we return something (unlike previous 1a,1b questions where we will create the new permutation based on the returned permutations). So i created a public static ArrayList instead and we will append all possible combinations to this.
Qns 2: Write a method fib() that takes an integer n and returns the nth Fibonacci number.
A pretty easy dynamic programming question..
Fib(0) // 0
Fib(1) // 1
Fib(2) //1
Fib(3) //2
Fib(4) //3
Qns 3: Your quirky boss collects rare, old coins… (Also Leet Code 322).
Leet Code 518 (Follow up Qns) Coin Change 2
You are given coins of different denominations and a total amount of money. Write a function to compute the number of combinations that make up that amount. You may assume that you have infinite number of each kind of coin.
Return all METHODS.
Leet Code 39. Combination Sum (similar to coin change)]]
Leet Code 40. Combination Sum II
Given a collection of candidate numbers (
candidates) and a target number (
target), find all unique combinations in
candidates where the candidate numbers sum to
target.
Each number in
candidates may only be used once in the combination.
Note: The solution set must not contain duplicate combinations.
Example 1:
Input: candidates = [10,1,2,7,6,1,5], target = 8
Output:
[
[1,1,6],
[1,2,5],
[1,7],
[2,6]
]
Example 2:
Input: candidates = [2,5,2,1,2], target = 5
Output:
[
[1,2,2],
[5]
]
Line 52 skips duplicates because consider when we are at recursion R1. For eg, if we have [1,1,2] where the start is at index 0, the first 1, we skip evaluating the second 1 at line 52. This second 1 will then be evaluated in the next recursion R2 where start=1. Here, tempList will then contain [1,1] where 1 comes from the first index 0 and the second 1 comes from the second index 1.
If we did not skip (do not have line 52), then it could be that at R2, the tempList would be [1,1], where both 1s comes from the same second index of the original int[] cand. For example, we add in the first 1 (in index 1, second 1) was added in R1 and the second 1 (index 1) was repeatedly added in R2.
Hence, duplicates.
Leet Code 279. Perfect Squares
Given a positive integer n, find the least number of perfect square numbers (for example,
1, 4, 9, 16, ...) which sum to n.
Example 1:
Input: n = 12
Output: 3
Explanation: 12 = 4 + 4 + 4.
Example 2:
Input: n = 13
Output: 2
Explanation: 13 = 4 + 9.
This question is similar to Coin Change…
An easy understanding DP solution in Java - LeetCode Discuss
Level up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared…
leetcode.com
dp[n] = Min{ dp[n - i*i] + 1 }, n - i*i >=0 && i >= 1
Qns 4::
Each type of cake has a weight and a value, stored in objects of a CakeType class:
public class CakeType { final int weight;
final int value; public CakeType(int weight, int value) {
this.weight = weight;
this.value = value;
}
}. Weights and values may be any non-negative integer.
Cracking the Coding Interview — Practice Question
Qns 1: Leet code 70 Climbing stairs. You are climbing a stair case. It takes n steps to reach to the top.
Each time you can either climb 1 or 2 steps. In how many distinct ways can you climb to the top?
Note: Given n will be a positive integer.
Similar to coin change 2.
Qns 2: Robots in a grid:?
Extension 1 (Leet Code 63): Certain cells are marked off-boundary
Extension 2 (Leet Code 980):.
Qns 2: Power Set -> Write a set to return all possible subset (Leet Code 78)
Input: nums = [1,2,3]
Output:
[
[3],
[1],
[2],
[1,2,3],
[1,3],
[2,3],
[1,2],
[]
]
Note that the solution below is wrong. In the solution below, List<> seems to be shared across different recursion functions. Even though in line 26, i appear to be modifying just duplicate list but i am actually modifying the original list. This is because, previously in line 21, i am adding the d from list. d is referring to the original list and we are directly modifying it.
At every recursion call:
- Add yourself
- Add yourself to all existing lists
- Add all existing lists
Qns 3: Longest Increasing subsequence -> Can be non contiguous
Extension Leetcode 673
Given an integer array
nums, return the number of longest increasing subsequences.
Notice that the sequence has to be strictly increasing.
Example 1:
Input: nums = [1,3,5,4,7]
Output: 2
Explanation: The two longest increasing subsequences are [1, 3, 4, 7] and [1, 3, 5, 7].
Example 2:
Input: nums = [2,2,2,2,2]
Output: 5
Explanation: The length of longest continuous increasing subsequence is 1, and there are 5 subsequences' length is 1, so output 5.
Need to make sure that the two if statements are not swapped. This is because if we swapped them both, then the program will enter both if loops.
Qns 4:.
Leetcode 1262. Greatest Sum Divisible by Three
Given an array
nums of integers, we need to find the maximum possible sum of elements of the array such that it is divisible by three.
Example 1:
Input: nums = [3,6,5,1,8]
Output: 18
Explanation: Pick numbers 3, 6, 1 and 8 their sum is 18 (maximum sum divisible by 3).
- dp[i,r] where r is the remainder and i is the end index of the number we are going to look at.
- We always start from index 0 and hence i is the end index.
- dp[i,r] will contain the max sum that gives the remainder r when we iterate from 0..i (inclusive).
- At every point of iterating through the num array, we have 2 choices: Do we include the current value or not?
- If we choose to include the current value, then we will have to calculate its’ remainder.
- To understand the equation better (Look at the comments below in my last appended code snippet).
=> dp[i,r]=max(A[i]+dp[i-1, (r-A[i])%3], dp[i-1, r])
Even though it was written to be A[i], i think it should not be A[i].
Leetcode discussion solution below:
(The answer i derived from the above explanation) => Look at this
The above is the best answer.
A question not found in Leet Code
Given a dictionary of words, each word has a positive score. Given a string, cut it to exactly K (K > 0) words and all of them must be found in the dictionary, and the word segmentation score is the sum of the K segmented word’s scores.
Return the max words segmentation score. If it is impossible, return -1.
Example 1:Input:[{“abc”, 1}, {“bcd”, 2}, {“f”, 7}], “abcbcdf”, 3Output:10 (segment “abcbcdf” to “abc”, “bcd”, “f”)
Leet Code 10 Regular Expression Matching
Given an input string (
s) and
Understanding what the symbols means:
Consider what action to take when you encounter what character. Check out the following discussion for more:
Easy DP Java Solution with detailed Explanation - LeetCode Discuss
Level up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared…
leetcode.com
- Firstly we initialise a 2D array where the row is the pattern string and column vertically down is the string.
- If we check that the current pattern character is the same as string character str[i] == pattern[j], then we go back 1 index for both and check if previously they were matching, str[0,1..i-1] == pattern[0,1…j-1]? This involves checking dp[i-1][j-1].
- If current pattern[j]==’.’ it means we can match the character j with any character in str[i]. Essentially, we can ignore the character at pattern[j] and str[i] and go back to check for match between str[0,1..i-1] and pattern[0,1…j-1]. This involves checking dp[i-1][j-1].
- If current pattern[j] == ‘*’, we look at the previous character pattern[j-1] (for eg look at a if we have a*) and this can match with 0 or more elements with string[i]. So we compare them.
- Case 1: If pattern[j-1] != string[i], it will be the case where pattern[j-1, j] inclusive matches 0 elements. So we can treat pattern[j-1, j] to be removed , for eg remove a*, and go on to see if pattern[0,1…j-2] matches with string [0,1…i]. This will involve checking dp[i][j-2].
- If pattern[j-1] == string[i] or pattern[j-1] == ‘.’ (for eg .*), it can be that the pattern [j-1,j] matches either 0 or 1 or more elements in string.
- Case 2: If it matches with ≥ 1 element, where we know that when pattern[j-1], a, matches with string[i], there is at least 1 character in S that matches with pattern[j-1], a. We then move backwards in string to check string[0,1…i-1] with pattern[0,1..j-1]. More specifically, we check if pattern[j-1], a, matches with string[i-1]. This involve checking dp[i-1][j-1].
801. Minimum Swaps To Make Sequences Increasing both strictly increasing. (A sequence is strictly increasing if and only if
A[0] < A[1] < A[2] < ... < A[A.length - 1].)
Given A and B, return the minimum number of swaps to make both sequences strictly increasing. It is guaranteed that the given input always makes it possible.
Example:
Input: A = [1,3,5,4], B = [1,2,3,7]
Output: 1
Explanation:
Swap A[3] and B[3]. Then the sequences are:
A = [1, 3, 5, 7] and B = [1, 2, 3, 4]
which are both strictly increasing.
Leet Code Solution:
Line 12: swap at i-1 and i
Line 13: Don’t swap at i-1 and i
Line 17: Swap at i but don’t swap at i-1
Line 18: Swap at i-1 but don’t swap at i.
Leet Code 221. Maximal Square
Given an
m x n binary
matrix filled with
0's and
1's, find the largest square containing only
1's and return its area.
Example 1:
Input: matrix = [["1","0","1","0","0"],["1","0","1","1","1"],["1","1","1","1","1"],["1","0","0","1","0"]]
Output: 4
Example 2:
Input: matrix = [["0","1"],["1","0"]]
Output: 1
Example 3:
Input: matrix = [["0"]]
Output: 0
Hmmm hard to think that this is a dynamic programming question.
Leet Code Suggested Solution
We initialize another matrix (dp) with the same dimensions as the original one initialized with all 0’s.
dp(i,j) represents the side length of the maximum square whose bottom right corner is the cell with index (i,j) in the original matrix.
Starting from index (0,0), for every 1 found in the original matrix, we update the value of the current element as
We also remember the size of the largest square found so far. In this way, we traverse the original matrix once and find out the required maximum size. This gives the side length of the square (say maxsqlen). The required result is the area maxsqlen².
- Time complexity : O(mn). Single pass.
- Space complexity : O(mn). Another matrix of same size is used for d.
Leet Code 84 Largest Rectangle in Histogram
Given n non-negative integers representing the histogram’s bar height where the width of each bar is 1, find the area of largest rectangle in the histogram.
Above is a histogram where width of each bar is 1, given height =
[2,1,5,6,2,3].
The largest rectangle is shown in the shaded area, which has area =
10 unit.
Example:
Input: [2,1,5,6,2,3]
Output: 10
Leet Code Discussion Solution:
We see that at every height[i], we want to compute the max possible rectangle formed. We want to expand from index i the furthest we can to the left and right direction. The stopping condition for the expansion is when we arrive at a height which is smaller than current height[i].
With this in mind, we then make use of 2 arrays indexLeft and indexRight. indexLeft[i] contains the first index on the left which has height < height[i]. The above illustration explains how to get the width of the rectangle. r-l+1.
Leet Code 85 Maximal Rectangle (Similar to Maximal Squares)
Given a
rows x cols binary
matrix filled with
0's and
1's, find the largest rectangle containing only
1's and return its area.
Example 1:
Input: matrix = [["1","0","1","0","0"],["1","0","1","1","1"],["1","1","1","1","1"],["1","0","0","1","0"]]
Output: 6
Explanation: The maximal rectangle is shown in the above picture.
Example 2:
Input: matrix = []
Output: 0
Example 3:
Input: matrix = [["0"]]
Output: 0
Example 4:
Input: matrix = [["1"]]
Output: 1
Example 5:
Input: matrix = [["0","0"]]
Output: 0
This question is similar to the previous question.
We can visualise each row as a histogram of bars. First, for each row, we construct this histogram of bars. The heights of a bar (column) in the histogram is the sum of the numbers in the current row and above for that column. For eg, see the image below.
Then, once we have a histogram for each rows constructed, we will then attempt to find the max rectangle for the histogram at each level. We apply the previous question technique to each row (1 histogram) and the final result would be the max rectangle formed from a histogram.
Leet Code 42.
51. N-Queens
The n-queens puzzle is the problem of placing
n queens on an
n x n chessboard such that no two queens attack each other.
Given an integer
n, return all distinct solutions to the n-queens puzzle.
Each solution contains a distinct board configuration of the n-queens’ placement, where
'Q' and
'.' both indicate a queen and an empty space, respectively.
Example 1:
Input: n = 4
Output: [[".Q..","...Q","Q...","..Q."],["..Q.","Q...","...Q",".Q.."]]
Explanation: There exist two distinct solutions to the 4-queens puzzle as shown above
Example 2:
Input: n = 1
Output: [["Q"]]
N-Queens — LeetCode
The n-queens puzzle is the problem of placing n queens on an n x n chessboard such that no two queens attack each…
leetcode.com
We know for sure that when we have reached colIndex == board.length, all the rows have been filled. This is due to the validate function which ensures that a recursion call will not be called on a board that adds Q to the same row repeatedly. We only make new recursion call when Q is added to the next row. Hence, when colIndex == board.length, we know that board.length number of rows has been filled.
See that if we want to know if we can place Q in position (1,1), we will need its’ diagonals to be empty. So, when we are in the i,j position we want to check if the difference in magnitude in x-y direction from this (1,1) position is the same. If it is the same, we know that the current position i,j is in a diagonal position.
x-i == y-j
Edit Distance between two strings is one (Not in leetcode)Input: s1 = "geeks", s2 = "geeks"
Output: no
Number of edits is 0Input: s1 = "geaks", s2 = "geeks"
Output: yes
Number of edits is 1Input: s1 = "peaks", s2 = "geeks"
Output: no
Number of edits is 2
We can classify into the different cases as seen in part 1 and then call the corresponding functions.
72. Edit Distance (Differerent from above)
Instead of just checking if they differ by 1 operation, now there can be >1 operations.
Given two strings
word1 and
word2, return the minimum number of operations required to convert
word1 to
word2.
You have the following three')
Hence, we use dynamic programming.
Leet Code 329.:
Input: nums =
[
[9,9,4],
[6,6,8],
[2,1,1]
]
Output: 4
Explanation: The longest increasing path is [1, 2, 6, 9].
Example 2:
Input: nums =
[
[3,4,5],
[3,2,6],
[2,2,1]
]
Output: 4
Explanation: The longest increasing path is [3, 4, 5, 6]. Moving diagonally is not allowed.
Leet Code 332. Reconstruct Itinerary
Given.
- One must use all the tickets once and only once.
Example 1:.
Whenever each “Node” cannot be represented by a number, we use HashMap instead of an ArrayList.
We use Recursion here.
WRONG SOLUTION 1: Using PriorityQueue
WRONG SOLUTION 2: Using stack
Hence, the best way is not to use Stack or Queue but to use Recursion. Using Stack or Queue does not enable us to discard nodes that were previously visited, but not supposed to be in the path.
Run through of the algorithm on an example:
Each time you see a node, you will add it to the stack. When you find that you have reached a dead end, pop that single last element to the result list. Then, remove that element from the stack and continue.
Then, go on to N and then J. At N->J ticket, we see we have finished. So we pop from the stack.
The answer is in reversed order.
Leet Code 38."
698. Partition to K Equal Sum Subsets
Given an array of integers
nums and a positive integer
k, find whether it's possible to divide this array into
k non-empty subsets whose sums are all equal.
Example 1:
Input: nums = [4, 3, 2, 3, 5, 2, 1], k = 4
Output: True
Explanation: It's possible to divide it into 4 subsets (5), (1, 4), (2,3), (2,3) with equal sums.
416. Partition Equal Subset Sum
Given a non-empty array
nums containing only positive integers, find if the array can be partitioned into two subsets such that the sum of elements in both subsets is equal.
Example 1:
Input: nums = [1,5,11,5]
Output: true
Explanation: The array can be partitioned as [1, 5, 5] and [11].
Example 2:
Input: nums = [1,2,3,5]
Output: false
Explanation: The array cannot be partitioned into equal sum subsets.
This question is similar to 0–1 Knapsack problem where you either choose a number or not.
Here, we attempt to form 1 subset which has the sum of SUM_OF_ALL_NUMS_ITEM/2.
198. House Robber.:
This question smells strongly of DP.
Leet Code 213 House Robber II
The question remains the same as above, except that all houses at this place are arranged in a circle.
Solution:
Compute 2 times. We have 2 dps.
(1) The first dp is for when we include the first house. If we are at the last element, we decide whether to add last house value depending on whether first house value was used. If not used, then we can add. If used, then cannot add.
(2) The second dp is when we exclude the first house. Since we exclude it, then we can do the remaining dp method freely.
Then, we compare the two max values obtained.
Leet Code 337. House Robber III.
Example 1:
Input: [3,2,3,null,3,null,1] 3
/ \
2 3
\ \
3 1Output: 7
Explanation: Maximum amount of money the thief can rob = 3 + 3 + 1 = 7.
Example 2:
Input: [3,4,5,1,3,null,1] 3
/ \
4 5
/ \ \
1 3 1Output: 9
Explanation: Maximum amount of money the thief can rob = 4 + 5 = 9.
Use a helper function which receives a node and a bool variable as input, and if that variable is false, it returns the maximum amount of money the thief can rob if starting from this node and robbing this node, else returns the maximum amount of money the thief can rob if starting from this node without robbing this node.
Leet Code 91 Decode Ways,
"111" can have each of its
"1"s be mapped into
'A's to make
"AAA", or it could be mapped to
"11" and
"1" (
'K' and
'A' respectively) to make
"KA". Note that
"06" cannot be mapped into
'F' since
"6" is different from
"06".
Given a non-empty string
num 'J' -> "10" and 'T' -> "20".
Since there is no character, there are no valid ways to decode this since all digits need to be mapped.
Example 4:
Input: s = "1"
Output: 1
This is similar to climb stairs problem.
TODO:
DECODE WAYS TWO
241. Different Ways to Add Parentheses
Given a string of numbers and operators, return all possible results from computing all the different possible ways to group numbers and operators. The valid operators are
+,
- and
*.
Example 1:
Input: "2-1-1"
Output: [0, 2]
Explanation:
((2-1)-1) = 0
(2-(1-1)) = 2
Example 2:
Input: "2*3-4*5"
Output: [-34, -14, -10, -10, 10]
Explanation:
(2*(3-(4*5))) = -34
((2*3)-(4*5)) = -14
((2*(3-4))*5) = -10
(2*((3-4)*5)) = -10
(((2*3)-4)*5) = 10
Solution:
- The key is to know that we do a split at every operator position. This problem is about different ways of slicing the expression string for k times where k is the number of operators. The different ways refers to the order in which they are sliced.
93. Restore IP Addresses
Given a string
s containing only digits, return all possible valid IP addresses that can be obtained from
s. You can return them in any order.
A valid IP address consists of exactly four integers, each integer is between
0 and
255, separated by single dots and cannot have leading zeros. For example, "0.1.2.201" and "192.168.1.1" are valid IP addresses and "0.011.255.245", "192.168.1.312" and "192.168@1.1" are invalid IP addresses.
Example 1:
Input: s = "25525511135"
Output: ["255.255.11.135","255.255.111.35"]
Example 2:
Input: s = "0000"
Output: ["0.0.0.0"]
Example 3:
Input: s = "1111"
Output: ["1.1.1.1"]
Example 4:
Input: s = "010010"
Output: ["0.10.0.10","0.100.1.0"]
(Below is a related Qns but not recursion)
468. Validate IP Address1.x2.x3.x4" where
0 <= xi <= 255 and
xi cannot contain leading zeros. For example,
"192.168.1.1" and
"192.168.1.0" are valid IPv4 addresses but
"192.168.01.1", while
"192.168.1.00" and
"192.168@1.1" are invalid IPv4 addresses.
A valid IPv6 address is an IP in the form
"x1:x2:x3:x4:x5:x6:x7:x8" where:
1 <= xi.length <= 4
xiis a hexadecimal string which may contain digits, lower-case English letter (
'a'to
'f') and upper-case English letters (
'A'to
'F').
- Leading zeros are allowed in
xi.
For example, “
2001:0db8:85a3:0000:0000:8a2e:0370:7334" and "
2001:db8:85a3:0:0:8A2E:0370:7334" are valid IPv6 addresses, while "
2001:0db8:85a3::8A2E:037j:7334" and "
02001:0db8:85a3:0000:0000:8a2e:0370:7334" are invalid IPv6 addresses.
943. Find the Shortest Superstring
Given an array of strings
words, return the smallest string that contains each string in
words as a substring. If there are multiple valid strings of the smallest length, return any of them.
You may assume that no string in
words is a substring of another string in
words.
Example 1:
Input: words = ["alex","loves","leetcode"]
Output: "alexlovesleetcode"
Explanation: All permutations of "alex","loves","leetcode" would also be accepted.
Example 2:
Input: words = ["catg","ctaagt","gcta","ttca","atgcatc"]
Output: "gctaagttcatgcatc" | https://liverungrow.medium.com/recursion-and-dynamic-programming-4ddd262b7ca1?source=post_internal_links---------7---------------------------- | CC-MAIN-2021-39 | refinedweb | 4,686 | 72.05 |
:
1: public class data : IComparable
2: {
3: public int A { get; set; }
4: public string B { get; set; }
5:
6: #region IComparable Members
7:
8: public int CompareTo(object obj)
9: {
10: data comparable = obj as data;
11: if (A == comparable.A)
12: {
13: return 0;
14: }
15: else
16: {
17: if (A > comparable.A)
18: {
19: return 1;
20: }
21: else
22: {
23: return -1;
24: }
25: }
26: }
27: #endregion
28: }
The implementation of IComparable is similar to the StringCompare one. if equal return 0, if bigger then return 1 and if smaller then return -1. Which helps us get rid of the If, Else and implement it like this:
1: public class data : IComparable
2: {
3: public int A { get; set; }
4: public string B { get; set; }
5:
6: #region IComparable Members
7:
8: public int CompareTo(object obj)
9: {
10: data comparable = obj as data;
11: return A - comparable.A;
12: }
13:
14: #endregion
15: }
the program from the last post will look like this:
1: static void Main(string[] args)
2: {
3: //SortedList<int, string> list = new SortedList<int, string>();
4: List<data> list = new List<data>();
5: data one = new data() { A = 1, B = "One" };
6: data two = new data() { A = 2, B = "Two" };
7: data three = new data() { A = 3, B = "Three" };
8: data four = new data() { A = 4, B = "Four" };
9: list.Add(two);
10: list.Add(one);
11: list.Add(four);
12: list.Add(three);
13: list.Sort();
14: foreach (data s in list)
15: {
16: Console.WriteLine(s.B);
17: }
18: Console.ReadLine();
19: }
And the output will be sorted after calling to List.Sort() on line 13. This way no matter how complicated you class is you can implement the comparison yourself and get the results you want.
Using Comparer
A Comparer is a class that derives from Comparer<T> abstract class and has one method to override "int Compare(T1,T2)". For this example we will use the same dataclass but we will not implement the IComparable Interface. Data class looks like this:
1: public class data
2: {
3: public int A { get; set; }
4: public string B { get; set; }
5: }
We need to implement a new class that will ace as the Comparer:
1: public class DataComparer : Comparer<data>
2: {
3: public override int Compare(data x, data y)
4: {
5: return x.A - y.A;
6: }
7: }
All we have to do is to replace List.Sort() (Line 13) with:
1: list.Sort(new DataComparer());
And that is it, your list is sorted.
The hardest question is which one to choose. We know it is better than SortedList that is for sure…
I don’t yet know of any downfalls to anyone of them but I personally prefer the first one.
Tell me what you think and dont forget to read the previouse article about SortedList
Amit
We pay for user submitted tutorials and articles that we publish. Anyone can send in a contributionLearn More
wwfDev Said on Jul 11, 2008 :
I’m lazy and always ends up using anonymous methods rather than comparer classes:
myList.Sort(delegate (MyItem x, MyItem y)
{
return x.A.CompareTo(y.A);
});
Amit Said on Jul 11, 2008 :
I thought about using anonymnous delegates but I dont like using them unless I have to “steal” a local variable, it is a great thing but it tends to make code unreadable in my opinion.
Damian Said on Jul 11, 2008 :
I reckon that if you are going to reuse the DataComparer class more than once in different places, then the anon method is the way to go. There is definitely a readabilty speed bump when it comes to anonymous methods, lamdas and the like, especially when debugging and stepping through code, but once you’ve got it, it’s just lovely! | http://www.dev102.com/2008/07/11/listsort-comparer-and-icomparable/ | crawl-002 | refinedweb | 639 | 67.59 |
Initialization
Your library must be initialized before it can be used, to register the new types that it makes available. Also, the C library that you are wrapping might have its own initialization function that you should call. You can do this in an init() function that you can place in hand-coded init.h and init.cc files. This function should initialize your dependencies (such as the C function, and gtkmm) and call your generated wrap_init() function. For instance:
void init() { Gtk::Main::init_gtkmm_internals(); //Sets up the g type system and the Glib::wrap() table. wrap_init(); //Tells the Glib::wrap() table about the libsomethingmm classes. }
The implementation of the wrap_init() method in wrap_init.cc is generated by generate_wrap_init.pl, but the declaration in wrap_init.h is hand-coded, so you will need to adjust wrap_init.h so that the init() function appears in the correct C++ namespace. | http://developer.gnome.org/gtkmm-tutorial/unstable/sec-wrapping-initialization.html | crawl-003 | refinedweb | 148 | 68.47 |
Problem Formulation: Given a float number. How to convert it to octal representation?
Examples: Consider the following desired conversions from float decimal numbers to their converted float octal numbers.
input: 3.14 output: 3.1075 input: 0.01 output: 0.005 input: 12.325 output: 14.246
You can play with some examples here:
Solution: The following code function
float_to_octal() takes one float argument
x to be converted and one optional argument
num_digits that defines the number of digits of the converted octal float. It returns the converted octal as a float value.
The idea is to first convert the whole part of the float first—e.g., 3 for 3.14—and then convert the fractional part after the decimal digit. You loop over each digit and determine its corresponding octal digit that you collect in the list variable
digits.
Finally, you convert the list of digits to the resulting octal number using the
string.join() and
format() functions.
def float_to_octal(x, num_digits = 4): '''Converts a float number x to an float octal number.''' whole = int(x) fraction = (x - whole) * 8 # Convert first digit digit = int(fraction) fraction = (fraction - digit) * 8 digits = [str(digit)] # Convert remaining digits i = 1 while fraction and i < num_digits: digit = int(fraction) fraction = (fraction - digit) * 8 digits.append(str(digit)) i += 1 return float("{:o}.{}".format(whole, "".join(digits))) print(float_to_octal(3.14)) print(float_to_octal(0.01)) print(float_to_octal(12.325))
Output: The following is the output of the function calls on the decimal numbers 3.14, 0.01, and 12.325.
3.1075 0.005 14.2463
Here’s another strategy to convert the decimal float 3.14 to an octal number:
To improve your Python skills, join our free email academy (we have cheat sheets ;)):
References:
-
- . | https://blog.finxter.com/python-float-decimal-to-octal/ | CC-MAIN-2022-21 | refinedweb | 294 | 60.31 |
Django admin read record options
When you're on the main page of
the Django admin and click on a Django model, you're taken to a
page which shows the record list of that specific model. Figure 11-1 and figure 11-2 illustrate this record list page for a
Store model.
Figure 11-1. Django admin record list page with no model __str__ definition
Figure 11-2. Django admin record list page with model __str__ definition
As you can see in figure 11-1 and
11-2, each Django model record is displayed with a string. By
default, this string is generated from the
__str__()
method definition of the Django model, as described in the Chapter
7. If the
__str__ method is missing from a Django
model, then the Django admin displays the records like figure 11-1
as 'Store object', otherwise it returns the result generated by the
__str__ method for each record -- which in this case
of figure 11-2 is the name, city and state attributes of each
Store record.
Record display: list_display, format_html,empty_value_display
While the basic display behavior
presented in figure 11-1 and figure 11-2 is helpful, it can be a very
limited for models with an inexpressive or complex
__str__() method . A Django admin class can be
configured with the
list_display option to split up
the record list with a model's various fields, thereby making it
easier to view and sort records. Listing 11-2 illustrates a Django
admin class with the list_display option.
Listing 11-2. Django admin list_display option
from django.contrib import admin from coffeehouse.stores.models import Store class StoreAdmin(admin.ModelAdmin): list_display = ['name','address','city','state'] admin.site.register(Store, StoreAdmin)
As you can see in listing 11-2,
the Django admin
StoreAdmin class defines the
list_display option with a list of values. This list
corresponds to Django model fields, which in this case are from the
Store model. Figures 11-3 and 11-4 illustrate the
modified record list layout by adding the
list_display
option.
Figure 11-3. Django admin record list page with list_display
Figure 11-4. Django admin record list page with model list_display sorted
Tip If you want to keep displaying the value generated by a Django model through its
__str__method in the Django admin, it's valid to add it to the
list_displayoption (e.g.
list_display = ['name','__str__']).
In figure 11-3 you can see a much cleaner record list layout where each of the fields declared in list_display has its own column. In addition, if you click on any of the column headers -- which represent model fields -- the records are automatically sorted by that attribute, a process that's illustrated in figure 11-4 and which greatly enhances the discoverability of records.
Besides supporting the inclusion
of Django model fields, the
list_display option also
supports other variations to generate more sophisticated list
layouts. For example, if the database records are not homogeneous
(e.g. mixed upper and lower case text) you can generate a callable
method to manipulate the records and display them in the Django
admin in a uniform manner (e.g. all upper case). Additionally, you
can also create a callable that generates a composite value from
record fields that aren't explicitly in the database (e.g. domain
names belonging to email records) that makes the visualization of
the record list more powerful in the Django admin. Listing 11-3
illustrates several of these callable examples using several method
variations.
Listing 11-3 Django admin list_display option with callables
from django.contrib import admin from coffeehouse.stores.models import Store # Option 1 # admin.py def upper_case_city_state(obj): return ("%s %s" % (obj.city, obj.state)).upper() upper_case_city_state.short_description = 'City/State' class StoreAdmin(admin.ModelAdmin): list_display = ['name','address',upper_case_city_state] # Option 2 # admin.py class StoreAdmin(admin.ModelAdmin): list_display = ['name','address','upper_case_city_state'] def upper_case_city_state(self, obj): return ("%s %s" % (obj.city, obj.state)).upper() upper_case_city_state.short_description = 'City/State' # Option 3 # models.py from django.db import models class Store(models.Model): name = models.CharField(max_length=30) email = models.EmailField() def email_domain(self): return self.email.split("@")[-1] email_domain.short_description = 'Email domain' # admin.py class StoreAdmin(admin.ModelAdmin): list_display = ['name','email_domain']
In listing 11-3 you can see three
callable variations that are all acceptable as
list_display options. Option one in listing 11-3 is a
callable that's declared outside a class and is then used as part
of the
list_display option. Option two declares the
callable as part of the Django admin class and then uses it as part
of the
list_display option. Finally, option three
declares a callable as part of the Django model class which is then
used as part of the
list_display option in the Django
admin class. Neither approach in listing 11-3 is 'better' or
'inferior' than the other, the options simply vary in the syntax
and arguments used to achieve the same result, you can use whatever
approach you like.
On certain occasions you may want
to render HTML as part of a record list in the Django admin (e.g.
add bold <b> tags or colored <span> tags). To include
HTML in these circumstances, you must use the
format_html method because the Django admin escapes
all HTML output by default -- since it works with Django templates.
Listing 11-4 illustrates the use of the
format_html
method.
Listing 11-4 Django admin list_display option with callable and format_html
#)) # admin.py from django.contrib import admin from coffeehouse.stores.models import Store class StoreAdmin(admin.ModelAdmin): list_display = ['name','full_address']
When a model field uses a
BooleanField or
NullBooleanField data
type, the Django admin displays an "on" or "off" icon instead of
True or
False values. In addition, when a
value for a field in
list_display is
None, an empty string, and for cases when a field in
list_display is any empty iterable (e.g. list), Django
displays a dash
-, as illustrated in figure 11-5.
It's possible to override this
last behavior with the
empty_value_display option as
illustrated in figure 11-6. You can configure the
empty_value_display option to take effect on all
Django admin models, on a specific Django admin class or individual
Django admin fields as illustrated in listing 11-5.
Figure 11-5. Django admin default display for empty values
Figure 11-6. Django admin override display for empty values with empty_value_display
Listing 11-5. Django admin empty_value_display option global, class or field level configuration
# Option 1 - Globally set empty values to ??? # settings.py from django.contrib import admin admin.site.empty_value_display = '???' # Option 2 - Set all fields in a class to 'Unknown Item field' # admin.py to show "Unknown Item field" instead of '-' for NULL values in all Item fields # NOTE: Item model in items app class ItemAdmin(admin.ModelAdmin): list_display = ['menu','name','price'] empty_value_display = 'Unknown Item field' admin.site.register(Item, ItemAdmin) # Option 3 - Set individual field in a class to 'No known price' class ItemAdmin(admin.ModelAdmin): list_display = ['menu','name','price_view'] def price_view(self, obj): return obj.price price_view.empty_value_display = 'No known price'
Record order: admin_order_field and ordering
When you use custom fields in
list_display (i.e. fields that aren't actually in the
database, but are rather composite or helper fields calculated in
Django) such fields can't be used for sorting operations because
sorting takes places at the database level. However, if an element
in
list_display is associated with a database field,
it's possible to create an association for sorting purposes with
the
admin_order_field option. This process is
illustrated in listing 11-6.
Listing 11-6. Django admin with admin_order_field option
#)) full_address.admin_order_field = 'city' # admin.py from django.contrib import admin from coffeehouse.stores.models import Store class StoreAdmin(admin.ModelAdmin): list_display = ['name','full_address']
As you can see in listing 11-6,
the
admin_order_field declaration tells Django to
order the model records by
city when attempting to
perform a sort operation in the Django admin through the composite
full_address field. Note that it's also possible to
add a preceding - to the
admin_order_field value to
specify descending order (e.g.
full_address.admin_order_field
= '-city'), just like it's done in standard model sort
operations.
By default, record list values
are sorted by their database
pk (primary key) field --
which is generally the id field -- as you can appreciate in figure
11-3 (i.e. record
pk
1 at the bottom and
record
pk
4 at the top). And if you click
on any of the header columns the sort order changes as you can see
in figure 11-4.
To set a default sorting behavior
-- without the need to click on the header column -- you can use
the Django admin class
ordering option or the Django
model meta
ordering option which you learned about in
Chapter 7. If no ordering option is specified in either class then
pk ordering takes place. If the
ordering
option is specified in the Django model meta option, this sorting
behavior is used universally and if both a Django model and Django
admin class have
ordering options, then the Django
admin class definition takes precedence .
The
ordering option
accepts a list of field values to specify the default ordering of a
record list. By default, the
ordering behavior is
ascending (e.g. Z values first@bottom, A values top@last), but it's
possible to alter this behavior to descending (e.g. A values
first@bottom, Z values top@last) by prefixing a
-
(minus sign) to the field value. For example, to produce a record
list like the one if figure 11-4 by default you would use
ordering = ['name'] and to produce an inverted record
list of figure 11-4 (i.e. Uptown at the top and Corporate at the
bottom) you would use
ordering = ['-name'].
Record links and inline edit: list_display_links and list_editable
If you look at some of the past
figures you'll notice there's always a generated link for each item
in the record list. For example, in figure 11-2 you can see each
'Store' record is a link that takes you
to a page where you can edit the
'Store'
values, similarly in figure 11-4 you can see the
'Store' name field is a link that takes
you to a page where you can edit the
'Store' values and in figure 11-6 you can
see each
'Menu' name field is a link that
takes you to a page where you can edit the
'Menu' values.
This is a default behavior that
lets you drill-down on each record, but you customize this behavior
through the
list_display_links option to generate no
links or inclusively more links. Listing 11-7 illustrates two
variations of the
list_display_links option and
figure 11-7 and figure 11-8 the respective interfaces.
Listing 11-7 Django admin with list_display_links option
# Sample 1) # admin.py from django.contrib import admin from coffeehouse.stores.models import Store class StoreAdmin(admin.ModelAdmin): list_display = ['name','address','city','state'] list_display_links = None admin.site.register(Store, StoreAdmin) # Sample 2) # admin.py from django.contrib import admin from coffeehouse.items.models import Item class ItemAdmin(admin.ModelAdmin): list_display = ['menu','name','price_view'] list_display_links = ['menu','name'] admin.site.register(Item, ItemAdmin)
Figure 11-7. Django admin no links in records list due to list_display_links
Figure 11-8. Django admin multiple links in records list due to list_display_links
The first sample in listing 11-7
illustrates how the
StoreAdmin class is set with
list_display_links = None which results in the page
presented in figure 11-7 that lacks links. The second sample in
listing 11-7 shows the
ItemAdmin class with the
list_display_links = ['menu','name'] that tells Django
to generate links on both
menu and
name
fields values and which results in the page presented in figure 11-8 that contains multiple links.
The need to click on individual
links on a record list to edit records can become tiresome if you
need to edit multiple records. To simplify the editing of records,
the
list_editable option allows Django to generate
inline forms on each record value, effectively allowing the editing
of records in bulk without the need to leave the record list
screen. Listing 11-8 illustrates the use of the
list_editable
option and figure 11-9 the respective interface.
Note Technically list_editable is a Django admin update option, but since the update is done inline and on a page designed to read records, it's included here.
Listing 11-8 Django admin with list_editable option
# admin.py from django.contrib import admin from coffeehouse.stores.models import Store class StoreAdmin(admin.ModelAdmin): list_display = ['name','address','city','state'] list_editable = ['address','city','state'] admin.site.register(Store, StoreAdmin)
Figure 11-9. Django admin editable fields due to list_editable
In listing 11-8 you can see the
list_editable = ['address','city','state'] option,
which tells the Django admin to allow the editing of
address,
city and
state
values in the record list. In figure 11-9 you can see how each of
these field values in the record list is turned into an editable
form and toward the bottom of the page the Django admin generates a
'Save' button to save changes when an
edit is made.
It's worth mentioning that any
field value declared in the
list_editable option must
also be declared as part of the
list_display option,
since it's not possible to edit fields that aren't displayed. In
addition, any field values declared in the
list_editable option must not be part of the
list_display option, since it's not possible for a
field to be both a form and a link.
Record pagination: list_per_page, list_max_show_all, paginator
When record lists grow too large
in the Django admin they are automatically split into different
pages. By default, the Django admin generates additional pages for
every 100 records. You can control this setting with the Django
admin class
list_per_page option. Listing 11-9
illustrates the use of the list_per_page option and figure 11-10
shows the corresponding record list generated by the configuration
in listing 11-9.
Listing 11-9 Django admin with list_per_page option
# admin.py from django.contrib import admin from coffeehouse.items.models import Item class ItemAdmin(admin.ModelAdmin): list_display = ['menu','name','price'] list_per_page = 5 admin.site.register(Item, ItemAdmin)
Figure 11-10. Django admin list_per_page option limit to 5
As you can see in figure 11-10,
the display of nine records is split into two pages due to the
list_per_page = 5 option illustrated in listing 11-9.
In addition to the page icons at the bottom-left of figure 11-10,
notice the right hand side of these icons is a 'Show all' link. The
'Show all' link is used to generate a record list with all the
records in a single page. But note that because this additional
database operation can be costly, by default, the 'Show all' link
is only shown when a record list is 200 items or less.
You can control the display of
the 'Show all' link with the
list_max_show_all option.
If the total record list count is less than or equal the
list_max_show_all value the 'Show all' link is
displayed, if the total record list count is above this number then
no 'Show all' link is generated. For example, if you declare
list_max_show_all option to
8 in listing 11-9, then no
'Show all' link would appear in figure 11-10 because the total
record list count is 9.
The Django admin uses the
django.core.paginator.Paginator class to generate the
pagination sequence, but it's also possible to provide a custom
paginator class through the paginator option. Note that if the
custom paginator class does not inherit its behavior from
django.core.paginator.Paginator then you must also
provide an implementation for
ModelAdmin.get_paginator() method.
Record search: search_fields, list_filter, show_full_result_count, preserve_filters
The Django admin also supports
search functionality. The Django admin class
search_fields option adds search functionality for
text model fields through a search box -- see table 7-1 for a list
of Django model text data types. Listing 11-10 illustrates a Django
admin class with the search_fields option and figure 11-11
illustrates how a search box is added to the top of the record
list.
Listing 11-10.- Django admin search_fields option
from django.contrib import admin from coffeehouse.stores.models import Store class StoreAdmin(admin.ModelAdmin): search_fields = ['city','state'] admin.site.register(Store, StoreAdmin)
Figure 11-11. Django admin search box due to search_fields option
In listing 11-10 the city and
state fields are added to the
search_fields option,
which tell the Django admin to perform searches across these two
fields. Be aware that adding too many fields to the
search_fields option can result in slow search
results, due to the way Django executes this type of search query.
Table 11-1 presents different
search_fields options
and the generated SQL for a given search term.
Table 11-1. Django search_fields options and generated SQL for search term
* Full-text search option only supported for MySQL database
As you can see in table 11-1, the
search_fields option constructs a query by splitting
the provided search string into words and performs a case
insensitive search (i.e.
SQL ILIKE) where each word
must be in at least one of the search_fields. In addition, notice
in table 11-1 it's possible to declare the
search_fields values with different prefixes to alter
the search query.
By default, if you just provide
model field names to
search_fields Django generates a
query with SQL wildcards
% at the start and end of
each word, which can be a very costly operation, since it searches
across all text in a field record. If you prefix the
search_field with a
^ -- as illustrated
in table 11-1 -- Django generates a query with an SQL wildcard
% at the end of each word, making the search operation
more efficient because it's restricted to text that starts with the
word patterns. If you prefix the search_field with a
=
-- as illustrated in table 11-1 -- Django generates a query for an
exact match with no SQL wildcard
%, making the search
operation the most efficient, because it's restricted to exact
matches of the word patterns. Finally, if you're using a MySQL
database, it's also possible to add the
@ prefix to
search_fields to enable full-text search.
Search engines offer various kinds of power search syntax to customize search queries, but the Django admin
search_fieldsoption doesn't support this type of syntax. For example, in a search engine it's possible to quote the search term
"San Diego"to make an exact search for both words, but if you attempt this with the Django admin search, Django attempts to search for literal quotes:
"San"and
"Diego"separately. To tweak the default search_fields behavior you must use the options presented in table 11-1 or
ModelAdmin.get_search_results().
The default search behavior for a Django admin class can be customized to any requirements with the
ModelAdmin.get_search_results()method which accepts the request, a queryset that applies the current filters, and the user-provided search term. In this manner, you can generate non-text searches (e.g. on Integers) or rely on other third party tools (e.g. Solr, Haystack) to generate search results.
The
list_filter
option offers quicker access to model field values and works like
pre-built search links. Unlike the
search_fields
option, the
list_filter option is more flexible in
terms of the data types it can work with and accepts more than just
text model fields (i.e. it also supports boolean fields, date
fields,etc). Listing 11-11 illustrates a Django admin class with
the
list_filter option and figure 11-12 illustrates
the list of filters generated on the right hand side of the record
list.
Listing 11-11. Django admin list_filter option
from django.contrib import admin from coffeehouse.items.models import Item class ItemAdmin(admin.ModelAdmin): list_display = ['menu','name','price'] list_filter = ['menu','price'] admin.site.register(Item, ItemAdmin)
Figure 11-12. Django admin list filters due to search_fields option
In listing 11-11 the
list_filter
option is declared with the menu and price fields, which tell
Django to create filters with these two fields. As you can
appreciate in figure 11-12, on the right hand side of the record
list is a column with various filters that includes all the values
for the
menu and
price field values. If
you click on any of the filter links, the Django admin displays the
records that match the filter in the record list, a process that's
illustrated in figures 11-13, 11-14 and 11-15.
Figure 11-13. Django admin list with single filter
Figure 11-14. Django admin list with single filter
Figure 11-15. Django admin list with dual filter
An interesting aspect of Django admin filters that can be see in figure 11-15 is that you can apply multiple filters, making it easier to drill-down into records that match very specific criteria.
In addition, if you look at
figures 11-13, 11-14 and 11-15 you can see how filters are
reflected as url query strings. For example, in figure 11-13 the
?menu__id__exact=2 string is appended to the url,
which tells Django admin to display a list of records with a menu
id of
2; in figure 11-15 the
?menu__id__exact=3&price=3.99 string tells Django
admin to display a list of records with a menu id of
3
and a price value of
3.99. This url argument syntax is
based on the same syntax used to make standard Django model queries
-- described in Chapter 8 -- and which is helpful to generate more
sophisticated filters 'on the fly' without the need to modify or
add options to the underlying Django admin class.
When you apply a filter or
filters to a record list and the filtered results are greater than
99 records, Django limits the initial display to 99 records and
also adds pagination, but in addition also displays the full count
of objects that match the filter(s) (e.g. 99 results (153 total)).
This additional count requires an additional query that can slow
things down with a large number of records. To disable the
generation of this additional count applicable to filter use you
can set the
show_full_result_count option to
False.
Another characteristic of
applying a filter or filters is that when you create, edit or
delete a record and finish the operation, Django takes you back to
the filtered list. While this can be a desired behavior, it's
possible to override this behavior through the
preserve_filters option so the Django admin sends you
back to the original record list. If you set the
preserve_filters = False option in a Django admin
class while on a filtered record list and create, edit or delete a
record, the Django admin takes you back to the original record list
with no filters.
Record dates: date_hierarchy
Dates and times are displayed as
you would expect in the Django admin UI, as string representations
of the underlying Python
datetime value. But there's a
special option for
DateField and
DateTimeField model data types that works like a
specialized filter. If you use the
date_hierarchy
option on a Django admin class and assign it a field that's a
DateField or
DateTimeField (e.g.
date_hierarchy = 'created', where
timestamp is the name of the field) Django generates
an intelligent date filter at the top of the record list like the
one illustrated in figures 11-16, 11-17 and 11-18.
Figure 11-16. Django date filter by month with date_hierarchy
Figure 11-17. Django date filter by day with date_hierarchy
Figure 11-18. Django date filter single day with date_hierarchy
As you can see in figures 11-16,
11-17 and 11-18, the intelligent behavior comes from the fact that
upon loading the record list, Django generates a unique list of the
available months or days corresponding to the values of the
date_hierarchy field. If you click on any of option of
this filter list, Django then generates a unique list of records
that match the values of the month or day in the filter list.
Record actions: actions_on_top, actions_on_bottom, actions
Besides the ability to click on an item in a Django admin record list to edit or delete it, at the top of the record list there's a drop down menu preceded with the word 'Action' which you can see in many of the previous figures. By default, the 'Action' drop down menu provides the 'Delete selected options' item to delete multiple records simultaneously by selecting the check-box on the left hand side of each record.
If you wish to remove the
'Action' menu from the top of the record list you can use the
actions_on_top options and set it to
False. In addition, if you wish to add the 'Action'
menu to the bottom of the record list you can use the
actions_on_bottom = True option which is illustrated
in figure 11-19 -- note that it's possible to have an 'Action' menu
on both the bottom and top of the record list page.
Figure 11-19. Django admin list with Action menu on bottom due to actions_on_bottom
Another option related to the
'Action' menu is the
actions_selection_counter which
displays the amount of selected records on the right hand side of
the 'Action' menu and which can also be seen in figure 11-.19. If
you set
actions_selection_counter = False then the
Django admin omits the amount of selected records related to the
'Action' menu.
Although the 'Action' menu is
limited to a single action -- that of deleting records -- it's
possible to define a list of actions through the
actions option in Django admin classes[1].
Record relationships
Django model relationships -- One to one, one to many and many to many -- described in the previous model chapters, have certain behaviors in the context of Django admin classes and the Django admin that are worth describing separately in the following sub-sections.
Display: list_display (continued)
When you have a one to many
relationship and declare the related
ForeignKey field
as part of the
list_display option, the Django admin
uses the
__str__ representation of the related model.
This last behavior is presented in figure 11-5 with a list of
Item records, where the
Item model
defines the
menu field with
models.ForeignKey(Menu) and thus the output of the
field is the
Menu model
__str__
method.
The
list_display
option can't accept a
ManyToManyField field
directly because it would require executing a separate SQL
statement for each row in the table, nevertheless it's possible to
integrate a
ManyToManyField into
list_display through a custom method in a Django admin
class, a process that's illustrated in listing 11-12 and figure
11-20.
Listing 11-12 Django admin list_display option with ManyToManyField field
# models.py) # admin.py from django.contrib import admin from coffeehouse.stores.models import Store class StoreAdmin(admin.ModelAdmin): list_display = ['name','address','city','state','list_of_amenities'] def list_of_amenities(self, obj): return ("%s" % ','.join([amenity.name for amenity in obj.amenities.all()])) list_of_amenities.short_description = 'Store amenities' admin.site.register(Store, StoreAdmin)
Figure 11-20. Django admin list_display option with ManyToManyField field
In listing 11-12 you can see the
Store model has a
ManyToManyField field
with the
Amenity model. In order to present the values
of the
ManyToManyField field in the Django admin
through
list_display you can see it's necessary to
create a custom method that makes an additional query for these
records. Figure 11-20 presents the rendered Django admin record
list for this
ManyToManyField field. Be aware this
design can place a heavy burden on the database because it requires
an additional query for each individual record.
Order: admin_order_field (continued)
The
admin_order_field option also supports sorting on
fields that are part of related models. For example, in listing
11-13, you can see the
admin_order_field option is
applied to a field that's part of the model with a
ForeignKey field relationship.
Listing 11-13. Django admin admin_order_field option with ForeignKey field
# models.py class Menu(models.Model): name = models.CharField(max_length=30) creator = models.CharField(max_length=100,default='Coffeehouse Chef') def __str__(self): return u"%s" % (self.name) class Item(models.Model): menu = models.ForeignKey(Menu) name = models.CharField(max_length=30) # admin.py from django.contrib import admin from coffeehouse.stores.models import Store class ItemAdmin(admin.ModelAdmin): list_display = ['menu','name','menu_creator'] def menu_creator(self, obj): return obj.menu.creator menu_creator.admin_order_field = 'menu__creator' admin.site.register(Item, ItemAdmin)
The most important thing worth
noting about listing 11-13 is the double underscore to specify the
field
menu__creator, which tells the Django admin to
access a field in the related model -- note this double underscore
is the same syntax used to perform queries in Django model
relationships queries described in Chapter 8.
Search: search_fields and list_filter (continued), admin.RelatedOnlyFieldListFilter, list_select_related
Two other Django admin class
options that support the same double underscore syntax (a.k.a.
"follow notation") to work across relationships are
search_fields and
list_filter. This means
you can enable search and generate filters for related models (e.g.
search_fields = ['menu__creator']).
A variation of the
list_filter option that only applies to model
relationships is
admin.RelatedOnlyFieldListFilter.
When model records that belong to a relationship can span beyond a
single relationship, it can lead to the creation of unneeded
filters.
For example, lets take a
relationship between
Store and
Amenity
models, you can generate Django admin filters for
Amenity values on the
Store record list,
but if the
Amenity model records are generic and used
beyond the
Store model (e.g.
Amenity
values for
Employees) you'll see inapplicable filter
values in the Store record list. The use of the
admin.RelatedOnlyFieldListFilter prevents this, a
process that's illustrated in listing 11-14 and figures 11-21 and
11-22.
Listing 11-14 - Django admin list_filter option with admin.RelatedOnlyFieldListFilter
# admin.py class StoreAdmin(admin.ModelAdmin): list_display = ['name','address','city','state','list_of_amenities'] list_filter = [['amenities',admin.RelatedOnlyFieldListFilter]] def list_of_amenities(self, obj): return ("%s" % ','.join([amenity.name for amenity in obj.amenities.all()])) list_of_amenities.>IMAGE_20<<
Figure 11-21. Django admin list_filter option with no RelatedOnlyFieldListFilterDjango
Figure 11-22. Django admin list_filter option with RelatedOnlyFieldListFilter
In listing 11-14 notice how the
field to generate filters on -- in this case
amenities
-- is wrapped in its own list along with
admin.RelatedOnlyFieldListFilter. To understand the
difference between the use and absence of
admin.RelatedOnlyFieldListFilter look at figure 11-21
and figure 11-22. In figure 11-21 notice the last filter on the list is
'Massage Chairs' -- an
Amenity record -- and yet no
Store record on the main list has this Amenity. To
eliminate this inapplicable filter from the
Store
record list you can use
admin.RelatedOnlyFieldListFilter and get the results
from figure 11-22, which only show
Amenity filters
related to
Store records.
Finally, another option that's
applicable to Django admin classes with model relationships is the
list_select_related. The
list_select_related option functions just like the
list_select_related option used in queries involving
relationships, to reduce the amount of database queries that
involve relationships (e.g. it creates a single complex query,
instead of later needing to issue multiple queries for each
relationships).The
list_select_related option can
accept a boolean or list value. By default, the
list_select_related option receives a
False value (i.e. it's not used). Under the hood, the
list_select_related option uses the same
select_related() model method to retrieve related
records, described in Chapter 8.
If
list_select_related =
True then
select_related() is always used. For
finer-grained control of
list_select_related you can
specify a list, noting that an empty list prevents Django from
calling
select_related() at all and any other list
values are passed directly to
select_related() as
parameters. ↑ | https://www.webforefront.com/django/adminreadrecords.html | CC-MAIN-2021-31 | refinedweb | 5,306 | 54.02 |
Currently, there are no portable C/C++ functions to check for NaN (not a number) and infinity (positive or negative).
Unix provides isnan() and isinf(), while Microsoft's implementation uses _isnan() and _isinf(). Moreover, some C/C++ compilers do not provide either of these functions.
There are many requests on the web to provide compatible functions that are available on all platforms. However, it is not difficult to write these functions from scratch, using the documented properties of these two special values.
For example, NaN is the only "number" that is not equal to any other number, including itself. Here's how you can use that property to construct a new function that tests for NaN:
inline int my_isnan(double x)
{
return x != x;
}
You can write a similar function to test for infinity, differentiating between positive and negative infinities by comparing them to zero:
inline int my_isinf(double x)
{
if ((x == x) && ((x - x) != 0.0)) return (x < 0.0 ? -1 : 1);
else return 0;
}
There are other ways to write these tests; for example, the sum of an infinity and a finite value is still an infinity.
To help avoid compiler optimization issues, you can change these functions as follows:
inline int my_isnan1(double x)
{
volatile double temp = x;
return temp != x;
}
inline int my_isinf1(double x)
{
volatile double temp = x;
if ((temp == x) && ((temp - x) != 0.0))
return (x < 0.0 ? -1 : 1);
else return 0;
}
Please enable Javascript in your browser, before you post the comment! Now Javascript is disabled.
Your name/nickname
Your email
WebSite
Subject
(Maximum characters: 1200). You have 1200 characters left. | http://www.devx.com/tips/Tip/42853 | CC-MAIN-2017-04 | refinedweb | 269 | 56.15 |
go to bug id or search bugs for
New Comment:
Cannot start apache 1.3.20 & php 4.0.6 with --with-oci8 enabled:
bonnie.root./apps/WEB/sw $ /www/bin/apachectl start
/usr/lib/dld.sl: Can't shl_load() a library containing Thread Local Storage: /usr/lib/libcl.2
/usr/lib/dld.sl: Exec format error
Syntax error on line 205 of /apps/WEB/apache/conf/httpd.conf:
Cannot load /apps/WEB/apache/libexec/libphp4.sl into server: Exec format error
my configure options are:
CC=/opt/gcc/bin/gcc ./configure --prefix=/apps/WEB/php --with-iconv=/opt/libicon
v --with-apxs=/apps/WEB/apache/bin/apxs --with-gd=shared --with-gd=/opt/gd --wit
h-zlib-dir=/opt/zlib --with-ttf=/opt/freetype --without-mysql --with-xpm-dir=/op
t/xpm --with-png-dir=/opt/libpng --with-gettext=/opt/gettext --with-jpeg-dir=/
opt/jpeg-6 --enable-gd-native-ttf --with-oci8=/oracle/PIRELLI/app/oracle/produc
t/8.0.5 --enable-sigchild
-------------------------
without oci8, GD libs are compiled successfully....
Matteo
Add a Patch
Add a Pull Request
I have the same Message when compiling
PHP 4.1.2 on HPUX 11.00 with
./configure --enable-libgcc
--with-apxs=/opt/apache/bin/apxs --with-oci8=/ora_ovo/software/OraHome1
--enable-track-vars
The funny thing is that if I compile ADDITIONALLY with mysql support
(--with-mysql=/opt/mysql)
libphp4.so is about 2MByte SMALLER than without and fails to load as well.
Compiling and starting Apache with MYSQL Support only works fine!
had this problem on HP-UX 11.0. try compiling with '-lcl' option, or running apache with 'export LD_PRELOAD="/usr/lib/libpthread.sl:/
usr/contrib/oracle/lib/libjava.sl" ' in apachectl script.
Share and Enjoy! F don't know if it can be considered as a bug. fred is right when it says that it must be compiled with -lcl. Here is the explanation from the HP ITRC site :
The other restriction is that if a library containing TLS is listed as a
dependancy of library that a program tries to shl_load it will fail to load
unless the library with TLS has been linked against the program. The man page
for shl_load(3) in the warnings section says:
Use caution when building shared libraries with external library
dependencies. Any library that contains Thread Local Storage (TLS)
should not be used as a dependency. If a dependent library contains
TLS, and it is not loaded during program startup (that is, not linked
against the executable), the dynamic loader fails to perform the
operation.
The workaround to not being able to shl_load a shared library containing TLS
can be seen in the following example:
#include <stdio.h>
#include <dl.h>
#include <errno.h>
main()
{
shl_load("/usr/lib/libcl.2", BIND_DEFERRED, NULL);
printf("errno is %i\n", errno);
}
$ cc testing.c -o testing
$ ./testing
/usr/lib/dld.sl: Can't shl_load() a library containing Thread Local
Storage: /usr/lib/libcl.2
/usr/lib/dld.sl: Exec format error
errno is 8
$ cc testing.c -o testing -lcl
$ ./testing
errno is 0
The program does not produce an error when libcl.sl (-lcl) has been linked
directly against the program. This method does not require any changes to
the code only to the compilation flags (or makefile) as shl_load will ignore
any request to load a library that is already loaded.
<end of explanation>
The problem shows off because the Oracle client library (libclntsh) has a reference to libcl.sl, which uses thread local storage. The best workaround is to compile the apache httpd binary and the PHP CLI executable with -lcl. The easiest way to do that is to set LDFLAGS='-lcl' before configuring apache and php.
Another workaround, if you cannot relink your executables files, is to set an environment variable LD_PRELOAD=/usr/lib/libcl.sl before starting apache or PHP/CLI. It is less clean and should be reserved to the case where you cannot rebuild your packages.
I am currently writing a step by step tutorial describing how to compile Apache, PHP, and many extensions on HP-UX, in order to create an alternative to the HP HPWS package. When it is ready, I post a comment on the PHP doc site in the 'HP-UX specific installation notes' section. | https://bugs.php.net/bug.php?id=13151&edit=2 | CC-MAIN-2021-49 | refinedweb | 714 | 50.63 |
On Wed, May 07, 2008 at 10:25:08PM +0100, Maciej W. Rozycki wrote:
> > > >.
> I can do that and I have considered it while preparing the change. What
> convinced me not to use a name that is already present elsewhere in the
> tree is the confusion that it sometimes causes. For example during a
> debugging session GDB only reports the file name and not the leading
> pathname (and some people do run GDB over the kernel). Of course the
> actual file can still be chased with some `find' and `grep' scriptery, but
> why to create a problem in the first place?
>
> I consider repeated file names throughout a tree of a single program a
> namespace pollution similar to one with repeated static symbol names.
> While syntactically valid and working, it asks for unnecessary confusion.
>
> This is my point of view, but I can see others may not necessarily follow
> it. I am fine with changing the name to i2c.c as it is unlikely I will
> run GDB over it. ;-)
I've started using unique prefixes such as ip22- or ip27- a while ago.
And why not following that example with arch/mips/sibyte/swarm/swarm-i2c.c
or similar?
Ralf | http://www.linux-mips.org/archives/linux-mips/2008-05/msg00090.html | CC-MAIN-2014-42 | refinedweb | 201 | 73.47 |
Simple Spam Classfication in MLlib
import findspark findspark.init() import pyspark sc = pyspark.SparkContext()
Borrowed, wholesale, from Learning Spark, we’re going to do a simple spam classifier to determine if an email is authentic or not. This post is less about the approach, and more about examining the building blocks of the
MLlib pipeline. But first…
The Data
Each line represents a separate email. The dataset came pre-sorted by spam/not-spam, we’re going split over words then do some fancy Spark pre-processing.
spam = sc.textFile('../data/spam.txt')
!type ..\data\spam.txt
Dear sir, I am a Prince in a far kingdom you have not heard of. I want to send you money via wire transfer so please ... Get Viagra real cheap! Send money right away to ... Oh my gosh you can be really strong too with these drugs found in the rainforest. Get them cheap right now ... YOUR COMPUTER HAS BEEN INFECTED! YOU MUST RESET YOUR PASSWORD. Reply to this email with your password and SSN ... THIS IS NOT A SCAM! Send money and get access to awesome stuff really cheap and never have to ...
# ostensibly 'good spam' ham = sc.textFile('../data/ham.txt')
!type ..\data\ham.txt
Dear Spark Learner, Thanks so much for attending the Spark Summit 2014! Check out videos of talks from the summit at ... Hi Mom, Apologies for being late about emailing and forgetting to send you the package. I hope you and bro have been ... Wow, hey Fred, just heard about the Spark petabyte sort. I think we need to take time to try it out immediately ... Hi Spark user list, This is my first question to this list, so thanks in advance for your help! I tried running ... Thanks Tom for your email. I need to refer you to Alice for this one. I haven't yet figured out that part either ... Good job yesterday! I was attending your talk, and really enjoyed it. I want to try out GraphX ... Summit demo got whoops from audience! Had to let you know. --Joe
MLlib Tools
MLlib works at the
RDD level.
TF, Term Frequency
The
HashingTF object we’re about to use deserves a whole post in itself, but for now we’ll hand-wave and say that it provides a way to take strings and convert them to a numeric representation.
from pyspark.mllib.feature import HashingTF
We could get away with making an arbitrarily-large feature space, but let’s look at how many distinct words there are in the dataset.
uniqueWords = (spam.union(ham).flatMap(lambda x: x.split()) .distinct()) uniqueWords.count()
154
And then truncate down to 100 features for roundness.
tf = HashingTF(numFeatures=100)
And continue to update
tf based on what values it sees in
spam and
ham
spamFeatures = spam.map(lambda email: tf.transform(email.split(' ')))
hamFeatures = ham.map(lambda email: tf.transform(email.split(' ')))
Label Datasets
And this just standard modeling fare, creating a
y for each
X, but now with the
map function.
from pyspark.mllib.regression import LabeledPoint
positiveExamples = spamFeatures.map(lambda features: LabeledPoint(1, features)) negativeExamples = hamFeatures.map(lambda features: LabeledPoint(0, features))
trainingData = positiveExamples.union(negativeExamples)
And we
cache the data, because we’ll be doing a ton of iterating when we do our Machine Learning routine.
trainingData.cache()
UnionRDD[430] at union at <unknown>:0
Train Model
If that’s looks like
sklearn, that’s on purpose.
from pyspark.mllib.classification import LogisticRegressionWithSGD
model = LogisticRegressionWithSGD.train(trainingData)
Evaluate Model
Finally, we’ll make some fake email strings to see how accurate our classifier proves to be.
posTest = tf.transform("Congrats, you won! Send me money!".split(' '))
negTest = tf.transform("Hey, yeah. I think you're right about this one.".split(' '))
model.predict(posTest)
1
model.predict(negTest)
0 | https://napsterinblue.github.io/notes/spark/machine_learning/spam_classifier_mllib/ | CC-MAIN-2021-04 | refinedweb | 633 | 61.43 |
It doesn't work like that by default, and here is why: -- an infinite tree of values data InfTree a = Branch a (InfTree a) (InfTree a) buildTree :: Num a => STRef s a -> ST s (InfTree a) buildTree ref = do n <- readSTRef ref writeSTRef ref $! (n+1) left <- buildTree ref right <- buildTree ref return (Branch n left right) makeTree :: Num a => ST s (InfTree a) makeTree = do ref <- newSTRef 0 buildTree ref -- should be referentially transparent, i.e. these two expressions should be equivalent pureInfTree1, pureInfTree2 :: InfTree Integer pureInfTree1 = runST makeTree pureInfTree2 = runST makeTree element (Branch x _ _) = x goLeft (Branch _ x _) = x goRight (Branch _ _ x) = x test :: IO () test = do let left1 = goLeft pureInfTree1 let right1 = goRight pureInfTree1 let left2 = goLeft pureInfTree2 let right2 = goRight pureInfTree2 evaluate (element left1) evaluate (element right1) evaluate (element right2) evaluate (element left2) print (element left1 == element left2) -- should be True! Right now this code diverges, because buildTree diverges. If buildTree was lazy, test would print False because of the order of evaluation. You can make buildTree lazy if you want: import Control.Monad.ST.Unsafe buildTree :: Num a => STRef s a -> ST s (InfTree a) buildTree ref = do n <- readSTRef ref writeSTRef ref $! (n+1) left <- unsafeInterleaveST (buildTree ref) right <- unsafeInterleaveST (buildTree ref) return (Branch n left right) In order to safely use unsafeInterleaveST, you need to prove that none of the references used by the computation passed to unsafeInterleaveST can be used by any code after the unsafeInterleaveST; so this 'lazy' list generation is safe: buildList :: Num a => STRef s a -> ST s [a] buildList = do ref <- newSTRef 0 let loop = n <- readSTRef ref writeSTRef ref $! (n+1) rest <- unsafeInterleaveST loop return (n : rest) loop because we are guaranteed that the only reference to ref exists inside the loop which uses it in a linear fashion. So you may be able to get away with it... but you have to make a proof manually that the compiler isn't able to infer for you. -- ryan On Sun, Jun 10, 2012 at 5:37 AM, Nicu Ionita <nicu.ionita at acons.at> wrote: > Hi, > >" > > ______________________________**_________________ > Haskell-Cafe mailing list > Haskell-Cafe at haskell.org >**mailman/listinfo/haskell-cafe<> > -------------- next part -------------- An HTML attachment was scrubbed... URL: <> | http://www.haskell.org/pipermail/haskell-cafe/2012-June/101854.html | CC-MAIN-2014-41 | refinedweb | 378 | 64.14 |
Composition
Overview
The ease by which other people can read and understand a program (often called "readability" in software engineering) is perhaps the most important quality of a program. Readable programs are used and extended by others, sometimes for decades. For this reason, we often repeat in CS 61A that programs are written to be read by humans, and only incidentally to be interpreted by computers.
In CS 61A, each project has a composition score that is graded on the style of your code. This document provides some guidelines..
Names and variables
Variable and function names should be self-descriptive:
Good
goal, score, opp_score = 100, 0, 0 greeting = 'hello world' is_even = lambda x: x % 2
Bad
a, b, m = 100, 0, 0 thing = 'hello world' stuff = lambda x: x % 2
Indices and mathematical symbols
Using one-letter names and abbreviations is okay for indices, mathematical symbols, or if it is obvious what the variables are referring to.
Good:
Bad
o = O + 4 # letter 'O' or number 0? l = l + 5 # letter 'l' or number 1?
Unnecessary variables
Don't create unnecessary variables. For example,
Good
return answer(argument)
Bad
result = answer(argument) return result
However, if it is unclear what your code is referring to, or if the expression is too long, you should create a variable:
Good
divisible_49 = lambda x: x % 49 == 0 score = (total + 1) // 7 do_something(divisible_49, score)
Bad
do_something(lambda x: x % 49 == 0, (total + 1) // 7)
Profanity
Don't leave profanity in your code. Even if you're really frustrated.
Bad
eff_this_class = 666
Naming convention
Use
lower_case_and_underscores for variables and functions:
Good
total_score = 0 final_score = 1 def mean_strategy(score, opp): ...
Bad
TotalScore = 0 finalScore = 1 def Mean_Strategy(score, opp): ...
On the other hand, use
CamelCase for classes:
Good
class ExampleClass: ...
Bad
class example_class: ....
Many text editors, including VS Code and Atom, offer a setting to automatically use spaces instead of tabs.. 80 characters is not a hard limit, but exercise good judgement! Long lines might be a sign that the logic is too much to fit on one line!
Double-spacing
Don't double-space code. That is, do not insert a blank line in between lines of code. It increases the amount of scrolling needed and goes against the style of the rest of the code we provide.
One exception to this rule is that there should be space between two functions or classes.
Spaces with operators
Use spaces between
+ and
-. Depending on how illegible expressions get, you
can use your own judgement for
*,
/, and
** (as long as it's easy to read
at a glance, it's fine).
Good
x = a + b*c*(a**2) / c - 4
Bad
x=a+b*c*(a**2)/c-4
Spacing lists
When using tuples, lists, or function operands, leave one space after each
comma
,:
Good
tup = (x, x/2, x/3, x/4)
Bad
tup = (x,x/2,x/3,x/4)
Line wrapping
If a line gets too long, use parentheses to continue onto the next line:
Good
def func(a, b, c, d, e, f, g, h, i): # body tup = (1, 2, 3, 4, 5, 6, 7, 8) names = ('alice', 'bob', 'eve')
Notice that the subsequent lines line up with the start of the sequence. It can also be good practice to add an indent to imply expression continuation; use whichever format expresses the line continuation most clearly.
Good
total = (this_is(a, very, lengthy) + line + of_code + so_it - should(be, separated) + onto(multiple, lines))
Blank lines
Leave a blank line between the end of a function or class and the next line:
Good
def example(): return 'stuff' x = example() # notice the space above
Trailing whitespace
Don't leave whitespace at the end of a line.
Control Structures
Boolean comparisons
Don't compare a boolean variable to
True or
False:
Bad
if pred == True: # bad! ... if pred == False: # bad! ...
Instead, do this:
Good
if pred: # good! ... if not pred: # good! ...
Use the "implicit"
False value when possible. Examples include empty
containers like
[],
(),
{},
set().
Good
if lst: # if lst is not empty ... if not tup: # if tup is empty ...
Checking
None
Use
is and
is not for
None, not
== and
!=.
Redundant if/else
Don't do this:
Bad
if pred: # bad! return True else: return False
Instead, do this:
Good
return pred # good!
Likewise:
Bad
if num != 49: total += example(4, 5, True) else: total += example(4, 5, False)
In the example above, the only thing that changes between the conditionals is the boolean at the end. Instead, do this:
Good
total += example(4, 5, num != 49)
In addition, don't include the same code in both the
if and the
else clause
of a conditional:
Bad
if pred: # bad! print('stuff') x += 1 return x else: x += 1 return x
Instead, pull the line(s) out of the conditional:
Good
if pred: # good! print('stuff') x += 1 return x
while vs. if
Don't use a
while loop when you should use an
if:
Bad
while pred: x += 1 return x
Instead, use an
if:
Good
if pred: x += 1 return x
Parentheses
Don't use parentheses with conditional statements:
Bad
if (x == 4): ... elif (x == 5): ... while (x < 10): ...
Parentheses are not necessary in Python conditionals (they are in other languages though).:
Good but make sure your final submission is free of commented-out code. This makes it easier for readers to identify relevant portions of code.
Unnecessary comments
Don't write unnecessary comments. For example, the following is bad:.
Repetition
In general, don't repeat yourself (DRY). It wastes space and can be computationally inefficient. It can also make the code less readable.
Do not repeat complex expressions:
Bad
if a + b - 3 * h / 2 % 47 == 4: total += a + b - 3 * h / 2 % 47 return total
Instead, store the expression in a variable:
Good
turn_score = a + b - 3 * h / 2 % 47 if turn_score == 4: total += turn_score return total
Don't repeat computationally-heavy function calls either:
Bad
if takes_one_minute_to_run(x) != (): first = takes_one_minute_to_run(x)[0] second = takes_one_minute_to_run(x)[1] third = takes_one_minute_to_run(x)[2]
Instead, store the expression in a variable:
Good
result = takes_one_minute_to_run(x) if result != (): first = result[0] second = result[1] third = result[2]
Semicolons
Do not use semicolons. Python statements don't need to end with semicolons.
Generator expressions
Generator expressions are okay for simple expressions. This includes list comprehensions, dictionary comprehensions, set comprehensions, etc. Generator expressions are neat ways to concisely create lists. Simple ones are fine:
Good
ex = [x*x for x in range(10)] L = [pair[0] + pair[1] for pair in pairs if len(pair) == 2]
However, complex generator expressions are very hard to read, even illegible. As such, do not use generator expressions for complex expressions.
Bad
L = [x + y + z for x in nums if x > 10 for y in nums2 for z in nums3 if y > z]
Use your best judgement. | https://inst.eecs.berkeley.edu/~cs61a/su21/articles/composition/ | CC-MAIN-2021-49 | refinedweb | 1,145 | 63.19 |
[. 43.5%
- They're great tutorials in general. 30.1%
- They're good, but need work. 20.7%
- Not really what I was looking for. 5.7%
Posts Quoted:
* Want to check out some of my projects I've been working on? Right now, Levels is my only currently released mod, so if you want to check it out, here it is!
Hello!
I assume you are here you want to start making Minecraft mods; awesome. These sets of tutorials will help you actually learn how to code, and make mods. Making Minecraft mods can be very simple, as well as very, very complex, and by the end of these tutorials, you will be able to make big, complex mods, or code simple mods in no time!
Before we begin, there are a few things I'd like to go over first:
Also, it would be a good thing to go over what these tutorials will actually include, right?
Ready to get started?! Awesome.
-----
Tutorials can once again be found via Google Docs.
Apparently all of the links below have become broken. I've shared the folder containing all of the tutorials here. Hopefully this will work right.
Volume 3 (1.7)
#1 -- Introduction/Setup
#2 -- Main Class
#3 -- Proxy and Helper Classes
#4 -- Basic Item
#5 -- Basic Block
#6 -- en_US.lang File
Volume 2 (1.8)
#1 -- Introduction/Setup
#2 -- Updating to 1.8 from 1.8
#3 -- Main Class
#4 -- Proxies and Helper Classes
#5 -- Basic Item
#6 -- Basic Block
Older Volumes
Volume 1 (1.7)
#1 -- Introduction/Setup
#2 -- Main Class
#3 -- Basic Item
#4 -- Basic Block
#5 -- Block/Item Textures
#6 -- en_US.lang File
#7 -- Block Improvements
#8 -- Custom Creative Tabs
#9 -- Crafting Recipes
#10 -- Ore Generation
#11 -- Tools and Armor
#12 -- Swords With Potion Effects
#13 -- Armor With Potion Effects
#14 -- Swords Already Enchanted
#15a -- Entity Registry
#15b -- Passive Mobs
-----
You may, and probably will have some questions, or need help. If you do, feel free to comment below, and I will help you out.
If you have an error with your code, please copy it into pastebin or the like, and tell me what is causing the issue. Apply any crash reports or logs if necessary.
Also! From my experience, it is always better to work on mods as a team. With that being said, I'm actually considering starting a "team-like" deal (eh, depends on how you define 'team'). Anyways, I'm just looking for people who might have an interest in helping out with an idea or two I have, and am developing right now. Only requirement is that you know what you are doing when it comes to Forge (the basics and such). Send me a message if you are interested.
Best Regards,
TheXFactor117
Lost Eclipse | Levels | GitHub
package com.fearnbus25.testmod;
import com.fearnbus25.testmod.help.Reference;
import com.sun.org.apache.xpath.internal.operations.Mod;
import cpw.mods.fml.common.event.FMLInitializationEvent;
import cpw.mods.fml.common.event.FMLPostInitializationEvent;
import cpw.mods.fml.common.event.FMLPreInitializationEvent;
@Mod(modid = Reference.MODID, name = Reference.NAME, version = Reference.VERSION)
public class TestMod {
@Mod.EventHandler
public void preInit(FMLPreInitializationEvent event)
{
}
@Mod.EventHandler
public void Init(FMLInitializationEvent event)
{
}
@Mod.EventHandler
public void postInit(FMLPostInitializationEvent event)
{
}
}
You are missing imports. Hover over them, and see if there is an option to import.
If there isn't, then add this line of code to your imports:
import cpw.mods.fml.common.Mod;
That should fix your problems.
Lost Eclipse | Levels | GitHub
Putting "import cpw.mods.fml.common.Mod;" fixed the Event Handler errors, and then I found out that in the Main class I made some words all caps, then when I typed in my Reference class I didn't make the words all caps there, so it was giving me errors on that. Everything is fixed and I have no more errors
Lost Eclipse | Levels | GitHub
Lol dude, it takes time to make these, I'd rather he took a while to make them to insure they are good quality and no mistakes in them
I prefer quality over quantity; I believe that's what makes mine different. I'm working on a few more tutorials right now in fact, and will try and have them up later today.
Glad to hear that!
Lost Eclipse | Levels | GitHub
Lost Eclipse | Levels | GitHub
package com.brocoder.wiccancraft.init;
import com.brocoder.wiccancraft.WiccanCraft;
import com.brocoder.wiccancraft.help.RegisterHelper;
import net.minecraft.item.Item;
public class ModItems {
public static Item bloodIngot = new WiccanCraftItem().setUnlocalizedName("bloodIngot");
public static void init()
{
RegisterHelper.registerItem(bloodIngot);
}
}
here is my register helper
package com.brocoder.wiccancraft.help;
import com.brocoder.wiccancraft.Reference;
import cpw.mods.fml.common.registry.GameRegistry;
import net.minecraft.block.Block;
import net.minecraft.item.Item;
public class RegisterHelper {
public static void registerBlock(Block block)
{
GameRegistry.registerBlock(block, Reference.MODID + block.getUnlocalizedName().substring(5));
}
public static void registerItem(Item item)
{
GameRegistry.registerItem(item, Reference.MODID + item.getUnlocalizedName().substring(5));
}
}
please help
The method registerItem(Item) is undefined for the type RegisterHelper ModItems.java /Minecraft/src/main/java/com/brocoder/wiccancraft/init line 14
and
WiccanCraftItem cannot be resolved to a type ModItems.java /Minecraft/src/main/java/com/brocoder/wiccancraft/init line 10
Have you created a WiccanCraftItem file yet?
Lost Eclipse | Levels | GitHub
package com.fearnbus25.testmod.init;
import net.minecraft.item.Item;
import com.fearnbus25.testmod.help.RegisterHelper;
import com.fearnbus25.testmod.items.TestModItem;
public class ModItems()
{
public static Item testIngot = new TestModItem() .setUnlocalizedName("testIngot");
public static void init()
{
RegisterHelper.registerItem(testIngot);
}
}
(I would put it in a spoiler but everytime I did and posted the message the spoiler would disappear, sorry)
You can do that as well
Glad I can help! I'll try my best to keep posting good tutorials
Lost Eclipse | Levels | GitHub
I am pretty inept and entry level at it gets, getting lost in the small details! Bare with me! hehe
"Now, we are going to need to type some commands into Terminal / Command Prompt again to setup Forge. Open up the forge.zip file you downloaded, and place it in your newly created folder."
Which newly created folder to be clear? >.> We just created a bunch! My workspace folder? 1.7 folder? The mod folder/github folder, one of it's folders? Does Open up the forge.zip mean open it from it's location and drag it to the specified folder or unzipping it into it's own forge folder inside the specified folder?
I assume this is where I messed up and why the command prompt stuff that follows isn't working!
I keep getting something along the lines of "Task 'setupDecompWorkspace' not found in root project."
Drag your mod folder into it, all that does is tell the command prompt where to go | http://www.minecraftforum.net/forums/mapping-and-modding/mapping-and-modding-tutorials/2282788-1-7-1-8-thexfactor117s-forge-modding-tutorials-20 | CC-MAIN-2017-22 | refinedweb | 1,136 | 60.31 |
Be.
Note that although this document is intended to deal with techniques which can be used when using mod_wsgi, many of the techniques are also directly transferable or adaptable to other web hosting mechanisms for WSGI applications.
When using mod_wsgi, unless you take specific action to catch exceptions and present the details in an alternate manner, the only place that details of uncaught exceptions will be recorded is in the Apache error log files. The Apache error log files are therefore your prime source of information when things go wrong.
Do note though that log messages generated by mod_wsgi are logged with various serverity levels and which ones will be output to the Apache error log files will depend on how Apache has been configured. The standard configuration for Apache has the LogLevel directive being set to 'warn'. With this setting any important error messages will be output, but informational messages generated by mod_wsgi which can assist in working out what it is doing are not. Thus, if new to mod_wsgi or trying to debug a problem, it is worthwhile setting the Apache configuration to use 'info' log level instead.
LogLevel info
If your Apache web server is only providing services for one host, it is likely that you will only have one error log file. If however the Apache web server is configured for multiple virtual hosts, then it is possible that there will be multiple error log files, one corresponding to the main server host and an additional error log file for each virtual host. Such a virtual host specific error log if one is being used, would have been configured through the placing of the Apache CustomLog directive within the context of the VirtualHost container.
Although your WSGI application may be hosted within a particular virtual host and that virtual host has its own error log file, some error and informational messages will still go to the main server host error log file. Thus you may still need to consult both error log files when using virtual hosts.
Messages of note that will end up in the main server host error log file include notifications in regard to initialisation of Python and the creation and destruction of Python sub interpreters, plus any errors which occur when doing this.
Messages of note that would end up in the virtual host error log file, if it exists, include details of uncaught Python exceptions which occur when the WSGI application script is being loaded, or when the WSGI application callable object is being executed.
Messages that are logged by a WSGI application via the 'wsgi.errors' object passed through to the application in the WSGI environment are also logged. These will got to the virtual host error log file if it exists, or the main error log file if the virtual host is not setup with its own error log file. Thus, if you want to add debugging messages to your WSGI application code, you can use 'wsgi.errors' in conjunction with the 'print' statement as shown below:
def application(environ, start_response):
status = '200 OK'
output = 'Hello World!'
print >> environ['wsgi.errors'], "application debug #1"
response_headers = [('Content-type', 'text/plain'),
('Content-Length', str(len(output)))]
start_response(status, response_headers)
print >> environ['wsgi.errors'], "application debug #2"
return [output]
If 'wsgi.errors' is not available to the code which needs to output log messages, then it should explicitly direct output from the 'print' statement to 'sys.stderr'.
import sys
def function():
print >> sys.stderr, "application debug #3"
...
If sys.stderr or sys.stdout is used directly then these messages will end up in the main server host error log file and not that for the virtual host unless the WSGI application is running in a daemon process specifically associated with a virtual host.
Do be aware though that writing to sys.stdout is by default restricted and will result in an exception occurring of the form:
IOError: sys.stdout access restricted by mod_wsgi.
import sys
sys.stdout = sys.stderr
In general, a WSGI application should always endeavour to only log messages via the 'wsgi.errors' object that is passed through to a WSGI application in the WSGI environment. This is because this is the only way of logging messages for which there is some guarantee that they will end up in a log file that you might have access to if using a shared server.
An application shouldn't however cache 'wsgi.errors' and try to use it outside of the context of a request. If this is done an exception will be raised indicating that the request has expired and the error log object is now invalid.
That messages output via sys.stderr and sys.stdout end up in the Apache error logs at all is provided as a convenience but there is no requirement in the WSGI specification that they are valid means of a WSGI application logging messages.
When a WSGI application is invoked, the request headers are passed as CGI variables in the WSGI environment. The dictionary used for this also holds information about the WSGI execution environment and mod_wsgi. When returning a response from a WSGI application, the status and response headers are passed back as arguments to the 'start_response()' callable originally passed to the WSGI application.
When debugging an application, it can be useful to be able to log what values are passed for each of these. This can be done using a simple WSGI middleware that wraps your WSGI application.
import pprint
class LoggingMiddleware:
def __init__(self, application):
self.__application = application
def __call__(self, environ, start_response):
errors = environ['wsgi.errors']
pprint.pprint(('REQUEST', environ), stream=errors)
def _start_response(status, headers):
pprint.pprint(('RESPONSE', status, headers), stream=errors)
return start_response(status, headers)
return self.__application(environ, _start_response)
def application(environ, start_response):
...
application = LoggingMiddleware(application)
The output from the middleware would end up in the Apache error log for the virtual host, or if no virtual host specific error log file, in the main Apache error log file.
For more complicated problems it may also be necessary to track both the request and response content as well. A more complicated middleware which can log these as well as header information to the file system is as follows:
import threading
import pprint
import time
import os
class LoggingInstance:
def __init__(self, start_response, oheaders, ocontent):
self.__start_response = start_response
self.__oheaders = oheaders
self.__ocontent = ocontent
def __call__(self, status, headers, exc_info=None):
pprint.pprint((status, headers, exc_info), stream=self.__oheaders)
self.__oheaders.close()
self.__write = self.__start_response(status, headers, exc_info)
return self.write
def __iter__(self):
return self
def write(self, data):
self.__ocontent.write(data)
self.__ocontent.flush()
return self.__write(data)
def next(self):
data = self.__iterable.next()
self.__ocontent.write(data)
self.__ocontent.flush()
return data
def close(self):
if hasattr(self.__iterable, 'close'):
self.__iterable.close()
self.__ocontent.close()
def link(self, iterable):
self.__iterable = iter(iterable)
class LoggingMiddleware:
def __init__(self, application, savedir):
self.__application = application
self.__savedir = savedir
self.__lock = threading.Lock()
self.__pid = os.getpid()
self.__count = 0
def __call__(self, environ, start_response):
self.__lock.acquire()
self.__count += 1
count = self.__count
self.__lock.release()
key = "%s-%s-%s" % (time.time(), self.__pid, count)
iheaders = os.path.join(self.__savedir, key + ".iheaders")
iheaders_fp = file(iheaders, 'w')
icontent = os.path.join(self.__savedir, key + ".icontent")
icontent_fp = file(icontent, 'w+b')
oheaders = os.path.join(self.__savedir, key + ".oheaders")
oheaders_fp = file(oheaders, 'w')
ocontent = os.path.join(self.__savedir, key + ".ocontent")
ocontent_fp = file(ocontent, 'w+b')
errors = environ['wsgi.errors']
pprint.pprint(environ, stream=iheaders_fp)
iheaders_fp.close()
length = int(environ.get('CONTENT_LENGTH', '0'))
input = environ['wsgi.input']
while length != 0:
data = input.read(min(4096, length))
if data:
icontent_fp.write(data)
length -= len(data)
else:
length = 0
icontent_fp.flush()
icontent_fp.seek(0, os.SEEK_SET)
environ['wsgi.input'] = icontent_fp
iterable = LoggingInstance(start_response, oheaders_fp, ocontent_fp)
iterable.link(self.__application(environ, iterable))
return iterable
def application(environ, start_response):
...
application = LoggingMiddleware(application, '/tmp/wsgi')
For this middleware, the second argument to the constructor should be a preexisting directory. For each request four files will be saved. These correspond to input headers, input content, response status and headers, and request content.
The WSGI specification allows any iterable object to be returned as the response, so long as the iterable yields string values. That this is the case means that one can too easily return an object which satisfies this requirement but has some sort of performance related issue.
The worst case of this is where instead of returning a list containing strings, a single string is returned. The problem with a string is that when it is iterated over, a single character of the string is yielded each time. In other words, a single character is written back to the client on each loop, with a flush occuring in between to ensure that the character has actually been written and isn't just being buffered.
Although for small strings a performance impact may not be noticed, if returning large strings the affect on request throughput could be quite significant.
Another case which can cause problems is to return a file like object. For iteration over a file like object, typically what can occur is that a single line within the file is returned each time. If the file is a line oriented text file where each line is a of a reasonable length, this may be okay, but if the file is a binary file there may not actually be line breaks within the file.
For the case where file contains many short lines, throughput would be affected much like in the case where a string is returned. For the case where the file is just binary data, the result can be that the complete file may be read in on the first loop. If the file is large, this could cause a large transient spike in memory usage. Once that memory is allocated, it will then be retained by the process, albeit that it may be reused by the process at a later point.
Because of the performance impacts in terms of throughput and memory usage, both these cases should be avoided. For the case of returning a string, it should be returned with a single element list. For the case of a file like object, the 'wsgi.file_wrapper' extension should be used, or a wrapper which suitably breaks the response into chunks.
In order to identify where code may be inadvertantly returning such iterable types, the following code can be used.
import types
import cStringIO
import socket
import StringIO
BAD_ITERABLES = [
cStringIO.InputType,
socket.SocketType,
StringIO.StringIO,
types.FileType,
types.StringType,
]
class ValidatingMiddleware:
def __init__(self, application):
self.__application = application
def __call__(self, environ, start_response):
errors = environ['wsgi.errors']
result = self.__application(environ, start_response)
value = type(result)
if value == types.InstanceType:
value = result.__class__
if value in BAD_ITERABLES:
print >> errors, 'BAD ITERABLE RETURNED: ',
print >> errors, 'URL=%s ' % environ['REQUEST_URI'],
print >> errors, 'TYPE=%s' % value
return result
def application(environ, start_response):
...
application = ValidatingMiddleware(application)
Because mod_wsgi only logs details of uncaught exceptions to the Apache error log and returns a generic HTTP 500 "Internal Server Error" response, if you want the details of any exception to be displayed in the error page and be visible from the browser, you will need to use a WSGI error catching middleware component.
One example of WSGI error catching middleware is the ErrorMiddleware class from Paste. This class can be configured not only to catch exceptions and present the details to the browser in an error page, it can also be configured to send the details of any errors in email to a designated recipient, or log the details to an alternate log file.
Being able to have error details sent by email would be useful in a production environment or where your application is running on a web hosting environment and the Apache error logs would not necessarily be closely monitored on a day to day basis. Enabling of that particular feature though should possibly only be done when you have some confidence in the application else you might end up getting inundated with emails.
To use the error catching middleware from Paste you simply need to wrap your existing application with it such that it then becomes the top level application entry point.
def application(environ, start_response):
status = '200 OK'
output = 'Hello World!\n\n'
response_headers = [('Content-type', 'text/plain'),
('Content-Length', str(len(output)))]
start_response(status, response_headers)
return [output]
from paste.exceptions.errormiddleware import ErrorMiddleware
application = ErrorMiddleware(application, debug=True)
In addition to displaying information about the Python exception that has occurred and the stack traceback, this middleware component will also output information about the WSGI environment such that you can see what was being passed to the WSGI application. This can be useful if the cause of any problem was unexpected values passed in the headers of the HTTP request.
Note that error catching middleware is of absolutely no use for trying to capture and display in the browser any errors that occur at global scope within the WSGI application script when it is being imported. Details of any such errors occuring at this point will only be captured in the Apache error log files. As much as possible you should avoid performing complicated tasks when the WSGI application script file is being imported, instead you should only trigger such actions the first time a request is received. By doing this you will be able to capture errors in such initialisation code with the error catching middleware.
Also note that the debug mode whereby details are displayed in the browser should only be used during development and not in a production system. This is because details which are displayed may be of use to anyone who may wish to compromise your site.
Python debuggers such as implemented by the 'pdb' module can sometimes be useful in debugging Python applications, especially where there is a need to single step through code and analyse application state at each point. Use of such debuggers in web applications can be a bit more tricky than normal applications though and especially so with mod_wsgi.
The problem with mod_wsgi is that the Apache web server can create multiple child processes to respond to requests. Partly because of this, but also just to prevent problems in general, Apache closes off standard input at startup. Thus there is no actual way to interact with the Python debugger module if it were used.
To get around this requires having complete control of the Apache web server that you are using to host your WSGI application. In particular, it will be necessary to shutdown the web server and then startup the 'httpd' process explicitly in single process debug mode, avoiding the 'apachectl' management application altogether.
$ apachectl stop
$ httpd -X
If Apache is normally started as the 'root' user, this also will need to be run as the 'root' user otherwise the Apache web server will not have the required permissions to write to its log directories etc.
The result of starting the 'httpd' process in this way will be that the Apache web server will run everything in one process rather than using multiple processes. Further, it will not close off standard input thus allowing the Python debugger to be used.
Do note though that one cannot be using the ability of mod_wsgi to run your application in a daemon process when doing this. The WSGI application must be running within the main Apache process.
To trigger the Python debugger for any call within your code, the following customised wrapper for the 'Pdb' class should be used:
class Debugger:
def __init__(self, object):
self.__object = object
def __call__(self, *args, **kwargs):
import pdb, sys
debugger = pdb.Pdb()
debugger.use_rawinput = 0
debugger.reset()
sys.settrace(debugger.trace_dispatch)
try:
return self.__object(*args, **kwargs)
finally:
debugger.quitting = 1
sys.settrace(None)
This might for example be used to wrap the actual WSGI application callable object.
def application(environ, start_response):
status = '200 OK'
output = 'Hello World!\n\n'
response_headers = [('Content-type', 'text/plain'),
('Content-Length', str(len(output)))]
start_response(status, response_headers)
return [output]
application = Debugger(application)
When a request is now received, the Python debugger will be triggered and you can interactively debug your application from the window you ran the 'httpd' process. For example:
> /usr/local/wsgi/scripts/hello.py(21)application()
-> status = '200 OK'
(Pdb) list
16 finally:
17 debugger.quitting = 1
18 sys.settrace(None)
19
20 def application(environ, start_response):
21 -> status = '200 OK'
22 output = 'Hello World!\n\n'
23
24 response_headers = [('Content-type', 'text/plain'),
25 ('Content-Length', str(len(output)))]
26 start_response(status, response_headers)
(Pdb) print start_response
<built-in method start_response of mod_wsgi.Adapter object at 0x1160180>
cont
When wishing to allow the request to complete, issue the 'cont' command. If wishing to cause the request to abort, issue the 'quit' command. This will result in a 'BdbQuit' exception being raised and would result in a HTTP 500 "Internal Server Error" response being returned to the client. To kill off the whole 'httpd' process, after having issued 'cont' or 'quit' to exit the debugger, interrupt the process using 'CTRL-C'.
To see what commands the Python debugger accepts, issue the 'help' command and also consult the documentation for the 'pdb' module on the Python web site.
Note that the Python debugger expects to be able to write to sys.stdout to display information to the terminal. Thus if using using a Python web framework which replaces sys.stdout such as web.py, you will not be able to use the Python debugger.
In order to use the Python debugger modules you need to have direct access to the host and the Apache web server that is running your WSGI application. If your only access to the system is via your web browser this makes the use of the full Python debugger impractical.
An alternative to the Python debugger modules which is available is an extension of the WSGI error catching middleware previously described. This is the EvalException class from Paste. It embodies the error catching attributes of the ErrorMiddleware class, but also allows some measure of interactive debugging and introspection through the web browser.
As with any WSGI middleware component, to use the class entails creating a wrapper around the application you wish to debug.
def application(environ, start_response):
status = '200 OK'
output = 'Hello World!\n\n'
response_headers = [('Content-type', 'text/plain'),
('Content-Length', str(len(output)))]
start_response(status, response_headers)
return [output]
from paste.evalexception.middleware import EvalException
application = EvalException(application)
Like ErrorMiddleware when an unexpected exception occurs a web page is presented which shows the location of the error along with the contents of the WSGI application environment. Where EvalException is different however is that it is possible to inspect the local variables residing within each stack frame down to where the error occurred. Further, it is possible to enter Python code which can be evaluated within the context of the selected stack frame in order to access data or call functions or methods of objects.
In order for this to all work requires that subsequent requests back to the WSGI application always end up with the same process where the error originally occurred. With mod_wsgi this does however present a bit of a problem as Apache can create and use multiple child processes to handle requests.
Because of this requirement, if you want to be able to use this browser based interactive debugger, if running your application in embedded mode of mod_wsgi, you will need to configure Apache such that it only starts up one child process to handle requests and that it never creates any additional processes. The Apache configuration directives required to achieve this are as follows.
StartServers 1
ServerLimit 1
The directives must be placed at global scope within the main Apache configuration files and will affect the whole Apache web server.
If you are using the worker MPM on a UNIX system, restricting Apache to just a single process may not be an issue, at least during development. If however you are using the prefork MPM on a UNIX system, you may see issues if you are using an AJAX intensive page that relies on being able to execute parallel requests, as only one request at a time will be able to be handled by the Apache web server.
If using Apache 2.X on a UNIX system, a better approach is to use daemon mode of mod_wsgi and delegate your application to run in a single daemon process. This process may be single or multithreaded as per any threading requirements of your application.
Which ever configuration is used, if the browser based interactive debugger is used it should only be used on a development system and should never be deployed on a production system or in a web hosting environment. This is because the debugger will allow one to execute arbitrary Python code within the context of your application from a remote client.
In cases where Apache itself crashes for no apparent reason, the above techniques are not always particularly useful. This is especially the case where the crash occurs in non Python code outside of your WSGI application.
The most common cause of Apache crashing, besides any still latent bugs that may exist in mod_wsgi, of which hopefully there aren't any, are shared library version mismatches. Another major cause of crashes is third party C extension modules for Python which are not compatible with being used in a Python sub interpreter which isn't the first interpreter created when Python is initialised, or modules which are not compatible with Python sub interpreters being destroyed and the module then being used in a new Python sub interpreter.
Examples of where shared library version mismatches are known to occur are between the version of the 'expat' library used by Apache and that embedded within the Python 'pyexpat' module. Another is between the version of the MySQL client libraries used by PHP and the Python MySQL module.
Both these can be a cause of crashes where the different components are compiled and linked against different versions of the shared library for the packages in question. It is vitally important that all packages making use of a shared library were compiled against and use the same version of a shared library.
Another problematic package is Subversion. In this case there can be conflicts between the version of Subversion libraries used by mod_dav_svn and the Python Subversion bindings. Certain versions of the Python Subversion modules also cause problems because they appear to be incompatible with use in a Python sub interpreter which isn't the first interpreter created when Python is initialised.
In this latter issue, the sub interpreter problems can often be solved by forcing the WSGI application using the Python Subversion modules to run in the '%{GLOBAL}' application group. This solution often also resolves issues with SWIG generated bindings, especially where the '-thread' option was supplied to 'swig' when the bindings were generated.
Whatever the reason, in some cases the only way to determine why Apache or Python is crashing is to use a C code debugger such as 'gdb'. Now although it is possible to attach 'gdb' to a running process, the preferred method for using 'gdb' in conjunction with Apache is to run Apache in single process debug mode from within 'gdb'.
To do this it is necessary to first shutdown Apache. The 'gdb' debugger can then be started against the 'httpd' executable and then the process started up from inside of 'gdb'.
$ /usr/local/apache/bin/apachectl stop
$ sudo gdb /usr/local/apache/bin/httpd) run -X
Starting program: /usr/local/apache/bin/httpd -X
Reading symbols for shared libraries .+++ done
Reading symbols for shared libraries ..................... done
If Apache was crashing on startup, you should immediately encounter the error, otherwise use your web browser to access the URL which is causing the crash to occur. You can then commence trying to debug why the crash is occuring.
Note that you should ensure that you have not assigned your WSGI application to run in a mod_wsgi daemon process using the WSGIDaemonProcess and WSGIProcessGroup directives. This is because the above procedure will only catch crashes which occur when the application is running in embedded mode. If it turns out that the application only crashes when run in mod_wsgi daemon mode, an alternate method of using 'gdb' will be required.
In this circumstance you should run Apache as normal, but ensure that you only create one mod_wsgi daemon process and have it use only a single thread.
WSGIDaemonProcess debug threads=1
WSGIProcessGroup debug
If not running the daemon process as a distinct user where you can tell which process it is, then you will also need to ensure that Apache LogLevel directive has been set to 'info'. This is to ensure that information about daemon processes created by mod_wsgi are logged to the Apache error log. This is necessary, as you will need to consult the Apache error logs to determine the process ID of the daemon process that has been created for that daemon process group.
mod_wsgi (pid=666): Starting process 'debug' with threads=1.
Knowing the process ID, you should then run 'gdb', telling it to attach directly to the daemon process.
$ sudo gdb /usr/local/apache/bin/httpd 666) cont
Continuing.
Once 'gdb' has been started and attached to the process, then initiate the request with the URL that causes the application to crash.
Attaching to the running daemon process can also be useful where a single request or the whole process is appearing to hang. In this case one can force a stack trace to be output for all running threads to try and determine what code is getting stuck. The appropriate gdb command in this instance is 'thread apply all bt'.
sudo gdb /usr/local/apache-2.2/bin/httpd 666
GNU gdb 6.3.50-20050815 (Apple version gdb-477) (Sun Apr 30 20:06:22) thread apply all bt
Thread 4 (process 666 thread 0xd03):
#0 0x9001f7ac in select ()
#1 0x004189b4 in apr_pollset_poll (pollset=0x1894650,
timeout=-1146117585187099488, num=0xf0182d98, descriptors=0xf0182d9c)
at poll/unix/select.c:363
#2 0x002a57f0 in wsgi_daemon_thread (thd=0x1889660, data=0x18895e8)
at mod_wsgi.c:6980
#3 0x9002bc28 in _pthread_body ()
Thread 3 (process 666 thread 0xc03):
#0 0x9001f7ac in select ()
#1 0x0041d224 in apr_sleep (t=1000000) at time/unix/time.c:246
#2 0x002a2b10 in wsgi_deadlock_thread (thd=0x0, data=0x2aee68) at
mod_wsgi.c:7119
#3 0x9002bc28 in _pthread_body ()
Thread 2 (process 666 thread 0xb03):
#0 0x9001f7ac in select ()
#1 0x0041d224 in apr_sleep (t=299970002) at time/unix/time.c:246
#2 0x002a2dec in wsgi_monitor_thread (thd=0x0, data=0x18890e8) at
mod_wsgi.c:7197
#3 0x9002bc28 in _pthread_body ()
Thread 1 (process 666 thread 0x203):
#0 0x900c7060 in sigwait ()
#1 0x0041ba9c in apr_signal_thread (signal_handler=0x2a29a0
<wsgi_check_signal>) at threadproc/unix/signals.c:383
#2 0x002a3728 in wsgi_start_process (p=0x1806418, daemon=0x18890e8)
at mod_wsgi.c:7311
#3 0x002a6a4c in wsgi_hook_init (pconf=0x1806418, ptemp=0x0,
plog=0xc8, s=0x18be8d4) at mod_wsgi.c:7716
#4 0x0000a5b0 in ap_run_post_config (pconf=0x1806418, plog=0x1844418,
ptemp=0x180e418, s=0x180da78) at config.c:91
#5 0x000033d4 in main (argc=3, argv=0xbffffa8c) at main.c:706
It is suggested when trying to debug such issues that the daemon process be made to run with only a single thread. This will reduce how many stack traces one needs to analyse. | http://code.google.com/p/modwsgi/wiki/DebuggingTechniques | crawl-002 | refinedweb | 4,578 | 53.31 |
Possible Duplicate:
Python 'self' keyword
Forgive me if this is an incredibly noobish question, but I never did understand self in Python. What does it do? And when I see things like
def example(self, args): return self.something
what do they do? I think I've seen args somewhere in a function too. Please explain in a simple way :P
self is the reference to the instance of the class that the method (the
example function in this case) is of.
You'll want to take a look at the Python docs on the class system for a full introduction to Python's class system. You'll also want to look at these answers to other questions about the subject on Stackoverflow.
Self it a reference to the instance of the current class. In your example,
self.something references the
something property of the
example class object.
It sounds like you've stumbled onto the object oriented features of Python.
self is a reference to an object. It's very close to the concept of
this in many C-style languages. Check out this code:
class Car(object): def __init__(self, make): # Set the user-defined 'make' property on the self object self.make = make # Set the 'horn' property on the 'self' object to 'BEEEEEP' self.horn = 'BEEEEEP' def honk(self): # Now we can make some noise! print self.horn # Create a new object of type Car, and attach it to the name `lambo`. # `lambo` in the code below refers to the exact same object as 'self' in the code above. lambo = Car('Lamborghini') print lambo.make lambo.honk()
Similar Questions | http://ebanshi.cc/questions/2154253/what-does-self-do | CC-MAIN-2017-04 | refinedweb | 272 | 76.22 |
It's time to explain a bit of HTML code we've been keeping in the shadows. Did you notice those hyperlinks on the language selector example's main page for showing the CGI script's source code? Normally, we can't see such script source code, because accessing a CGI script makes it execute (we can see only its HTML output, generated to make the new page). The script in Example 16-26, referenced by a hyperlink in the main language.html page, works around that by opening the source file and sending its text as part of the HTML response. The text is marked with <PRE> as preformatted text, and is escaped for transmission inside HTML with cgi.escape.
#!/usr/bin/python ################################################################# # Display languages.py script code without running it. ################################################################# import cgi filename = 'cgi-bin/languages.py' print "Content-type: text/html\n" # wrap up in HTML print "<TITLE>Languages</TITLE>" print "<H1>Source code: '%s'</H1>" % filename print '<HR><PRE>' print cgi.escape(open(filename).read( )) print '</PRE><HR>'
Here again, the filename is relative to the server's directory for our web server on Windows (see the prior note, and delete the cgi-bin portion of its path on other platforms). When we visit this script on the Web via the hyperlink or a manually typed URL, the script delivers a response to the client that includes the text of the CGI script source file. It appears as in Figure 16-27.
Note that here, too, it's crucial to format the text of the file with cgi.escape, because it is embedded in the HTML code of the reply. If we don't, any characters in the text that mean something in HTML code are interpreted as HTML tags. For example, the C++ < operator character within this file's text may yield bizarre results if not properly escaped. The cgi.escape utility converts it to the standard sequence < for safe embedding.
Almost immediately after writing the languages source code viewer script in the preceding example, it occurred to me that it wouldn't be much more work, and would be much more useful, to write a generic versionone that could use a passed-in filename to display any file on the site. It's a straightforward mutation on the server side; we merely need to allow a filename to be passed in as an input. The getfile.py Python script in Example 16-27 implements this generalization. It assumes the filename is either typed into a web page form or appended to the end of the URL as a parameter. Remember that Python's cgi module handles both cases transparently, so there is no code in this script that notices any difference.
#!/usr/bin/python ################################################################### # Display any CGI (or other) server-side file without running it. # The filename can be passed in a URL param or form field; e.g., #. # Users can cut-and-paste or "View Source" to save file locally. # On IE, running the text/plain version (formatted=0) sometimes # pops up Notepad, but end-of-lines are not always in DOS format; # Netscape shows the text correctly in the browser page instead. # Sending the file in text/HTML mode works on both browsers--text # is displayed in the browser response page correctly. We also # check the filename here to try to avoid showing private files; # this may or may not prevent access to such files in general: # don't install this script if you can't otherwise secure source! ################################################################### import cgi, os, sys formatted = True # True=wrap text in HTML privates = ['PyMailCgi/cgi-bin/secret.py'] # don't show these try: samefile = os.path.samefile # checks device, inode numbers except: def samefile(path1, path2): # not available on Windows apath1 = os.path.abspath(path1).lower( ) # do close approximation apath2 = os.path.abspath(path2).lower( ) # normalizes path, same case return apath1 == apath2 html = """ <html><title>Getfile response</title> <h1>Source code for: '%s'</h1> <hr> <pre>%s</pre> <hr></html>""" def restricted(filename): for path in privates: if samefile(path, filename): # unify all paths by os.stat return True # else returns None=false try: form = cgi.FieldStorage( ) filename = form['filename'].value # URL param or form field except: filename = 'getfile.py' # else default filename try: assert not restricted(filename) # load unless private filetext = open(filename).read( ) except AssertionError: filetext = '(File access denied)' except: filetext = '(Error opening file: %s)' % sys.exc_info( )[1] if not formatted: print "Content-type: text/plain\n" # send plain text print filetext # works on NS, not IE else: print "Content-type: text/html\n" # wrap up in HTML print html % (filename, cgi.escape(filetext))
This Python server-side script simply extracts the filename from the parsed CGI inputs object, and reads and prints the text of the file to send it to the client browser. Depending on the formatted global variable setting, it sends the file in either plain text mode (using text/plain in the response header) or wrapped up in an HTML page definition (text/html).
Both modes (and others) work in general under most browsers, but Internet Explorer doesn't handle the plain text mode as gracefully as Netscape doesduring testing, it popped up the Notepad text editor to view the downloaded text, but end-of-line characters in Unix format made the file appear as one long line. (Netscape instead displays the text correctly in the body of the response web page itself.) HTML display mode works more portably with current browsers. More on this script's restricted file logic in a moment.
Let's launch this script by typing its URL at the top of a browser, along with a desired filename appended after the script's name. Figure 16-28 shows the page we get by visiting this URL:
The body of this page shows the text of the server-side file whose name we passed at the end of the URL; once it arrives, we can view its text, cut-and-paste to save it in a file on the client, and so on. In fact, now that we have this generalized source code viewer, we could replace the hyperlink to the script languages-src.py in language.html, with a URL of this form:
For illustration purposes, the main HTML page in Example 16-17 has links to the original source code display script as well as to this URL (less the server name). Really, URLs like these are direct calls (albeit across the Web) to our Python script, with filename parameters passed explicitly. As we've seen, parameters passed in URLs are treated the same as field inputs in forms; for convenience, let's also write a simple web page that allows the desired file to be typed directly into a form, as shown in Example 16-28.
<html><title>Getfile: download page</title> <body> <form method=get <h1>Type name of server file to be viewed</h1> <p><input type=text size=50 name=filename> <p><input type=submit value=Download> </form> <hr><a href="cgi-bin/getfile.py?filename=cgi-bin/getfile.py">View script code</a> </body></html>
Figure 16-29 shows the page we receive when we visit this file's URL. We need to type only the filename in this page, not the full CGI script address.
When we press this page's Download button to submit the form, the filename is transmitted to the server, and we get back the same page as before, when the filename was appended to the URL (see Figure 16-28). In fact, the filename will be appended to the URL here, too; the get method in the form's HTML instructs the browser to append the filename to the URL, exactly as if we had done so manually. It shows up at the end of the URL in the response page's address field, even though we really typed it into a form.[*]
[*] You may notice one difference in the response pages produced by the form and an explicitly typed URL: for the form, the value of the "filename" parameter at the end of the URL in the response may contain URL escape codes for some characters in the file path you typed. Browsers automatically translate some non-ASCII characters into URL escapes (just like urllib.quote). URL escapes were discussed earlier in this chapter; we'll see an example of this automatic browser escaping at work in an upcoming screenshot.
As long as CGI scripts have permission to open the desired server-side file, this script can be used to view and locally save any file on the server. For instance, Figure 16-30 shows the page we're served after asking for the file path PyMailCgi/pymailcgi.htmlan HTML text file in another application's subdirectory, nested within the parent directory of this script (we explore PyMailCGI in the next chapter). Users can specify both relative and absolute paths to reach a fileany path syntax the server understands will do.
More generally, this script will display any file path for which the username under which the CGI script runs has read access. On some servers, this is often the user "nobody"a predefined username with limited permissions. Just about every server-side file used in web applications will be accessible, though, or else they couldn't be referenced from browsers in the first place. When running our local web server, every file on the computer can be inspected: C:\Mark\WEBSITE\public_html\index.html works fine when entered in the form of Figure 16-29 on my laptop, for example.
That makes for a flexible tool, but it's also potentially dangerous if you are running a server on a remote machine. What if we don't want users to be able to view some files on the server? For example, in the next chapter, we will implement an encryption module for email account passwords. On our server, it is in fact addressable as PyMailCgi/cgi-bin/secret.py. Allowing users to view that module's source code would make encrypted passwords shipped over the Net much more vulnerable to cracking.
To minimize this potential, the getfile script keeps a list, privates, of restricted filenames, and uses the os.path.samefile built-in to check whether a requested filename path points to one of the names on privates. The samefile call checks to see whether the os.stat built-in returns the same identifying information (device and inode numbers) for both file paths. As a result, pathnames that look different syntactically but reference the same file are treated as identical. For example, on the server used for this book's second edition, the following paths to the encryptor module were different strings, but yielded a true result from os.path.samefile:
../PyMailCgi/secret.py /home/crew/lutz/public_html/PyMailCgi/secret.py
Unfortunately, the os.path.samefile call is supported on Unix, Linux, and Macs, but not on Windows. To emulate its behavior in Windows, we expand file paths to be absolute, convert to a common case, and compare:
>>> os.getcwd( ) 'C:\\PP3E-cd\\Examples\\PP3E\\Internet\\Web' >>> >>> x = os.path.abspath('../Web/PYMailCgi/cgi-bin/secret.py').lower( ) >>> y = os.path.abspath('PyMailCgi/cgi-bin/secret.py').lower( ) >>> z = os.path.abspath('./PYMailCGI/cgi-bin/../cgi-bin/SECRET.py').lower( ) >>> x 'c:\\pp3e-cd\\examples\\pp3e\\internet\\web\\pymailcgi\\cgi-bin\\secret.py' >>> y 'c:\\pp3e-cd\\examples\\pp3e\\internet\\web\\pymailcgi\\cgi-bin\\secret.py' >>> z 'c:\\pp3e-cd\\examples\\pp3e\\internet\\web\\pymailcgi\\cgi-bin\\secret.py' >>> x == y, y == Z (True, True)
Accessing any of the three paths expanded here generates an error page like that in Figure 16-31.
Notice that bona fide file errors are handled differently. Permission problems and attempts to access nonexistent files, for example, are trapped by a different exception handler clause, and they display the exception's messagefetched using Python's sys.exc_infoto give additional context. Figure 16-32 shows one such error page.
As a general rule of thumb, file-processing exceptions should always be reported in detail, especially during script debugging. If we catch such exceptions in our scripts, it's up to us to display the details (assigning sys.stderr to sys.stdout won't help if Python doesn't print an error message). The current exception's type, data, and traceback objects are always available in the sys module for manual display.
Do not install the getfile.py script if you truly wish to keep your files private! The private files list check it uses attempts to prevent the encryption module from being viewed directly with this script, but it may or may not handle all possible attempts, especially on Windows. This book isn't about security, so we won't go into further details here, except to say that on the Internet, a little paranoia is a Good Thing. Especially for systems installed on the general Internet at large, you should assume that the worst case scenario might eventually happen.
The getfile script lets us view server files on the client, but in some sense, it is a general-purpose file download tool. Although not as direct as fetching a file by FTP or over raw sockets, it serves similar purposes. Users of the script can either cut-and-paste the displayed code right off the web page or use their browser's View Source option to view and cut.
But what about going the other wayuploading a file from the client machine to the server? For instance, suppose you are writing a web-based email system, and you need a way to allow users to upload mail attachments. This is not an entirely hypothetical scenario; we will actually implement this idea in the next chapter, when we develop PyMailCGI.
As we saw in Chapter 14, uploads are easy enough to accomplish with a client-side script that uses Python's FTP support module. Yet such a solution doesn't really apply in the context of a web browser; we can't usually ask all of our program's clients to start up a Python FTP script in another window to accomplish an upload. Moreover, there is no simple way for the server-side script to request the upload explicitly, unless an FTP server happens to be running on the client machine (not at all the usual case). Users can email files separately, but this can be inconvenient, especially for email attachments.
So is there no way to write a web-based program that lets its users upload files to a common server? In fact, there is, though it has more to do with HTML than with Python itself. HTML <input> tags also support a type=file option, which produces an input field, along with a button that pops up a file-selection dialog. The name of the client-side file to be uploaded can either be typed into the control or selected with the popup dialog. The HTML page file in Example 16-29 defines a page that allows any client-side file to be selected and uploaded to the server-side script named in the form's action option.
<html><title>Putfile: upload page</title> <body> <form enctype="multipart/form-data" method=post <h1>Select client file to be uploaded</h1> <p><input type=file size=50 name=clientfile> <p><input type=submit value=Upload> </form> <hr><a href="cgi-bin/getfile.py?filename=cgi-bin/putfile.py">View script code</a> </body></html>
One constraint worth noting: forms that use file type inputs must also specify a multipart/form-data encoding type and the post submission method, as shown in this file; get-style URLs don't work for uploading files (adding their contents to the end of the URL doesn't make sense). When we visit this HTML file, the page shown in Figure 16-33 is delivered. Pressing its Browse button opens a file-selection dialog, while Upload sends the file.
On the client side, when we press this page's Upload button, the browser opens and reads the selected file and packages its contents with the rest of the form's input fields (if any). When this information reaches the server, the Python script named in the form action tag is run as always, as listed in Example 16-30.
#!/usr/bin/python ####################################################### # extract file uploaded by HTTP from web browser; # users visit putfile.html to get the upload form # page, which then triggers this script on server; # note: this is very powerful, and very dangerous: # you will usually want to check the filename, etc. # this may only work if file or dir is writable; # a Unix 'chmod 777 uploads' command may suffice; # file pathnames may arrive in client's path format; ####################################################### import cgi, os, sys import posixpath, ntpath, macpath # for client paths debugmode = False # True=print form info loadtextauto = False # True=read file at once uploaddir = './uploads' # dir to store files sys.stderr = sys.stdout # show error msgs form = cgi.FieldStorage( ) # parse form data print "Content-type: text/html\n" # with blank line if debugmode: cgi.print_form(form) # print form fields # html templates html = """ <html><title>Putfile response page</title> <body> <h1>Putfile response page</h1> %s </html>""" goodhtml = html % """ <p>Your file, '%s', has been saved on the server as '%s'. <p>An echo of the file's contents received and saved appears below. </p><hr> <p><pre>%s</pre> </p><hr> """ # process form data def splitpath(origpath): # get file at end for pathmodule in [posixpath, ntpath, macpath]: # try all clients basename = pathmodule.split(origpath)[1] # may be any server if basename != origpath: return basename # lets spaces pass return origpath # failed or no dirs def saveonserver(fileinfo): # use file input form data basename = splitpath(fileinfo.filename) # name without dir path srvrname = os.path.join(uploaddir, basename) # store in a dir if set if loadtextauto: filetext = fileinfo.value # reads text into string open(srvrname, 'wb').write(filetext) # save in server file else: srvrfile = open(srvrname, 'wb') # else read line by line numlines, filetext = 0, '' # e.g., for huge files while 1: line = fileinfo.file.readline( ) if not line: break srvrfile.write(line) filetext = filetext + line numlines = numlines + 1 filetext = ('[Lines=%d]\n' % numlines) + filetext os.chmod(srvrname, 0666) # make writable: owned by 'nobody' return filetext, srvrname def main( ): if not form.has_key('clientfile'): print html % "Error: no file was received" elif not form['clientfile'].filename: print html % "Error: filename is missing" else: fileinfo = form['clientfile'] try: filetext, srvrname = saveonserver(fileinfo) except: errmsg = '<h2>Error</h2><p>%s<p>%s' % tuple(sys.exc_info( )[:2]) print html % errmsg else: print goodhtml % (cgi.escape(fileinfo.filename), cgi.escape(srvrname), cgi.escape(filetext)) main( )
Within this script, the Python-specific interfaces for handling uploaded files are employed. They aren't very new, really; the file comes into the script as an entry in the parsed form object returned by cgi.FieldStorage, as usual; its key is clientfile, the input control's name in the HTML page's code.
This time, though, the entry has additional attributes for the file's name on the client. Moreover, accessing the value attribute of an uploaded file input object will automatically read the file's contents all at once into a string on the server. For very large files, we can instead read line by line (or in chunks of bytes) to avoid overflowing memory space. For illustration purposes, the script implements either scheme: based on the setting of the loadtextauto global variable, it either asks for the file contents as a string, or reads it line by line.[*] In general, the CGI module gives us back objects with the following attributes for file upload controls:
[*] Internally, Python's cgi module stores uploaded files in temporary files automatically; reading them in our script simply reads from that temporary file. If they are very large, though, they may be too long to store as a single string in memory all at once.
filename
The name of the file as specified on the client
file
A file object from which the uploaded file's contents can be read
value
The contents of the uploaded file (read from the file on demand)
Additional attributes are not used by our script. Files represent a third input field object; as we've also seen, the value attribute is a string for simple input fields, and we may receive a list of objects for multiple-selection controls.
For uploads to be saved on the server, CGI scripts (run by the user "nobody" on some servers) must have write access to the enclosing directory if the file doesn't yet exist, or to the file itself if it does. To help isolate uploads, the script stores all uploads in whatever server directory is named in the uploaddir global. On one Linux server, I had to give this directory a mode of 777 (universal read/write/execute permissions) with chmod to make uploads work in general. This is a nonissue with the local web server used in this chapter, but your mileage may vary; be sure to check permissions if this script fails.
The script also calls os.chmod to set the permission on the server file such that it can be read and written by everyone. If it is created anew by an upload, the file's owner will be "nobody" on some servers, which means anyone out in cyberspace can view and upload the file. On one Linux server, though, the file will also be writable only by the user "nobody" by default, which might be inconvenient when it comes time to change that file outside the Web (the degree of pain can vary per operation).
Isolating client-side file uploads by placing them in a single directory on the server helps minimize security risks: existing files can't be overwritten arbitrarily. But it may require you to copy files on the server after they are uploaded, and it still doesn't prevent all security risksmischievous clients can still upload huge files, which we would need to trap with additional logic not present in this script as is. Such traps may be needed only in scripts open to the Internet at large.
If both client and server do their parts, the CGI script presents us with the response page shown in Figure 16-34, after it has stored the contents of the client file in a new or existing file on the server. For verification, the response gives the client and server file paths, as well as an echo of the uploaded file with a line count (in line-by-line reader mode).
Incidentally, we can also verify the upload with the getfile program we wrote in the prior section. Simply access the selection page to type the pathname of the file on the server, as shown in Figure 16-35.
If the file upload is successful, the resulting viewer page we will obtain looks like Figure 16-36. Since the user "nobody" (CGI scripts) was able to write the file, "nobody" should be able to view it as well.
Notice the URL in this page's address fieldthe browser translated the / character we typed into the selection page to a %2F hexadecimal escape code before adding it to the end of the URL as a parameter. We met URL escape codes like this earlier in this chapter. In this case, the browser did the translation for us, but the end result is as if we had manually called one of the urllib quoting functions on the file path string.
Technically, the %2F escape code here represents the standard URL translation for non-ASCII characters, under the default encoding scheme browsers employ. Spaces are usually translated to + characters as well. We can often get away without manually translating most non-ASCII characters when sending paths explicitly (in typed URLs). But as we saw earlier, we sometimes need to be careful to escape characters (e.g., &) that have special meaning within URL strings with urllib tools.
In the end, the putfile.py script stores the uploaded file on the server within a hardcoded uploaddir directory, under the filename at the end of the file's path on the client (i.e., less its client-side directory path). Notice, though, that the splitpath function in this script needs to do extra work to extract the base name of the file on the right. Some browsers may send up the filename in the directory path format used on the client machine; this path format may not be the same as that used on the server where the CGI script runs. This can vary per browser, but it should be addressed for portability.
The standard way to split up paths, os.path.split, knows how to extract the base name, but only recognizes path separator characters used on the platform on which it is running. That is, if we run this CGI script on a Unix machine, os.path.split chops up paths around a / separator. If a user uploads from a DOS or Windows machine, however, the separator in the passed filename is \, not /. Browsers running on a Macintosh may send a path that is more different still.
To handle client paths generically, this script imports platform-specific, path-processing modules from the Python library for each client it wishes to support, and tries to split the path with each until a filename on the right is found. For instance, posixpath handles paths sent from Unix-style platforms, and ntpath recognizes DOS and Windows client paths. We usually don't import these modules directly since os.path.split is automatically loaded with the correct one for the underlying platform, but in this case, we need to be specific since the path comes from another machine. Note that we could have instead coded the path splitter logic like this to avoid some split calls:
def splitpath(origpath): # get name at end basename = os.path.split(origpath)[1] # try server paths if basename == origpath: # didn't change it? if '\\' in origpath: basename = origpath.split('\\')[-1] # try DOS clients elif '/' in origpath: basename = origpath.split('/')[-1] # try Unix clients return basename
But this alternative version may fail for some path formats (e.g., DOS paths with a drive but no backslashes). As is, both options waste time if the filename is already a base name (i.e., has no directory paths on the left), but we need to allow for the more complex cases generically.
This upload script works as planned, but a few caveats are worth pointing out before we close the book on this example:
Firstly, putfile doesn't do anything about cross-platform incompatibilities in filenames themselves. For instance, spaces in a filename shipped from a DOS client are not translated to nonspace characters; they will wind up as spaces in the server-side file's name, which may be legal but are difficult to process in some scenarios.
Secondly, reading line by line means that this CGI script is biased toward uploading text files, not binary datafiles. It uses a wb output open mode to retain the binary content of the uploaded file, but it assumes the data is text in other places, including the reply page. See Chapter 4 for more about binary file modes.
If you run into any of these limitations, you will have crossed over into the domain of suggested exercises.
Finally, let's discuss some context. We've seen three getfile scripts at this point in the book. The one in this chapter is different from the other two we wrote in earlier chapters, but it accomplishes a similar goal:
This chapter's getfile is a server-side CGI script that displays files over the HTTP protocol (on port 80).
In Chapter 13, we built a client- and server-side getfile to transfer with raw sockets (on port 50001).
In Chapter 14, we implemented a client-side getfile to ship over FTP (on port 21).
In Example 16-27, we wrote a script named getfile.py, a Python CGI program designed to display any public server-side file, within a web browser (or other recipient) on the requesting client machine. It uses a Content type of text/plain or text/html to make the requested file's text show up properly inside a browser. In the description, we compared getfile.py to a generalized CGI download tool, when augmented with cut-and-paste or save-as interactions.
While real, getfile.py was intended to mostly be a file display tool only, not a CGI download demo. If you want to truly and directly download a file by CGI (instead of displaying it in a browser or opening it with an application), you can usually force the browser to pop up a Save As dialog for the file on the client by supplying the appropriate Content-type line in the CGI reply.
Browsers decide what to do with a file using either the file's suffix (e.g., xxx.jpg is interpreted as an image), or the Content-type line (e.g., text/html is HTML code). By using various MIME header line settings, you can make the datatype unknown and effectively render the browser clueless about data handling. For instance, a Content type of application/octet-stream in the CGI reply generally triggers the standard Save As dialog box in a browser.
This strategy is sometimes frowned on, though, because it leaves the true nature of the file's data ambiguousit's usually better to let the user/client decide how to handle downloaded data, rather than force the Save As behavior. It also has very little to do with Python; for more details, consult a CGI-specific text, or try a web search on "CGI download".
Really, the getfile CGI script in this chapter simply displays files only, but it can be considered a download tool when augmented with cut-and-paste operations in a web browser. Moreover, the CGI- and HTTP-based putfile script here is also different from the FTP-based putfile in Chapter 14, but it can be considered an alternative to both socket and FTP uploads.
The point to notice is that there are a variety of ways to ship files around the Internetsockets, FTP, and HTTP (web pages) can move files between computers. Technically speaking, we can transfer files with other techniques and protocols tooPost Office Protocol (POP) email, Network News Transfer Protocol (NNTP) news, Telnet, and so on.
Each technique has unique properties but does similar work in the end: moving bits over the Net. All ultimately run over sockets on a particular port, but protocols like FTP add additional structure to the socket layer, and application models like CGI add both structure and programmability.
In the next chapter, we're going to use what we've learned here to build a substantial application that runs entirely on the WebPyMailCGI, a web-based email tool, which allows us to send and view emails in a browser, process email attachments such as images and audio files, and more. At the end of the day, though, it's mostly just bytes over sockets, with a user interface. | https://flylib.com/books/en/2.726.1.157/1/ | CC-MAIN-2019-43 | refinedweb | 5,213 | 60.24 |
PpsOpenMode
#include <bb/PpsOpenMode>
To link against this class, add the following line to your .pro file: LIBS += -lbb
Bitfield values passed to the PpsObject::open() method.
Either Publish, Subscribe, or PublishSubscribe must always be used. Create and DeleteContents are optional.
BlackBerry 10.0.0
Public Types Index
Public Types
Bitfield values passed to the PpsObject::open() method.
BlackBerry 10.0.0
- Publish = 1
The PPS object will open for writing only.Since:
BlackBerry 10.0.0
- Subscribe = 2
The PPS object will open for reading only.Since:
BlackBerry 10.0.0
- PublishSubscribe = Publish | Subscribe
The PPS object will open for reading and writing.Since:
BlackBerry 10.0.0
- Create = 4
The PPS object does not currently exist and will be created on open.
If the PPS object does exist, open() will fail.Since:
BlackBerry 10.0.0
- DeleteContents = 8
All existing attributes of the PPS object will be deleted on open.Since:
BlackBerry 10.0.0 | http://developer.blackberry.com/cascades/reference/bb__ppsopenmode.html | CC-MAIN-2013-20 | refinedweb | 157 | 62.95 |
Posted 06 Jul 2015
Link to this post
Intermittently in my project, tests within test lists are failing to navigate to the webpage being tested. The browser (IE, Firefox, Chrome) does not load the webpage, the test times out, and fails. I have increased timeout times, but eventually the browser itself times out. I am not seeing this issue with quick execution. These test lists are scheduled and executed on a virtual machine.
Using TS Ultimate, version: 2015.1.528.0
Has anyone else run into this problem, or does anyone have an idea of what might be the issue?
Posted 09 Jul 2015
Link to this post
Posted 10 Jul 2015
in reply to
Ivaylo
Link to this post
Hi Admin,
I am using Telerik Test Studio 2015.1 (standalone Tool) since last 4-5 days. I am evaluating this tool for Automation test for our Silverlight 5 Application. In our App we have file export feature that can export a file, and I want to name the file with DateTime. But after recording the export functionality. I only found below code
"Pages.PSODashboard.SilverlightApp0.TxtExportTextblock.User.Click(ArtOfTest.WebAii.Core.MouseClickType.LeftClick, 17, 38, ArtOfTest.Common.OffsetReference.TopLeftCorner, ArtOfTest.Common.ActionPointUnitType.Percentage, ((System.Windows.Forms.Keys)(0)));"
how can I add my code that will name the file. If I need to use some namespaces can I add them here, or should I use Visual Studio and Test Studio plugin and then code it.
I was looking into your videos and documentation but, I could not find the one that can help me. Could you please point or guide to the appropriate ones.
Thanks,
Raja
Posted 10 Jul 2015
Link to this post
Posted 23 Jul 2015
in reply to
Cody
Link to this post
Posted 28 Jul 2015
Link to this post
Hi Boyan,
Thanks for your response. I had downloaded the 152.7.15.0 version to a brand new workstation late last week, which is the one I had the issues with. The 'AccessDatabaseEngine' script did help the issue considerably. At what point will this script be integrated as part of the download and/or install process? This isn't the first time that issue has come up. It is hard to remember these rarely used steps involved in upgrading or preparing a new workstation for Test Studio.
In the meantime, I have downloaded the latest 152.7.23.0 version and it is working as I would expect it to.
Thanks again for your help,
Lisa
(for Donna)
Posted 31 Jul 2015
Link to this post
Posted 24 Nov 2015
Link to this post
I am facing similar issue on 2015.3.1015.0 build. A test list has 15 test and after 3-4 test execute it just launches the IE for rest of the test in a test list
Posted 27 Nov 2015
Link to this post | https://www.telerik.com/forums/test-lists-failing-to-navigate-to-website-under-test | CC-MAIN-2017-47 | refinedweb | 485 | 72.76 |
NameNode High Availability in Hadoop HDFS
1. NameNode High Availability: Objective
In this Blog about Hadoop NameNode High Availability HDFS, you can read all about how hadoop high availability is achieved in Hadoop HDFS? This HDFS tutorial will provide you a complete introduction to HDFS Namenode, Hadoop high availability architecture, HDFS and its implementation. Quorum Journal Nodes and Fencing of NameNode in hadoop is also covered in this blog. if at any point you face a query on HDFS NameNode High Availability, just comment.
2. Introduction to HDFS NameNode
Hadoop Distributed FileSystem-HDFS is the world’s most reliable storage system. HDFS is a FileSystem of Hadoop designed for storing very large files.
HDFS architecture follows master /slave topology in which master is NameNode and slaves is DataNode..
Before Hadoop 2.0.0, the NameNode was a single point of failure (SPOF) in an HDFS cluster. Each cluster had a single NameNode, and if NameNode fails, the cluster as a whole would be out services. The cluster will be unavailable until the NameNode restarts or brought on a separate machine.
NameNode SPOF problem limit availability in following ways:
- Planned maintenance activities like software or hardware upgrades on the Namenode would result in downtime of the Hadoop cluster.
- If any unplanned event triggers, like machine crash, then cluster would be Unavailable unless an operator restarted the new namenode.
Now let us move ahead with the NameNode high availability feature
Learn: Architecture of HDFS
If these professionals can make a switch to Big Data, so can you:
3. Hadoop NameNode High Availability Architecture
Hadoop 2.0 overcomes this SPOF by providing support for many NameNode. HDFS NameNode High Availability architecture provides the option of running two redundant NameNodes in the same cluster in an active/passive configuration with a hot standby.
- Active NameNode – It handles all client operations in the cluster.
- Passive NameNode – It is a standby namenode, which has similar data as active NameNode. It acts as a slave, maintains enough state to provide a fast failover, if necessary.
If Active NameNode fails, then passive NameNode takes all the responsibility of active node and cluster continues to work.
Issues in maintaining consistency in the HDFS High Availability cluster are as follows:
- Active and Standby NameNode should always be in sync with each other, i.e. they should have the same metadata. This permit to reinstate the Hadoop cluster to the same namespace state where it got crashed. And this will provide us to have fast failover.
- There should be only one NameNode active at a time. Otherwise, two NameNode will lead to corruption of the data. We call this scenario as a “Split-Brain Scenario”, where a cluster gets divided into the smaller cluster. Each one believes that it is the only active cluster. “Fencing” avoids such scenarios. Fencing is a process of ensuring that only one NameNode remains active at a particular time.
After Hadoop High availability architecture let us have a look at the implementation of Hadoop NameNode high availability.
Learn: How MapReduce works
4. Implementation of NameNode High Availability Architecture
In HDFS NameNode High Availability Architecture, two NameNodes run at the same time. We can Implement the Active and Standby NameNode configuration in following two ways:
- Using Quorum Journal Nodes
- Using Shared Storage
4.1. Using Quorum Journal Nodes
QJM is an HDFS implementation. It is designed to provide edit logs. It allows sharing these edit logs between the active namenode and standby namenode.
For High Availability, standby namenode communicates and synchronizes with the active namenode. It happens through a group of nodes or daemons called “Journal nodes”. The QJM runs as a group of journal nodes. There should be at least three journal nodes.
For N journal nodes, the system can tolerate at most (N-1)/2 failures and continue to function. So, for three journal nodes, the system can tolerate the failure of one {(3-1)/2} of them.
When datanodes and they send block location information and heartbeats to both NameNode.
Learn: Erasure Coding
Any doubt yet HDFS NameNode High Availability? Please Comment.
4.1.1. Fencing of NameNode
For the correct operation of an HA cluster, only one of the namenodes should active at a time. Otherwise, the namespace state would deviate between the two namenodes. So, fencing is a process to ensure this property in a cluster.
- The journal nodes perform this fencing by allowing only one namenode to be the writer at a time.
- The standby namenode takes the responsibility of writing to the journal nodes and prohibit any other namenode to remain active.
- Finally, the new active namenode can perform its activities.
Learn: What is HDFS Disk Balancer
4.2. Using Shared Storage
Standby and active namenode synchronize with each other by using “shared storage device”. For this implementation, both active namenode and standby namenode must have access to the particular directory on the shared storage device (.i.e. Network file system).
When active namenode perform any namespace modification, it logs a record of the modification to an edit log file stored in the shared directory. The standby namenode watches this directory for edits, and when edits occur, the standby namenode applies them to its own namespace. In the case of failure, the standby namenode will ensure that it has read all the edits from the shared storage before promoting itself to the Active state. This ensures that the namespace state is completely synchronized before failover occurs.
To prevent the “split-brain scenario” in which the namespace state deviates between the two namenode, an administrator must configure at least one fencing method for the shared storage.
Learn: HDFS Federation
This was all on HDFS Namenode High Availability Tutorial.
5. NameNode High Availability – Conclusion
Concluding this article on NameNode High availability, I would say that Hadoop 2.0 HDFS HA provide for single active namenode and single standby namenode. But some deployments need a high degree of fault-tolerance. Hadoop new version 3.0, allows the user to run many standby namenodes. For example, configuring five journalnodes and three namenode. As a result hadoop cluster is able to tolerate the failure of two nodes rather than one.
See Also-
If you have any query about HDFS namenode high availability, so, please leave a comment.
what is the difference in HA with NFS and QJM , which one is more preferable? | https://data-flair.training/blogs/hadoop-hdfs-namenode-high-availability/ | CC-MAIN-2019-47 | refinedweb | 1,057 | 56.86 |
hi.
couple questions:
1) I am trying to index /usr/include at once using semanticdb.sh. Once the
database is complete, how can I disable parsing include files from that
directory while still retaining cached tags?
2) right now it seems semantic DB with global back end expects to find GTAGS
in every directory. If the directory and all its children are indexed in
one file, is it possible to instruct
semantic to use that tags for all subdirectories?
couple bugs?
3) I am encountering some problems where semantic finds function like
macro. Especially things go bad in boost/mpl which uses macros heavily.
Does current semantic able to handle such macros?
4) in some g++ installations limits.h must include compiler-proper limits.h
from /usr/lib/... using include_next directive. One of the offending macros
is LLONG_MAX and its derivatives.
On Wed, Feb 10, 2010 at 8:56 PM, Paulo J. Matos <pocmat?
>
>
This is not related to cedet, but there is an opensource tool called
CodeViz could be used for the purpose. Check this out.
Best regards,
/Adam
> Cheers,
>
> PMatos
>
>
> ------------------------------------------------------------------------------
> SOLARIS 10 is the OS for Data Centers - provides features such as DTrace,
> Predictive Self Healing and Award Winning ZFS. Get Solaris 10 NOW
>
> _______________________________________________
> Cedet-devel mailing list
> Cedet-devel@...
>
>
--
Adam Jiang
-☆-★-☆-★-☆-★-☆-★-☆-★-☆-★-☆-★-
-☆-★-☆-★-☆-★-☆-★-☆-★-☆-★-☆-★-
On 02/10/2010 06:56 AM, Paulo J. Mat?
Howdy,
There is cogre for drawing graphs, but the only call graph I've done is
an eieio example for Elisp only.
Hooking up GNU/Global or IDUtils, and then writing a script to use
semantic symref seems like a clever way to gather a bunch of data.
COGRE provides a simple way to create a pile of nodes. If you then have
dot installed (the AT&T graph layout routines), COGRE will do a layout
of the graph, and can port it into various fancy output formats like PS,
or PNG.
If you look in cogre-uml-quick-class, you will see that the graph
creation part is only 11 lines long.
For the symref code, the initernal API that provides the raw data is
pretty easy too. If you look in semantic-symref, you will see that
getting the data is 2 lines of code. One for getting the tag under
point, and another to retrieve the symref object. Once you have that,
you can semantic-symref-result-get-tags, and then just get the :hit-tags
from the results, and you are good to go for dumping out a pile of COGRE
nodes.
To make it super-useful, creating custom cogre nodes that handle events
for showing source would be neat too. I think dot output supports
making HTML image maps. There are a few options here once the call
graph is generated.
Cool idea. It hadn't occurred to me that we were so close to getting
such a tool built, and it would probably be language agnostic, and work
for almost anything.
Eric
On 02/09/2010 08:47 PM, Jan Moringen wrote:
> On Tue, 2010-02-09 at 13:45 -0500, Eric M. Ludlam wrote:
>>> and then the :using-namespace would need to query "used-namespace",
>>> and then from that list of dictionaries, query each for NAMESPACE.
>
> Thanks, I was able to use the new mechanism in my use case.
>
> While working on the :using-namespace handler, I realized my original
> implementation was rather dumb. My new implementation is based on
> semantic's scope analysis facility and, as I realized after writing it,
> is not specific to C++.
>
> Attached is the new, generic, argument handler, helper functions, an
> example template and example C++ file.
>
> Comments on whether the generic approach makes sense and, if it does,
> where the functions should be added would be very helpful.
Hi Jan,.
Your 'maybe qualify' function is interesting, since it will also
partially qualify for particularly deep names, or so how I interpreted
the code after a quick read.
The srecode piece could go in srecode-semantic.el, and to core bits
could be used by default when inserting any tag, though I don't recall
if the tag system is robust enough to handle fully qualified names as is.
Thanks!
Eric
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/cedet/mailman/cedet-devel/?viewmonth=201002&viewday=12 | CC-MAIN-2017-26 | refinedweb | 742 | 64.1 |
Hi,
I am new in using Dataiku API. I tried some simple examples such as create dataset, delete dataset and so on. Also I found one of your examples that creates Python recipe and sets inputs and outputs
from dataikuapi import GroupingRecipeCreator
builder = GroupingRecipeCreator('test_group', project)
builder = builder.with_input("input_dataset_name")
builder = builder.with_new_output("output_dataset_name", "hdfs_managed", format_option_id="PARQUET_HIVE")
builder = builder.with_group_key("quantity") # the recipe is created with one grouping key
recipe = builder.build()
Basically object builder helps to create a recipe. But is there any way to run a recipe? Or is it only possible to run this in Dataiku manually?
Hi Povilas,
The philosophy of running a flow of datasets, recipes and models in Dataiku revolves around the concept of Job and Scenario. In the API, you do not run a Recipe but rather build its output, either using a Job or a Scenario.
If you plan on using different elements of the API to create a Dataiku project, test it and automate it, I would advise:
1. Creating the datasets, recipes and models using, and
2. Build/train some datasets/models by launching Jobs building the outputs(s) of the recipe:
3. Create a scenario to automate the update of datasets and models:
In general, it may be faster to use the interface to initialize a "template project", including scenarios. Then copy this template several times with some programmatic changes using the API.
Hope it helps,
Alex | https://community.dataiku.com/t5/Using-Dataiku-DSS/Run-a-recipe-using-Dataiku-API/m-p/2756/highlight/true | CC-MAIN-2021-21 | refinedweb | 238 | 66.44 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.