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 |
|---|---|---|---|---|---|
Java-through switch branches, you are less likely to introduce a logical error in a switch expression.
In this blog, we’ll cover the pain points of using existing switch statements, define switch expressions, and explain why they are good for you.
To use Switch Expressions, we’ll need IntelliJ IDEA 2019.1. It is free to download in its Early Access Program from our website. Java 12 language features are not supported in 2018.3 or earlier versions of IntelliJ IDEA. Let’s get started.
Traditional switch constructs
If you think of a switch construct as a multi-way condition, using an expression seems to be a better fit. However, switch could only be used as a statement until now. The current switch syntax is constrained and verbose. It often leads to error-prone code that is difficult to debug.
Here’s an example that uses a switch statement to calculate the
height of a chair, based on the
size value passed to it:
public enum Size {S, M, L, XL}; public class Chair { public void calcHeight(Size size) { int height = 0; switch (size) { case S: height = 18; case M: height = 20; break; case L: height = 25; break; } } }
The preceding code has multiple issues:
- Repetitive
breakand assignment statements add noise to code.
- Code verbosity makes it difficult to comprehend the code.
- Default fall-through in switch branches sneaks in a logical error – the missing
breakstatement for case label
Slets the control fall through to case label
M. This results in assignment of 20 instead of 18 to
heightwhen you execute
calcHeight(Size.S).
Switch expressions
Let’s rewrite the preceding example using a switch expression. In IntelliJ IDEA, you can use Alt+Enter on the
switch keyword to see the suggestions. Select ‘Replace with enhanced ‘switch’ statement’ to convert the traditional
switch statement to a switch expression:
The preceding code offers multiple benefits:
- Code in a switch branch is concise and easy to read. You define what to execute to the right of
->.
- Switch branches can return a value, which can be used to assign value to a variable.
- Switch branches don’t need a
breakstatement to mark their end. In absence of a
breakstatement, the control doesn’t fall through the switch labels – which helps avoid logical errors.
Returning value vs. executing statements
When you aren’t using a switch expression to return a value, a switch branch can choose to execute a statement or block of statements, or even throw an exception:
public enum Size {S, M, L, XL}; public class NotReturningValueFromSwitchLabel { public void calcHeight(Size size) { int height = 0; switch (size) { case S -> height = 18; case M -> { height = 20; System.out.println(height); } case L -> height = 25; } } }
Handling all possible argument values
When you are using a switch expression to return a value, it should be able to handle all possible values that you could pass to it as an argument. For instance, if you miss a case label corresponding to an enum constant, IntelliJ IDEA detects it. It offers to insert the specific case label or
default case label.
By default, IntelliJ IDEA inserts a default value depending on the variable type. You can edit the placeholder value:
Types other than an enum can have infinite values. When you pass types like
byte,
short,
int, or
String and miss including the
default label, IntelliJ IDEA can detect and fix it:
Define multiple constants in the same case label
Unlike switch statements, switch expressions allow you to define comma-separated multiple constants in a case label. This cuts down code redundancy – you can execute the same code for all case labels.
If you define redundant code for your case labels in a switch expression, IntelliJ IDEA can fix it for you:
Local variables and break statements in switch branches
With switch expressions, you can define local variables in switch branches. The block must include a
break statement specifying the value to return:
enum Size {S, M, L, XL}; public class LocalVariablesWithSwitch { public void assignValue(Size size) { int height = 0; height = switch(size) { case S -> 18; case M -> { int weight = 19; break (weight > 10 ? 15 : 20); } case L, XL -> 25; }; } }
The case label for value M defines a block statement. A block can also define local variables (weight in this case). The scope and accessibility of the local variable
weightis limited to the case label M. Notice how a switch expression uses a
breakstatement to return a value.
Just in case you miss defining a return value for a switch branch, IntelliJ IDEA underlines the keyword
case. When you hover the mouse pointer over it, you can view the message about the missing return value:
Preview language feature
Switch expressions is a preview language feature. This essentially means that even though it is complete, it has a possibility of not being confirmed as a permanent feature in a future Java release. This happens for a reason.
Java runs on billions of devices and is used by millions of developers. Risks are high for any mistake in a new Java language feature. Before permanently adding a language feature to Java, the architects of Java evaluate what the developers have to say about it – how good or bad it is. Depending on the feedback, a preview feature might be refined before it’s added to Java SE, or dropped completely. So, if you have any feedback on Switch expressions, please share it here.
IntelliJ IDEA Configuration
Since Switch expressions is a Java 12 language feature, please download and install OpenJDK 12 and configure it to use with IntelliJ IDEA:
Java is evolving and switch expressions is one of the welcome changes in Java 12.
Happy Coding!
10 Responses to Java 12 and IntelliJ IDEA
SAYAD Zinedine says:February 26, 2019
Amazing ide just waaaw
Robin Jonsson says:March 20, 2019
I have the new IntelliJ 2018.3.5 but I cannot for the life of me get this to work?!
There is no “Language level: (Preview) 12 Switch expressions”.
All I have in the dropdown is “12 No new language features”
What do?
Karthik says:March 28, 2019
You need to update to 2019.2 to get this. You are already on a page of 2019 features.
Mala Gupta says:March 20, 2019
Hi Robin, please download IntelliJ IDEA 2019.1 (FREE in Early Access Program) from to use Switch expressions.
Switch expressions are not supported in 2018.3 or earlier versions of IntelliJ IDEA.
Andras says:March 20, 2019
Despite using JDK 12 GA and IDEA 2019.1 beta 3 with language level “12 (Preview) – Switch Exceptions” the feature is still not active in the Gradle project. The language level applies to all modules. I also set the source and target compatibility to 12.
Andras says:March 20, 2019
Got it: the submodules did have the settings, but “main” and “test” below didn’t
Marcel says:March 21, 2019
You made a little mistake in your classic switch example.
You’ve forgot the break in the first case ‘S’
Nagy Attila says:May 29, 2019
Thank you for highlighting this issue!
I do not understand why IDEA does not offered the suggestion to replace it with enhanced switch, but after this change it worked well!
Marcel says:March 21, 2019
NVM I should have read further
Juca says:September 6, 2019
I’m on Intellij version 2019.2 and Jdk 12 is set up, but it doesn’t allow the option “12 (Preview) – Switch Expression, raw string literal”. I want to use String literals in my project | https://blog.jetbrains.com/idea/2019/02/java-12-and-intellij-idea/ | CC-MAIN-2021-17 | refinedweb | 1,259 | 61.87 |
Xalan: Extending XSLT with Java
If you have developed with XML, you probably have learned XSLT (Extensible Stylesheet Language Transformations), the transformation language underlying so many XML solutions. Developers use XSLT to transform XML documents to HTML, enabling fast publishing of XML. It can also be used to convert between different XML vocabularies (DTDs), such as DocBook and XHTML or WML.
XSLT Fell ShortTo introduce this example, I need to discuss ISBN (International Standard Book Number) briefly. Look on the back of any book and you will see an ISBN along with the barcode. The ISBN is a number that uniquely identifies the book. No two titles have the same number across the publishing industry worldwide.
Listing 1 is an XML purchase order. The order simply lists books by ISBN, there is no need to include titles or author names: the ISBN prevents confusion, and it saves bandwidth, which can be important when ordering thousands of books at a time.
<?xml version="1.0"?> <PurchaseOrder> <From> <Address>Playfield Bookstore</Address> <Address>34 Fountain Square Plaza</Address> <Address>Cincinnati, OH 45202</Address> </From> <To> <Address>Que</Address> <Address>201 West 103RD Street</Address> <Address>Indianapolis, IN 46290</Address> </To> <List> <Book> <ISBN>0789722429</ISBN> <Quantity>5</Quantity> </Book> <Book> <ISBN>0789724308</ISBN> <Quantity>3</Quantity> </Book> </List> </PurchaseOrder>
Listing 1: A purchase order in XML.
Yet, even though the ISBN is efficient, people find titles friendlier; so if we were to write an XSLT stylesheet to transform Listing 1 in HTML, it would be logical to print the titles next to the ISBN. How so? Well, there are so many books in print that the only option is to lookup the titles in an ISBN database.
Wait, how do you query a database from XSLT? There is no JDBC equivalent! Again XSLT does 90% of what we need (converting XML to HTML), but it lacks the final 10% (querying the database). Fortunately, we can work around this limitation with some Java coding.
XSLT Extensions
Wisely, the W3C built an extension mechanism into XSLT. It allows the programmer to define new functions and new elements. Unfortunately, the W3C did not completely specify the extension mechanism. Therefore, vendors have implemented extensions differently. This article was tested with Xalan 1.0 (the Apache XSLT processor, available from xml.apache.com), you will find that other XSL processors differ slightly in their implementation.
As a Java programmer, it is not difficult to write a function to query a relational database. However, for simplicity, I won't use a real database but a hashtable. A hashtable is enough to demonstrate the extension, but it is simpler to write.
Listing 2 is the code for the extension in Java. It creates a new XSLT element and a new XSLT function .
package com.psol.xslxt; import java.util.Hashtable; import org.apache.xalan.xslt.*; public class Dictionary { protected Hashtable hashtable = new Hashtable(); public Dictionary() {} public void put(XSLProcessorContext context, ElemExtensionCall extElem) { String key = extElem.getAttribute("key"), value = extElem.getAttribute("value"); hashtable.put(key,value); } public String get(String key) { String value = (String)hashtable.get(key); return null != value ? value : ""; } }
Listing 2: Dictionary.java.
Xalan calls this class when it encounters the element or the function in a style sheet. The method takes two parameters: a pointer to context information and a pointer to the extension element. Using the latter, the method retrieves the element's attribute and populates the hashtable.
As for the method, it is a straightforward Java method, but its signature must match the signature of the XSLT function. It looks up a value in the hashtable and returns the result.
Listing 3 is an XSLT stylesheet that demonstrates how to call the Dictionary. If you are new to XSLT, don't panic. The stylesheet is only one template long ( ), and it is a straightforward one. The template is HTML code mixed with XSLT elements ( , ) to extract data from the source XML document.
<?xml version="1.0" encoding="ISO-8859-1"?> <xsl:stylesheet xmlns: <axslt:component <axslt:script </axslt:component> <xsl:output <xsl:template <psol:put <psol:put <HTML> <HEAD><TITLE>Purchase Order</TITLE></HEAD><BODY> <H1>Purchase Order</H1> <TABLE BORDER="1"> <TR><TD>From</TD><TD>To</TD></TR> <TR><TD><xsl:for-each <xsl:value-of<BR/> </xsl:for-each></TD> <TD><xsl:for-each <xsl:value-of<BR/> </xsl:for-each></TD></TR> </TABLE> <TABLE BORDER="1"> <TR><TD>ISBN</TD><TD>Title</TD> <TD>Quantity</TD></TR> <xsl:for-each <xsl:variable <TR><TD><xsl:value-of</TD> <TD><xsl:value-of</TD> <TD ALIGN="RIGHT"><xsl:value-of</TD> </TR> </xsl:for-each> </TABLE> </BODY></HTML> </xsl:template> </xsl:stylesheet>
Listing 3: The XSLT Stylesheet.
Let's review the stylesheet step by step:
- The style sheet declares an extra namespace ( associated with the psol prefix) for the extensions.
- It further declares psol as an extension-element-prefix.
- Next, it links to the implementation using the and elements. Unlike extension-element-prefixes, and are specific to Xalan (as their namespace indicates). They declare the new element and function and associate them with a Java class. Xalan uses the Bean Scripting Framework to load the extensions, so you could also write in JavaScript, JPython, Tcl, Perl or other BSF-compliant languages.
- The style sheet calls and . Note the use of the function to convert the parameter from a DOM Node to a string, so the function call matches the signature of the Java method. Also worth noting is the use of the psol prefix to differentiate extension elements and functions from standard ones.
Running the Example
You need Xalan 1.0.0, Xerces 1.0.2, and the Bean Scripting Framework in your classpath to run this example. You can download them from the xml.apache.org Web site. Alternatively, you can download a snapshot of this project from my own site.
Conclusion
As interest for XML continues to grow, XSLT becomes a powerful addition to your Java toolbox. XSLT does only one thing (transforming XML documents), but it does it well. However, since we can extend XSLT with new elements and functions written in Java, its applications are limitless.
For example, you could write XSLT extensions to query a database, perform heavy-duty calculation, issue RMI requests, or simply communicate between the stylesheet and a user interface. XML book.
| http://www.developer.com/tech/article.php/629071/Xalan-Extending-XSLT-with-Java.htm | CC-MAIN-2015-11 | refinedweb | 1,058 | 56.96 |
/*
* Buffering to output and input.
*
*_BUFFER_H
#define _ZEBRA_BUFFER_H
/* Create a new buffer. Memory will be allocated in chunks of the given
size. If the argument is 0, the library will supply a reasonable
default size suitable for buffering socket I/O. */
extern struct buffer *buffer_new (size_t);
/* Free all data in the buffer. */
extern void buffer_reset (struct buffer *);
/* This function first calls buffer_reset to release all buffered data.
Then it frees the struct buffer itself. */
extern void buffer_free (struct buffer *);
/* Add the given data to the end of the buffer. */
extern void buffer_put (struct buffer *, const void *, size_t);
/* Add a single character to the end of the buffer. */
extern void buffer_putc (struct buffer *, u_char);
/* Add a NUL-terminated string to the end of the buffer. */
extern void buffer_putstr (struct buffer *, const char *);
/* Combine all accumulated (and unflushed) data inside the buffer into a
single NUL-terminated string allocated using XMALLOC(MTYPE_TMP). Note
that this function does not alter the state of the buffer, so the data
is still inside waiting to be flushed. */
char *buffer_getstr (struct buffer *);
/* Returns 1 if there is no pending data in the buffer. Otherwise returns 0. */
int buffer_empty (struct buffer *);
typedef enum
{
/* An I/O error occurred. The buffer should be destroyed and the
file descriptor should be closed. */
BUFFER_ERROR = -1,
/* The data was written successfully, and the buffer is now empty
(there is no pending data waiting to be flushed). */
BUFFER_EMPTY = 0,
/* There is pending data in the buffer waiting to be flushed. Please
try flushing the buffer when select indicates that the file descriptor
is writeable. */
BUFFER_PENDING = 1
} buffer_status_t;
/* Try to write this data to the file descriptor. Any data that cannot
be written immediately is added to the buffer queue. */
extern buffer_status_t buffer_write(struct buffer *, int fd,
const void *, size_t);
/* This function attempts to flush some (but perhaps not all) of
the queued data to the given file descriptor. */
extern buffer_status_t buffer_flush_available(struct buffer *, int fd);
/* The following 2 functions (buffer_flush_all and buffer_flush_window)
are for use in lib/vty.c only. They should not be used elsewhere. */
/* Call buffer_flush_available repeatedly until either all data has been
flushed, or an I/O error has been encountered, or the operation would
block. */
extern buffer_status_t buffer_flush_all (struct buffer *, int fd);
/* Attempt to write enough data to the given fd to fill a window of the
given width and height (and remove the data written from the buffer).
If !no_more, then a message saying " --More-- " is appended.
If erase is true, then first overwrite the previous " --More-- " message
with spaces.
Any write error (including EAGAIN or EINTR) will cause this function
to return -1 (because the logic for handling the erase and more features
is too complicated to retry the write later).
*/
extern buffer_status_t buffer_flush_window (struct buffer *, int fd, int width,
int height, int erase, int no_more);
#endif /* _ZEBRA_BUFFER_H */ | https://gogs.quagga.net/paul/quagga-test-pub/src/37b67cbf5c54f971beb1d559480fbe47a415d9da/lib/buffer.h | CC-MAIN-2021-39 | refinedweb | 472 | 64.3 |
The Q3DropSite class provides nothing and does nothing. More...
#include <Q3DropSite>
This class is part of the Qt 3 support library. It is provided to keep old source code working. We strongly advise against using it in new code. See Porting to Qt 4 for more information.
The Q3DropSite class provides nothing and does nothing.
It was used in Qt 1.x to do some drag and drop; that has since been folded into QWidget.
See also Q3DragObject, Q3TextDrag, and Q3ImageDrag.
Constructs a Q3DropSite to handle events for the widget self.
Pass this as the self parameter. This enables dropping by calling QWidget::setAcceptDrops(true).
Destroys the drop site. | http://doc.trolltech.com/4.5-snapshot/q3dropsite.html | crawl-003 | refinedweb | 109 | 71.61 |
Introduction to File Streaming
Introduction
To support file processing, the .NET Framework provides the System::IO
namespace that contains many different classes to handle almost any type of file
operation you may need to folder as the application. Otherwise, you can create your new file anywhere
in the hard drive. To do that, you must provide a complete path where the file
will reside. A path is a string that specifies the drive (such as A:, C:, or D:). The sections of
a complete path string are separated by a backslash. For example, a path can be made of
the name.
We know that that in the path such as one
backslash instead of two or a mispelling somewhere, would produce a false result.: | http://www.functionx.com/vcnet/fileprocessing/Lesson02.htm | CC-MAIN-2015-40 | refinedweb | 124 | 72.76 |
- ×
Create objects from reusable, composable behaviors.
Filed under application tools › utilitiesShow All
Stampit
Create objects from reusable, composable behaviors.
Find many more examples in this series of mini blog posts.
Example
import stampit from 'stampit' const Character = stampit({ props: { name: null, health: 100 }, init({ name = this.name }) { this.name = name } }) const Fighter = stampit(Character, { // inheriting props: { stamina: 100 }, init({ stamina = this.stamina }) { this.stamina = stamina; }, methods: { fight() { console.log(`${this.name} takes a mighty swing!`) this.stamina-- } } }) const Mage = stampit(Character, { //
Via bower:
$ bower install stampit= or $ bower install stampit=
Compatibility
Stampit should run fine in any ES5 browser or any node.js.
API
See.
// Some privileged methods with some private data. const Availability = stampit().init(function() {
Unit tests
npm t
Unit and benchmark tests
env CI=1 npm t
Unit tests in a browser
To run unit tests in a default browser:
npm run browsertest
To run tests in a different browser:
- Open the
./test/index.htmlin your browser, and
- open developer's console. The logs should indicate success.
Publishing to NPM registry
npx cut-release
It will run the
cut-releaseutility which would ask you if you're publishing patch, minor, or major version. Then it will execute
npm version,
git pushand
npm publishwith proper arguments for you. | https://www.javascripting.com/view/stampit | CC-MAIN-2019-39 | refinedweb | 210 | 58.58 |
statvfs, fstatvfs - get file system statistics
#include <sys/statvfs.h>
int statvfs(const char *path, struct statvfs *buf);
int fstatvfs(int fd, struct statvfs *buf);
int statvfs(const char *path, struct statvfs *buf);
int fstatvfs(int fd, struct statvfs *buf);
The function
statvfs() returns information about a mounted file system.
path is the pathname of any file within the mounted filesystem.
It is unspecified whether all members of the returned struct have meaningful values on all filesystems.
fstatvfs() returns the same information about an open file referenced by descriptor
fd.
On success, zero is returned. On error, -1 is returned, and
errno is set appropriately.
Solaris, Irix, POSIX.1-2001
The Linux kernel has system calls
statfs() and).
statfs (2)
Advertisements | http://www.tutorialspoint.com/unix_system_calls/fstatvfs.htm | CC-MAIN-2014-52 | refinedweb | 121 | 60.01 |
Request for Comments: 6609
Category: Standards Track
ISSN: 2070-1721
Apple, Inc.
A. Stone
Serendipity
May 2012
Sieve Email Filtering: Include Extension
Abstract
The Sieve Email Filtering "include" extension permits users to include one Sieve script inside another. This can make managing large scripts or multiple sets of scripts much easier, and allows a site and its users to build up libraries of scripts. Users are able to include their own personal scripts or site-wide scripts. 2. Conventions Used in This Document ...............................2 3. Include Extension ...............................................3 3.1. General Considerations .....................................3 3.2. Control Structure "include" ................................4 3.3. Control Structure "return" .................................7 3.4. Interaction with the "variables" Extension .................8 3.4.1. Control Structure "global" ..........................8 3.4.2. Variables Namespace global .........................10 3.5. Interaction with Other Extensions .........................11 4. Security Considerations ........................................12 5. IANA Considerations ............................................12 6. References .....................................................13 6.1. Normative References ......................................13 6.2. Informative References ....................................13 Appendix A. Acknowledgments .......................................14
1. Introduction and Overview
It's convenient to be able to break Sieve [RFC5228] scripts down into smaller components that can be reused in a variety of different circumstances. For example, users may want to have a default script and a special 'vacation' script, the latter.
This document defines the Sieve Email Filtering "include" extension, which permits users to include one Sieve script inside another.
2. Conventions Used in This Document
The key words "MUST", "MUST NOT", "REQUIRED", "SHALL", "SHALL NOT", "SHOULD", "SHOULD NOT", "RECOMMENDED", "MAY", and "OPTIONAL" in this document are to be interpreted as described in [RFC2119].
Conventions for notations are as in Sieve [RFC5228], Section 1.1.
The following key phrases are used to describe scripts and script execution:
script
a valid Sieve script.
script execution
an instance of a Sieve interpreter invoked for a given message delivery, starting with the user's active script and continuing through any included scripts until the final disposition of the message (e.g., delivered, forwarded, discarded, rejected, etc.).
immediate script
the individual Sieve script file being executed.
including script
the individual Sieve script file that had an include statement that included the immediate script.
3. Include Extension
3.1. General Considerations
Sieve implementations that implement the "include", "return", and "global" commands described below have an identifier of "include" for use with the capability mechanism. If any of the "include", "return", or "global" commands are used in a script, the "include" capability MUST be listed in the "require" statement in that script.
Sieve implementations need to NOT allow recursive script inclusion. Both direct recursion, where script A includes script A (itself), and indirect recursion, where script A includes script B which includes script A once again, are prohibited.
Sieve implementations MUST generate an error at execution time if an included script is a recursive inclusion. Implementations MUST NOT generate errors for recursive includes at upload time, as this would force an upload ordering requirement upon script authors and generators.
Sieve implementations MUST generate an error at execution time if an included script does not exist, except when the ":optional" parameter is specified. Implementations MUST NOT generate errors for scripts missing at upload time, as this would force an upload ordering requirement upon script authors and generators.
If the Sieve "variables" extension [RFC5229] and support the "global" command defined there.
3.2. Control Structure "include"
Usage: include [LOCATION] [":once"] [":optional"] <value: string>
LOCATION = ":personal" / ":global"
The "include" command takes an optional "location" parameter, an optional ":once" parameter, an optional ":optional" parameter, and a single string argument representing the name of the script to include for processing at that point. Implementations MUST restrict script names according to ManageSieve [RFC5804], Section 1.6. The script name argument MUST be a constant string as defined in [RFC5229], Section 3; implementations MUST NOT expand variables in the script name argument.
The "location" parameter MUST default to ":personal" if not specified. The "location" parameter MUST NOT be specified more than once. The "location" has the following meanings:
:personal
Indicates that the named script is stored in the user's own personal (private) Sieve repository.
:global
Indicates that the named script is stored in a site-wide Sieve repository, accessible to all users of the Sieve system.
The ":once" parameter tells the interpreter only to include the named script if it has not already been included at any other point during script execution. If the script has already been included, processing continues immediately following the "include" command. Implementations MUST NOT generate an error if an "include :once" command names a script whose inclusion would be recursive; in this case, the script MUST be considered previously included, and therefore "include :once" will not include it again.
Note: It is RECOMMENDED that script authors and generators use the ":once" parameter only when including a script that performs general duties such as declaring global variables and making sanity checks of the environment.
The ":optional" parameter indicates that the script may be missing. Ordinarily, an implementation MUST generate an error during execution if an "include" command specifies a script that does not exist. When ":optional" is specified, implementations MUST NOT generate an error for a missing script, and MUST continue as if the "include" command had not been present.
The included script MUST be a valid Sieve script. Implementations MUST validate that each script has its own "require" statements for all optional capabilities used by that script. The scope of a "require" statement is the script in which it immediately appears, and neither inherits nor passes on capabilities to other scripts during the course of execution.
A "stop" command in an included script MUST stop all script processing, including the processing of the scripts that include the immediate one. The "return" command (described below) stops processing of the immediate script only, and allows the scripts that include it to continue.
The "include" command MAY appear anywhere in a script where a control structure is legal, and MAY be used within another control structure, e.g., an "if" block.
Examples:
The user has four scripts stored in their personal repository:
"default"
This is the default active script that includes several others.
require ["include"]; include :personal "always_allow"; include :global "spam_tests"; include :personal "spam_tests"; include :personal "mailing_lists"; Personal script "always_allow"
This script special-cases some correspondent email addresses and makes sure any message containing those addresses is always kept.
if address :is "from" "boss@example.com" { keep; } elsif address :is "from" "ceo@example.com" { keep; } Personal script "spam_tests" (uses "reject" [RFC5429])
This script does some user-specific spam tests to catch spam messages not caught by the site-wide spam tests.
require ["reject"]; if header :contains "Subject" "XXXX" { reject "Subject XXXX is unacceptable."; } elsif address :is "from" "money@example.com" { reject "Mail from this sender is unwelcome."; } Personal script "mailing_lists"
This script looks for messages from different mailing lists and files each into a mailbox specific to the mailing list.
require ["fileinto"]; if header :is "List-ID" "sieve.ietf.org" { fileinto "lists.sieve"; } elsif header :is "List-ID" "ietf-imapext.imc.org" { fileinto "lists.imapext"; }
There is one script stored in the global repository:
Site script "spam_tests" (uses "reject" [RFC5429])
This script does some site-wide spam tests that any user at the site can include in their own scripts at a suitable point. The script content is kept up to date by the site administrator.
require ["reject"]; if anyof (header :contains "Subject" "$$", header :contains "Subject" "Make money") { reject "No thank you."; }
3.3. Control Structure "return"
Usage: return
The "return" command stops processing of the immediately included script only and returns processing control to the script that includes it. If used in the main script (i.e., not in an included script), it has the same effect as the "stop" command, including the appropriate "keep" action if no other actions have been executed up to that point.
3.4. Interaction with the "variables" Extension
In order to avoid problems of variables in an included script "overwriting" those from the script that includes it, this specification requires that all variables defined in a script MUST be kept "private" to the immediate script by default -- that is, they are not "visible" to other scripts. This ensures that two script authors cannot inadvertently cause problems by choosing the same name for a variable.
However, sometimes there is a need to make a variable defined in one script available to others. This specification defines the new command "global" to declare that a variable is shared among scripts. Effectively, two namespaces are defined: one local to the immediate script, and another shared among all scripts. Implementations MUST allow a non-global variable to have the same name as a global variable but have no interaction between them.
3.4.1. Control Structure "global"
Usage: global <value: string-list>
The "global" command accepts a string list argument that defines one or more names of variables to be stored in the global variable space. Each name MUST be a constant string and conform to the syntax of variable-name as defined in the "variables" extension document [RFC5229], Section 3. Match variables cannot be specified, and namespace prefixes are not allowed. An invalid name MUST be detected as a syntax error.
The "global" command is only available when the script has both "include" and "variables" in its require line. If the "global" command appears when only "include" or only "variables" has been required, an error MUST be generated when the script is uploaded.
If a "global" command is given the name of a variable that has previously been defined in the immediate script with "set", an error MUST be generated either when the script is uploaded or at execution time.
If a "global" command lists a variable that has not been defined in the "global" namespace, the name of the variable is now marked as global, and any subsequent "set" command will set the value of the variable in global scope.
A variable has global scope in all scripts that have declared it with the "global" command. If a script uses that variable name without declaring it global, the name specifies a separate, non-global variable within that script.
Interpretation of a string containing a variable marked as global, but without any value set, SHALL behave as any other access to an unknown variable, as specified in the "variables" extension document [RFC5229], Section 3 (i.e., evaluates to an empty string).
Example:
The active script
The included script may contain repetitive code that is effectively a subroutine that can be factored out. In this script, the test that matches last will leave its value in the test_mailbox variable, and the top-level script will file the message into that mailbox. If no tests matched, the message will be implicitly kept in the INBOX.
require ["fileinto", "include", "variables", "relational"]; global "test"; global "test_mailbox"; set "test" "$$"; include "subject_tests"; set "test" "Make money"; include "subject_tests"; if string :count "eq" "${test_mailbox}" "1" { fileinto "${test_mailbox}"; stop; } Personal script "subject_tests"
This script performs a number of tests against the message, sets the global test_mailbox variable with a folder to file the message into, and then falls back to the top-level script.
require ["include", "variables"]; global ["test", "test_mailbox"]; if header :contains "Subject" "${test}" { set "test_mailbox" "spam-${test}"; }
3.4.2. Variables Namespace global
In addition to the "global" command, this document defines the variables namespace "global", in accordance with the "variables" extension document [RFC5229], Section 3. The "global" namespace has no sub-namespaces (e.g., 'set "global.data.from" "me@example.com";' is not allowed). The variable-name part MUST be a valid identifier (e.g., 'set "global.12" "value";' is not valid because "12" is not a valid identifier).
Note that the "variables" extension document [RFC5229], Section 3 suggests that extensions should define a namespace that is the same as its capability string (in this case, "include" rather than "global"). Nevertheless, references to the "global" namespace without a prior require statement for the "include" extension MUST cause an error.
Example:
require ["variables", "include"]; set "global.i_am_on_vacation" "1";
Variables declared global and variables accessed via the "global" namespace MUST each be one and the same. In the following example script, we see the variable "i_am_on_vacation" used in a "global" command, and again with the "global" namespace. Consider these as two syntaxes with identical meaning.
Example:
require ["variables", "include", "vacation"]; global "i_am_on_vacation"; set "global.i_am_on_vacation" "1"; if string :is "${i_am_on_vacation}" "1" { vacation "It's true, I am on vacation."; }
3.5. Interaction with Other Extensions
When "include" is used with the "editheader" extension [RFC5293], any changes made to headers in a script MUST be propagated both to and from included scripts. By way of example, if a script deletes one header and adds another, then includes a second script, the included script MUST NOT see the removed header, and MUST see the added header. Likewise, if the included script adds or removes a header, upon returning to the including script, subsequent actions MUST see the added headers and MUST NOT see the removed headers.
When "include" is used with the MIME extension [RFC5703] "foreverypart" control structure, the included script MUST be presented with the current MIME part as though it were the entire message. A script SHALL NOT have any special control over the control structure it was included from. The "break" command in an included script is not valid on its own and may not terminate a "foreverypart" iteration in another script. The included script can use "return" to transfer control back to the including script. A global variable can be used to convey results to the including script. A "stop" in an included script, even within a "foreverypart" loop, still halts all script execution, per Section 3.2.
When "include" is used with the "reject" extension [RFC5429], calling "reject" or "ereject" at any time sets the reject action on the message, and continues script execution. Apropos of the MIME extension, if an included script sees only a portion of the message and calls a reject, it is the entire message and not the single MIME part that carries the rejection.
4. Security Considerations
Sieve implementations MUST ensure adequate security for the global script repository to prevent unauthorized changes to global scripts. For example, a site policy might enable only certain users with administrative privileges to modify the global scripts. Sites are advised against allowing all users to have write access to the sites' global scripts.
Sieve implementations MUST ensure that script names are checked for validity and proper permissions prior to inclusion, in order to prevent a malicious user from gaining access to files accessible to the mail server software that should not be accessible to the user.
Sieve implementations MUST ensure that script names are safe for use with their storage system. An error MUST be generated either when the script is uploaded or at execution time for a script including a name that could be used as a vector to attack the storage system. By way of example, the following include commands should be considered hostile: 'include "./../..//etc/passwd"', 'include "foo$(`rm star`)"'.
Beyond these, the "include" extension does not raise any security considerations that are not discussed in the base Sieve [RFC5228] document and the "variables" extension document [RFC5229].
5. IANA Considerations
The following template specifies the IANA registration of the Sieve extension specified in this document:
To: iana@iana.org Subject: Registration of new Sieve extension Capability name: include Description: adds the "include" command to execute other Sieve scripts, the "return" action from an included script, and the "global" command and "global" variables namespace to access variables shared among included scripts. RFC number: this RFC Contact address: the Sieve discussion list <sieve@ietf.org> This information has been added to IANA's "Sieve Extensions" registry ().
6. References
6.1. Normative References
[RFC2119] Bradner, S., "Key words for use in RFCs to Indicate Requirement Levels", BCP 14, RFC 2119, March 1997. [RFC5228] Guenther, P., Ed., and T. Showalter, Ed., "Sieve: An Email Filtering Language", RFC 5228, January 2008. [RFC5229] Homme, K., "Sieve Email Filtering: Variables Extension", RFC 5229, January 2008. [RFC5804] Melnikov, A., Ed., and T. Martin, "A Protocol for Remotely Managing Sieve Scripts", RFC 5804, July 2010.
6.2. Informative References
[RFC5293] Degener, J. and P. Guenther, "Sieve Email Filtering: Editheader Extension", RFC 5293, August 2008. [RFC5429] Stone, A., Ed., "Sieve Email Filtering: Reject and Extended Reject Extensions", RFC 5429, March 2009. [RFC5703] Hansen, T. and C. Daboo, "Sieve Email Filtering: MIME Part Tests, Iteration, Extraction, Replacement, and Enclosure", RFC 5703, October 2009.
Appendix A. Acknowledgments
Thanks to Stephan Bosch, Ned Freed, Arnt Gulbrandsen, Tony Hansen, Kjetil Torgrim Homme, Jeffrey Hutzelman, Barry Leiba, Alexey Melnikov, Ken Murchison, Marc Mutz, and Rob Siemborski, for comments and corrections.
Authors' Addresses
Cyrus Daboo Apple Inc. 1 Infinite Loop Cupertino, CA 95014 USA EMail: cyrus@daboo.name URI: Aaron Stone Serendipity 1817 California St. #104 San Francisco, CA 94109 USA
-
aaron@serendipity.cx | https://pike.lysator.liu.se/docs/ietf/rfc/66/rfc6609.xml | CC-MAIN-2020-45 | refinedweb | 2,815 | 53.1 |
Provided by: libmunge-dev_0.5.13-2_amd64
NAME
munge_encode, munge_decode, munge_strerror - MUNGE core functions
SYNOPSIS
#include <munge.h> munge_err_t munge_encode (char **cred, munge_ctx_t ctx, const void *buf, int len); munge_err_t munge_decode (const char *cred, munge_ctx_t ctx, void **buf, int *len, uid_t *uid, gid_t *gid); const char * munge_strerror (munge_err_t e); cc `pkg-config --cflags --libs munge` -o foo foo.c
DESCRIPTION
The munge_encode() function creates a credential contained in a NUL-terminated base64 string. A payload specified by a buffer buf of length len can be encapsulated in as well. If the MUNGE context ctx is NULL, the default context will be used. A pointer to the resulting credential is returned via cred; on error, it is set to NULL. The caller is responsible for freeing the memory referenced by cred. The munge_decode() function validates the NUL-terminated credential cred. If the MUNGE context ctx is not NULL, it will be set to that used to encode the credential. If buf and len are not NULL, memory will be allocated for the encapsulated payload, buf will be set to point to this data, and len will be set to its length. An additional NUL character will be appended to this payload data but not included in its length. If no payload exists, buf will be set to NULL and len will be set to 0. For certain errors (i.e., EMUNGE_CRED_EXPIRED, EMUNGE_CRED_REWOUND, EMUNGE_CRED_REPLAYED), payload memory will still be allocated if necessary. The caller is responsible for freeing the memory referenced by buf. If uid or gid is not NULL, they will be set to the UID/GID of the process that created the credential. The munge_strerror() function returns a descriptive text string describing the MUNGE error number e.
RETURN VALUE
The munge_encode() and munge_decode() functions return EMUNGE_SUCCESS on success, or a MUNGE error otherwise. If a MUNGE context was used, it may contain a more detailed error message accessible via munge_ctx_strerror(). The munge_strerror() function returns a pointer to a NUL-terminated constant text string; this string should not be freed or modified by the caller.
ERRORS
EMUNGE_SUCCESS Success. EMUNGE_SNAFU Internal error. EMUNGE_BAD_ARG Invalid argument. EMUNGE_BAD_LENGTH Exceeded the maximum message length as specified by the munged configuration. EMUNGE_OVERFLOW Exceeded the maximum length of a buffer. EMUNGE_NO_MEMORY Unable to allocate the requisite memory. EMUNGE_SOCKET Unable to communicate with the daemon on the domain socket. EMUNGE_BAD_CRED The credential does not match the specified format. EMUNGE_BAD_VERSION The credential contains an unsupported version number. EMUNGE_BAD_CIPHER The credential contains an unsupported cipher type. EMUNGE_BAD_MAC The credential contains an unsupported MAC type. EMUNGE_BAD_ZIP The credential contains an unsupported compression type. EMUNGE_BAD_REALM The credential contains an unrecognized security realm. EMUNGE_CRED_INVALID The credential is invalid. This means the credential could not be successfully decoded. More than likely, the secret keys on the encoding and decoding hosts do not match. Another possibility is that the credential has been altered since it was encoded. EMUNGE_CRED_EXPIRED The credential has expired. This means more than TTL seconds have elapsed since the credential was encoded. Another possibility is that the clocks on the encoding and decoding hosts are out of sync. EMUNGE_CRED_REWOUND The credential appears to have been encoded at some point in the future. This means the clock on the decoding host is slower than that of the encoding host by more than the allowable clock skew. More than likely, the clocks on the encoding and decoding hosts are out of sync. EMUNGE_CRED_REPLAYED The credential has been previously decoded on this host. EMUNGE_CRED_UNAUTHORIZED The client is not authorized to decode the credential based upon the effective user and/or group ID of the process.
EXAMPLE
The following example program illustrates the use of a MUNGE credential to ascertain the effective user and group ID of the encoding process. #include <stdio.h> /* for printf() */ #include <stdlib.h> /* for exit() & free() */ #include <unistd.h> /* for uid_t & gid_t */ #include <munge.h> int main (int argc, char *argv[]) { char *cred; munge_err_t err; uid_t uid; gid_t gid; err = munge_encode (&cred, NULL, NULL, 0); if (err != EMUNGE_SUCCESS) { fprintf (stderr, "ERROR: %s\n", munge_strerror (err)); exit (1); } err = munge_decode (cred, NULL, NULL, NULL, &uid, &gid); if (err != EMUNGE_SUCCESS) { fprintf (stderr, "ERROR: %s\n", munge_strerror (err)); exit (1); } printf ("uid=%d gid=%d\n", uid, gid); free (cred); exit (0); }
NOTES
Both munge_encode() and munge_decode() may allocate memory that the caller is responsible for freeing. Failure to do so will result in a memory leak.
AUTHOR
Chris Dunlap <cdunlap@llnl.gov>
Copyright (C) 2007-2017_ctx(3), munge_enum(3), munge(7), munged(8). | http://manpages.ubuntu.com/manpages/disco/man3/munge.3.html | CC-MAIN-2021-31 | refinedweb | 750 | 58.38 |
Let’s talk about bit shifting!
Now I’m sure we all know this already, but since I’m nice and want to give you all a chance to seem smart, let’s do some basic review.
We know what binary is -
0’s and
1’s. So in binary,
101 is? Yes,
5. Now we have a couple bit shift operators.
Great! So, here’s the easy question to help defrost your frigid brains.
Let’s assume an integer is 4 bytes (32 bits). What happens when I shift any int left 32 times? Example
int x; x <<= 32; What must the value of
x be?
If you said
0, give yourself a manicure. Congratulations. Yes, we pad with
0’s, so it must be zero.
What if I shifted right 32 (or more) times?
If you said
0 once again, great! Your brain is now fully defrosted. Let’s go to the actual puzzle.
Here’s my sample C program, in file
stuff.c:
#include <stdio.h> int main() { int b = 100000; printf("%d\n", b >> b); b = b >> b; printf("%d\n", b); b >>= b; printf("%d\n", b); return 0; }
What should the program print out?
Should be all
0’s, right? I’m shifting by one hundred thousand (to heck with 32!). How could it be anything else?
Well then, let’s try it out.
If we do
gcc stuff.c, we produce an executable file called
a.out. (Remember, if you don’t like the standard
a.out you can always use
gcc stuff.c -o <yourname>.)
We execute this with
./a.out. And here’s the output.
100000 100000 100000
What the heck!? What’s going on here?
How do you debug this?
Debugging strategies are important. I don’t expect any of you to know the answer to this particular puzzle right off the bat; there’s no way at this point in the course do you have enough knowledge for that. But that’s precisely the point. You will run into these kinds of situations plenty of times in the real world, and having a good debugging strategy is critical. So I really want you to pause for a moment and consider what you would do.
Hypothesis 1: You think to yourself, “Self, maybe we were wrong. Maybe we can’t just do arithmetic math inside a printf like we do with
b >> b.” Hmm, okay. Let’s test that out.
#include <stdio.h> int main() { int b = 0; printf("%d\n", b+1); }
A short compilation again, we run the program and get the following output:
1. Hmm, okay. So that can’t be it. And that makes sense. Because the second
printf doesn’t do any arithmetic operation inside the
printf.
What about another hypothesis?
Hypothesis 2: Maybe
>>= is some funky thing that doesn’t do anything at all? Well, that can’t be right either. We tried
b >> b,
b = b >> b, and
b >>= b. None of them worked!
A useful strategy when it comes to debugging is trying other ways of writing the code, just to see if it makes a difference. Usually we do this with small toy problems. Breaking the problem down in size is very, very useful. So let’s do that.
#include <stdio.h> int main() { int b = 100000; for (int i = 0; i < 100000; i++) b >>= 1; printf("%d\n", b); return 0; }
Okay, great. We’ve written a smaller, possibly even stupider, program that shifts 1 bit at a time instead of all at once. Is this even useful?
Well, let’s try it out and see!
gcc stuff2.c, and a short
./a.out later, voila! We get
0 as an output!
Now things are really starting to get weird. Why does it work when we do it 1 bit at a time but not all at once!?
Let’s try another program - this seems a little too weird.
#include <stdio.h> int main() { int b = 7; printf("%d\n", b >> 2); }
Some quick bit shifting mental arithmetic later, we decide we want the answer to be
1. Remember,
7 is
111 in binary. So if we shift twice, we still have a single
1. Okay, so let’s try that.
gcc stuff3.c,
./a.out. Sure enough, we get the expected answer!
So we can do multiple bits! Then why doesn’t
100000 work?
Hmm. What’s the best way we can search through this? We’re pretty sure that at some point shifting breaks, but we’re not sure where. Well, this is an algorithm you already know from cs1! 50000? Still breaks. 25000? Still breaks. Hmm, frustrating to be sure.
12500? Nope. 6250? Nada. 3125? Zilch. 1500? Still no! Dammit… 700? Wrong again. Man this sucks. 350? No change yet… Phew! Debugging is hard work! But we’re almost there. 175? Wrong. 50? Nope. 25? YES!
Woah. Works with 25, eh? Okay, what about 40? Nope! Hmm, between 25 and 40. 31? Yes! 32? Yes! 33? Nope! It stops working after 32 bits at a time.
Aren’t you glad you persisted through that? Now you have a tangible observation you can report to the TA/ professor / Google rather than just complaining that your program doesn’t work!
At this point it’s fair to consult additional resources for why on earth this could be happening, as you don’t quite have enough knowledge (yet!) to make an educated guess.
Well, it turns out that most
gcc commands actually use C++ compilers, not C compilers (who would’ve thought that the GNU C Compiler would be a C++ compiler…). In C++, shifting by more than the size of an int (in this case, more than 32 bits,) is actually an undefined operation! Which means the compiler said hey, this undefined operation is mysterious. I don’t know what to do with it! So to speed things up, I’m just going to skip it and not do anything at all!
Which is why
b >> 100000 still just evaluated to
b! | https://cs50.notablog.xyz/puzzle/Puzzle1.html | CC-MAIN-2018-43 | refinedweb | 1,013 | 86.4 |
There are many functions in OpenCV that allow you to manipulate your input image. cv2.Gaussianblur() is one of them. It allows you to blur images that are very helpful while processing your images. In this entire tutorial you will know how to blur an image using the OpenCV python module.
Why We blur the image?
Just like preprocessing is required before making any machine learning model. In the same way, removing noise in the image is required for further processing of the image. Gaussian Blurring the image makes any image smooth and remove the noises. In the next section, you will know all the steps to do the Gaussian blur using the cv2 Gaussianblur method.
Steps to Blur the image in Python using cv2.Gaussianblur()
Step 1: Import all the required libraries
In the entire tutorial, I am using two libraries. One is OpenCV and another is matplotlib. The latter will be used for displaying the image in the Jupyter notebook.
import cv2 import matplotlib.pyplot as plt %matplotlib inline
In our tutorial, I am displaying all the images inline. That’s why I am telling the python interpreter to display images inline using %matplotlib inline.
Step 2: Read the image file
Before blurring the image you have to first read the image. In OpenCV, you can read the image using the cv2.imread() method. Let’s read the image.
# read image img = cv2.imread("owl.jpg") plt.imshow(img)
Output
You can see the original image is not blurred. In the next step, I will perform the Gaussian Blur on the image.
Step 3: Blur the image using the cv2.Gaussianblur method
Before applying the method first learns the syntax of the method. The cv2.Gaussianblur() method accepts the two main parameters. The first parameter will be the image and the second parameter will the kernel size. The OpenCV python module use kernel to blur the image. And kernel tells how much the given pixel value should be changed to blur the image. For example, I am using the width of 5 and a height of 55 to generate the blurred image. You can read more about it on Blur Documentation.
Execute the below lines of code and see the output.
blur = cv2.GaussianBlur(img,(5,55),0) plt.imshow(blur)
Output
Now You can see the blurred image.
These are the steps to perform Gaussian Blur on an image. Hope you have loved this article. If you have any queries then you can contact us for getting more help.
Join our list
Subscribe to our mailing list and get interesting stuff and updates to your email inbox. | https://gmailemail-login.email/blur-an-image-in-python-using-opencv/ | CC-MAIN-2022-33 | refinedweb | 440 | 76.52 |
On Wed, Jul 25, 2012 at 1:34 PM, Babic, Nedeljko <nbabic at mips.com> wrote: >>> diff --git a/libavcodec/fft.c b/libavcodec/fft.c >>> index 6b93a5c..8463bfb 100644 >>> --- a/libavcodec/fft.c >>> +++ b/libavcodec/fft.c >>> @@ -31,6 +31,7 @@ >>> #include "libavutil/mathematics.h" >>> #include "fft.h" >>> #include "fft-internal.h" >>> +#include "mips/fft_table.h" >>> >>> /* cos(2*pi*x/n) for 0<=x<=n/4, followed by its reverse */ >>> #if !CONFIG_HARDCODED_TABLES >>> @@ -157,11 +158,13 @@ av_cold int ff_fft_init(FFTContext *s, int nbits, int inverse) >>> s->mdct_calc = ff_mdct_calc_c; >>> #endif >>> >>> + if (ARCH_MIPS) ff_fft_lut_init(); >>> #if CONFIG_FFT_FLOAT >>> if (ARCH_ARM) ff_fft_init_arm(s); >>> if (HAVE_ALTIVEC) ff_fft_init_altivec(s); >>> if (HAVE_MMX) ff_fft_init_mmx(s); >>> if (CONFIG_MDCT) s->mdct_calcw = s->mdct_calc; >>> + if (HAVE_MIPSFPU) ff_fft_init_mips(s); >>> #else >>> if (CONFIG_MDCT) s->mdct_calcw = ff_mdct_calcw_c; >>> if (ARCH_ARM) ff_fft_fixed_init_arm(s); >> >>I think that you can do one single call here like for all the other archs. >> > In the next patch that we are preparing implementation and optimization of AC3 > fixed point decoder will be delivered. The same LUT is used > in this patch so I moved initialization of LUT in separate call in order for it > to be usable for both floating and fixed point code. It will still be MIPS specific, so can still be done in ff_fft_init_mips(), >>> diff --git a/libavcodec/mips/fft_init_table.c b/libavcodec/mips/fft_init_table.c >>> new file mode 100644 >>> index 0000000..2e729e1 >>> --- /dev/null >>> +++ b/libavcodec/mips/fft_init_table.c >>> @@ -0,0 +1,78 @@ >>> +/* >>> + *: Stanislav Ocovaj (socovaj at mips >>> + * definitions and initialization of LUT table for MIPS FFT >>> + */ >>> +#include "fft_table.h" >>> + >>> +short * fft_offsets_lut; >> >>Why not just >> >>static uint16_t fft_offsets_lut[0x2aab]; >> >>? >> >>This way, it'll never leak and can eventually be shared between threads. >> > If I do that fft_offset_lut will have scope only in fft_init_table.c file and > will not be visible from fft where it is used (in fft_mips.c). > Since the same LUT table will be used also for fixed point fft I had to make it > global. > I can put: > static uint16_t fft_offsets_lut[0x2aab]; > in fft_table.h but I wanted to avoid using static definition in header file. Sorry, that should be then uint16_t fft_offsets_lut[0x2aab]; -Vitor | http://ffmpeg.org/pipermail/ffmpeg-devel/2012-July/128462.html | CC-MAIN-2014-35 | refinedweb | 351 | 67.96 |
>
visual c
>
february 2004
> threads for february 15 - 21, 2004
Filter by week:
1
2
3
4
Linker problem
Posted by Stephen at 2/21/2004 4:31:05 PM
Hello I am using C++ 5.0 learning edition, to compile an DirectX8.0 SDK program sample included with the SDK download I keep getting a linker error --------------------Configuration: Donuts3D - Win32 Debug------------------- Linking.. C:\Program Files\DevStudio\VC\LIB\d3dxof.lib : fatal erro...
more >>
[ANN] Firebird .NET Data Provider 1.5 released
Posted by Carlos_Guzmán_Álvarez at 2/21/2004 1:34:38 PM
Hello: Firebird .NET Data Provider 1.5 available for download. Thanks very much to all the people that has been helping during the development stage. --------------------------------------------------- You can read the Changelog at:...
more >>
volatile in multithreaded apps
Posted by Graeme Prentice at 2/21/2004 1:12:06 PM
Visual studio help has the following code to illustrate the use of ReadWriteBarrier. What does the volatile keyword do in Visual C++? Does it ensure the code will work correctly when executed on a machine with multiple CPUs i.e. that a read of a volatile variable always sees the most up ...
more >>
Invoke DOS appliaction from C++ application
Posted by Joyce at 2/21/2004 8:51:06 AM
Hi Anybody has an idea of how to invoke a command line DOS(PERL) application from a C++ windows application given also the batch file. I'm not too sure on this. Your help will be greatly appreciated Joyce...
more >>
Attach metadata to a dll or exe
Posted by Adam Benson at 2/20/2004 6:04:08 PM
Hi, We're looking to apply a system-wide version number across many dlls. We'd really like to do the build and then apply an attribute containing the version number. Is there any way of doing that ? We don't really care how it's done as long as it's something that stays with the file, and can ...
more >>
Dll issue
Posted by kathy at 2/20/2004 12:41:08 PM
I use the C++ to write a dll and call the dll using VB6 VC++ Code BOOL APIENTRY DllMain( HANDLE hModule, DWORD ul_reason_for_call, LPVOID lpReserve return TRUE int WINAPI MyDLLAdd(int d1, int d2 return (d1+d2) int WINAPI...
more >>
DDE help please
Posted by Dale Magnuson at 2/20/2004 12:16:09 PM
If anyone can help me it would be greatly appreciated I am struggling with connection to a DDE server - I have a global variable defined as my conversation handle (newDDE) and the instance defined also as a global variable (dwDDEInst). I get a successful connection, which sits until I want to sen...
more >>
How to debug on win98 or ME?
Posted by Kay Levein at 2/20/2004 3:18:33 AM
Hi All, I developed my program on win2000 using VC++7.0, it also works well on WinXp, but unfortunately it crashs on 98 or ME, since VS. Net can't run on Win98, I can't debug it. The program is very complicated and would be very difficult just by TRACE. Can anyone suggest a better way for debugg...
more >>
Don't see what you're looking for? Search DevelopmentNow.com.
Packing for __nogc classes
Posted by Edward Diener at 2/20/2004 12:34:15 AM
Is the packing alignment of __nogc classes stored as part of the assembly ? I think it must as the compiler, when referencing the assembly, could not know how the original data is packed otherwise. Yet, in my understanding, attributes are only __gc and __value class specific and do not apply to ...
more >>
How to set Startup Form in VC++
Posted by sach at 2/19/2004 5:40:27 PM
Hi, I am new to VC++. ... so..please help How to set a Form as statup Form in VC++ Windows form application? Thanks ...
more >>
MC++ and native jagged Array
Posted by Jannis Linxweiler at 2/19/2004 4:36:33 PM
Hi guys! I'm fairly new to managed C++, so I hope someone can help me. I've got a Problem with the native C++ types. What I did is using an jagged array of double in my managed app. The code looks like this: double** arr = new double*[1000]; for(int i=0; i<1000; i++) arr[i] = new d...
more >>
Hye, how to make a pure process without any GUI, but having MFC support...
Posted by Jigar Mehta at 2/19/2004 3:24:46 PM
Hye, I want to develop one core process which has a lot thing to do but fortunately does not have any GUI. In short, it is a core process which does its processing without any GUI and does the work according to system parameter values... (those are internal things.. I have managed them) but ...
more >>
Managed C++ - Question
Posted by Rainer Sinsch at 2/19/2004 2:59:47 PM
Hi everyone, I'm relatively new to managed c++ (though experienced in unmanaged c++), but I just can't figure out how to do the following c-sharp lines in managed c++ (studio 2003). Can anyone enlighten me, please? Following is a simple C-Sharp-Source for reading out wireless lan signal-str...
more >>
Mixed Mode DLL Issue (Need Help now!!)
Posted by Paul Brun at 2/19/2004 11:28:14 AM
Hello everyone, I have tried all the solutions trying to figure out how to remedy my = mixed mode DLL solution, however, I still can't get the project to compile. I have tried all the = solutions managed in the=20 Microsoft Knowledgebase article, but I get the following issues: libcmt.lib(...
more >>
MSComm obj.
Posted by AA at 2/19/2004 10:49:09 AM
Hi I am developing an app in which I have used a MSComm object. I have opened the port, performed the transactions, and then closed the port. But when I check in the task mamager, the memory being held by the MSComm is not being released. I am using the SetPortOpen method. Is there any way of ...
more >>
__property
Posted by <.> at 2/19/2004 10:36:48 AM
With the below example (taken from MSDN).. This also makes visible the set_Size and get_Size methods, and generates the Size property as we normally see it. Why didnt the get_ and set_ methods be private like the rest so just the Size property thats generated is visible? Doesnt make sense...
more >>
Strings
Posted by Reza A at 2/19/2004 8:58:49 AM
Can anyone explain why when Visual Studio creates code that has to use strings it puts a S before every string? Example System::Console::WriteLine(S"Hello World"); ...
more >>
compiler error
Posted by Reza A at 2/19/2004 6:18:52 AM
Hi all, I'm currently reading Microsoft Visual C++ .Net and I'm trying to compile a Dialog box form that I've just created however I'm getting the following errors. Output Window Compiling... MyDialog.cpp c:\Code\CppForm\MyDialog.h(168) : error C2440: '=' : cannot conver...
more >>
Running win32 applications from c++ source.
Posted by Alan Dunne at 2/19/2004 3:56:07 AM
Two questions. The first and one more likely to be answered is Can you call/run a Windows executable file from within C++ source code? The executable itself runs in a DOS window and asks for user input, i.e. choose 1 to use an audio stream, 2 to read from a file, and 0 to exit. If 2 is selected a ...
more >>
Is it possible to download visual c++ for free?
Posted by SBCore at 2/19/2004 1:01:05 AM
I am a college student trying to teach myself c++, and the book that I am using ("SAMS Teach Yourself C++ in 21 Days") incidently uses Microsoft Visual c++ as the compiler for its examples. So I need visual c++ to follow with the book. Since I can't afford the commercial version, does anyone know ...
more >>
DLL With Static Library Initialization Conflict
Posted by Robert A Riedel at 2/18/2004 10:27:30 PM
I have an application that requires a DLL and an executable that uses the DLL, both of which were implemented in Visual C++ using unmanged code. Both the executable and the DLL are linked with functions that are stored in a static library. During initialization of the executable, classes and stat...
more >>
C++/CLI and bitfield marshalling
Posted by <.> at 2/18/2004 3:46:56 PM
Hi, How do we marshall a type like this from a C++/CLI class wrapper to an unmanaged method? typedef struct { UINT32 blah : 1; UINT32 blah2 : 1; UINT32 blah3: 1; UINT32 someValue : 12; }SOMESTRUCT; Thanks. ...
more >>
Command Line
Posted by Matt at 2/18/2004 2:36:05 PM
I am trying to write programs in C in a text editor and run them on a command line but I am having trouble. In Visual C++ 6.0 you can select text file then compile and then run the program and it will atuomatically run in command line, but in .net this is not available. Is there any way that you c...
more >>
Managed C++ Newbie Help
Posted by Greif at 2/18/2004 2:31:06 PM
I want to rewrite the follwoing VB6 code in manged C++. Any suggestions on how to start would be greatly appreciated. Thanks. The code: On Error GoTo ErrorHandler Dim strArgs() As String strArgs = Split(Command$, " ") If (UBound(strArgs) <> 3) Then Err.Raise 9999, "Progra...
more >>
Is C++/CLI available in some form now? Whence Whidbey Beta 1?
Posted by Bern McCarty at 2/18/2004 1:08:05 PM
The recent questions about C++/CLI in this group made me wonder if some folks had their hands on it.... Is it available someplace? How is the calendar shaping up for Whidbey Beta 1? ...
more >>
Emacs/Vim style buffer/window switching
Posted by sashan at 2/18/2004 11:47:54 AM
Hi Is there a way to enable Emacs/Vim style buffer switching in the VC++ editor? For those that don't know this is where you hit a shortcut key in Emacs/Vim and then type the partial name of the file/buffer/window and it provides a list of matches to the partial name. It's kinda like hitti...
more >>
C++/CLI and parameters
Posted by <.> at 2/18/2004 11:20:20 AM
Does C++/CLI support default values or is it like C# where we have to use overloading only? I have some unmanaged methods with default values (I may not need them thoough) I need to implement in my managed proxy class. ...
more >>
cannot step into MFC code
Posted by Janiv Ratson at 2/18/2004 11:10:29 AM
Hi, Some how I cannot step into MFC code, it used to worked till last week. What is the reason? What is the solution ? 10x, J. ...
more >>
Data marshalling in C++/CLI <-> C++
Posted by <.> at 2/18/2004 9:54:44 AM
Hi, Is there any good links for datatype interop? I need to pass some structure pointers into an unmanaged method and return char* etc but having some problems in my C++/CLI proxy class. I have a methods with signitures like the following... unsigned char someMethod(unsigned ch...
more >>
Breakpoint checkboxe
Posted by John Smith at 2/18/2004 6:21:12 AM
Hi all, although I'm not new to news group, it's my first post in here. Had to go through the web interface since I couldn't find an direct access to the Microsoft NNTP server and my provider (sympatico.ca) doesn't publish this particular newsgroup :-( and not sure if I have the right forum. My q...
more >>
destructors not permitted for __value types.
Posted by PaulW at 2/18/2004 2:56:07 AM
Personally, I like to use simple abstractions to wrap resources For example consider a class that wraps a resource - say an IntPtr which is allocated in the constructor and deallocated in the destructor. In the managed world I find that I can not use this because destructors (and copy constructor...
more >>
funny problem about funtion-try-block in vc7.1
Posted by booker at 2/17/2004 10:47:08 PM
Following code can't pass compilation class CLS :public exception { public: CLS():exception("111") { } }; void Fun() try { throw CLS(); } catch(...) { } //; //adding this semicolon can pass compilation. void Fun1() { } if the class CLS does not derive from std::exc...
more >>
How to put 48 X 48 - 32 bit icons in the interface...
Posted by Jigar Mehta at 2/17/2004 6:50:29 PM
Hye, I am Jigar Mehta, I want to ask how can we put our own 48 X 48 - 32 bit icons in the interface like near password field, I want to put Password Icon. The icons are created with Alpha support (that of Windows XP icons)... So, which control to be used for putting these icons on the form.....
more >>
Problem wit std::string::substr
Posted by Jarek Bednarz at 2/17/2004 5:21:56 PM
Hi all, Following code causes strAddress to contain garbage data. When I decrease number of characters that appear before '\\' then everything is ok. 12 chars before '\\' seems to be a magic number. I have compiled it with VisualStudio 2003. Any ideas? std::string strAddress = "123456789012...
more >>
XML Commenting
Posted by <.> at 2/17/2004 3:48:36 PM
Does C++/CLI have XML style commenting like C#?? If i do /// I dont get the completion like C# ...
more >>
Creating a .NET wrapper around C library
Posted by Paul Brun at 2/17/2004 3:45:37 PM
Hi guys, I would like to find out if : 1) Is the above possible? I have tried to wrap a C library that our company produces in a .Net class library and am receiving the following error: LIBCMT.lib(crt0.obj) : error LNK2019: unresolved external symbol _main referenced in ...
more >>
Namespaces
Posted by <.> at 2/17/2004 2:59:35 PM
Hi Can we not use the following.´?? namespace Vendor::Product It wont compile with that Must I always do the following? namespace Vendor { namespace Product { } } ???!!!?? ...
more >>
Maybe dumb question... but really appreciate for help.
Posted by Ryan at 2/17/2004 10:11:13 AM
I'm currently using the following statements inside "Do.. While" loop cout << "Please enter the file name: "; cin.getline(FileName, 19, '\n') On the first execution, everything works ok, but when the 'while' condition is met and it goes back to the beginning of t...
more >>
Interesting std::replace_if problem
Posted by Andrew Maclean at 2/17/2004 9:27:30 AM
I guess this problem can be distilled down to: How do I search through a string, find the first matching substring, replace it, and continue through the string doing this. Can replace_if() be used to do this? Here is a concrete example: If I have a string with sequences of CRLF and possibly ju...
more >>
post vs. pre incrementation
Posted by Michael B. at 2/17/2004 9:09:09 AM
Hi! I have a very simple question: Is it still true that pre variable incrementation (like ++i) is faster than post incrementation (i++). I heard that in modern compilers it makes no difference as the both versions are optimised to one type of code. I've also never encountered any performance ...
more >>
my windows.h has GONE
Posted by Bonj at 2/16/2004 11:54:15 PM
my windows.h file (and probably lots of other headers) has suddenly DISAPPEARED. Reinstalling the SDK didn't fix it. what could have happened to it? ...
more >>
gc classes and destructors
Posted by Peter Hemmingsen at 2/16/2004 10:52:37 PM
Hi, Below is a smal test program which create two objects deriving from DataTable. When running the 3 lines of code marked as Ex1 the destructor of DataTableEx is never called,- why? When running the 2 lines of code marked as Ex2 the first line fail compilation claiming there is no destr...
more >>
Irregular Exception
Posted by Manfred Huber at 2/16/2004 6:31:29 PM
Hello, sometimes the source code below raises following exception: HEAP[Test.exe]: HEAP: Free Heap block cda1788 modified at cda1880 after it was freed Unhandled exception at 0x77f65a58 in Test.exe: User breakpoint. This exception is only raised a few times. Sometimes the code works wit...
more >>
VC7 exceptions
Posted by Harish at 2/16/2004 4:31:07 PM
Our company is about to upgrade to VC7 (.NET) from VC6.0 Regarding VC7, I have a question 1. In VC6 there used to be a problem when mixin C++ "catch" and SEH's "__finally". The compiler used to generate a lot of warnings. Has it been corrected If yes, how ...
more >>
CollectionBase derived class not saving design time items
Posted by niyad at 2/16/2004 1:21:00 PM
hi On a form ive added my custom component (MyComponent) which has a property (IDs in the expample code) exposing a collection of int16. I see this property in the PropertyGrid and I dont have trouble adding items to the collection at design time (using standard CollectionEditor class). I can A...
more >>
AssemblyVersion and FileVersion in Managed C++
Posted by waldyn.benbenek NO[at]SPAM unisys.com at 2/16/2004 1:00:54 PM
In C#, when one specifies an assembly attribute for the Assembly version, this becomes the file version as well. In Managed C++, there appears to be no relation between the assembly attribute and the file version. In fact, unless one specifies a version resource, no version attribute will be g...
more >>
Import a "C" function that returns a struct...
Posted by sammyh NO[at]SPAM 3rddim.com at 2/16/2004 12:44:07 PM
I have a .dll with "C" functions that I need to call. One of the functions returns a simple struct(2 doubles) If I try to use DllImport like this: [ DllImport("somedll.dll] SomeStruct1 f1(SomeStruct1 *pS); I get compiler error C3385 "a function that has a DllImport Custom Attribute cann...
more >>
hpp and h files
Posted by Abubakar at 2/16/2004 10:51:02 AM
hi, Just wanna know whats the difference between a *.hpp and *.h files. Seems like they are writing code in *.hpp and also using it as header file but in *.h they dont write code, only headers. ...
more >>
Very newbie question about returning strings
Posted by George at 2/16/2004 9:57:40 AM
How do I call a function that returns a string in managed C++ This for example is very wrong. private: System::Void button1_Click(System::Object * sender, System::EventArgs * e) { string str; str= GetTextMessage; MessageBox(0,str.data(),"Test",MB_OK); } private: System::String...
more >>
Template and Copy constructor
Posted by MurphyII at 2/16/2004 8:51:07 AM
Just a little sample : class A { public: A( ) { } template<typename T> A( const typename T& a) { } }; int APIENTRY WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int ...
more >>
Scope Woes
Posted by Yuri Vanzine at 2/16/2004 7:58:51 AM
I have a class with a private member function: void H6809_CPU::StoreWord(Word Data, Word Address) { Memory[Address] = Data >> 8; // High byte of Data Memory[Address+1] = Data & 0xFF; // Low byte of X cout<<"Inside Store Word:"<<MemoryWord(Address)<<endl; } I call it from another public memb...
more >>
getting the filename and the current directory of our program
Posted by Strubel Gregory at 2/16/2004 7:06:08 AM
I want to get the real name of my .exe and the current directory if the user change it, but i haven't find a function that do the job. Please help Thanks...
more >>
No .obj files created
Posted by IanT at 2/16/2004 4:06:10 AM
Hi I'm using Visual C++ .ne I'm using the default compiler but it doesnt seem to be generating .obj files in debug mode It creates a debug directory in the correct place but doesnt put any obj files into it I get no compiler errors, then when it comes to linking I get error saying object files c...
more >>
Create more columns from datagrid Control 6.0 ???
Posted by vivajuve9999 NO[at]SPAM yahoo-dot-com.no-spam.invalid at 2/16/2004 3:38:04 AM
Hi , I work with C++ for my final test , I use DataGrid Control 6.0 (OLEDB) to store the data , but the default column properties is only 2 , i can create more i use the ADODB to manipulate the database ( a table is more than 2 cols) so i cant view all fields from the table. I try f...
more >>
How to avoid Save dialog in Active document
Posted by Andrew at 2/16/2004 2:16:05 AM
Hi all: I have create a both container and server's Active document ,it works well when open a document in IE, but when user close IE, it prompt a dialog : this document has been modified.Do you want to save changes? yes :... I don't want to prompt the dialog, how to disabled it? Best ...
more >>
Data sizes, VC++ 6.0 vs VC++.NET
Posted by CaseyB at 2/15/2004 10:01:07 PM
Here is a chunk of data float m_fStrtTime, m_fTRise, m_fT0 float m_fFO20, m_fFO2M, m_fFO2F float m_fFCO20, m_fFCO2M, m_fFCO2F float m_fFHeF, m_fFHeFF; float m_fR2Hel, m_fR2Acet, m_fR2DME, m_fR2CO float m_fIHel, m_fKHel, m_fIAcet, m_fKAcet, m_fIDME, m_fKDME, m_fICO, m_fKCO float...
more >>
I wasn't expected that !
Posted by Marchel at 2/15/2004 12:27:14 PM
For a long time I was a gib fan of Borland C++ Builder with VCL framework and never gave a second look in Microsoft products since I've seen MFC. Anyway, recently Borland decided out of the blue to abandon it's C++ Builder and I decided to give a look into the .NET C++ and .NET C# products. After ...
more >>
Format Problem
Posted by Manfred Huber at 2/15/2004 2:33:30 AM
Hello, I'm using VC++ 7.0 .NET. It seems that the "%d" and "%f" format parameters are not supported anymore. Following code does not work: StatusLabel->Text = String::Format ("Reading %d bytes (%0.1f Kb/s)", __box(lBytes), __box (dTransferRate)); If I used this code with VC++ 6.0 and MFC ...
more >>
·
·
groups
Questions? Comments? Contact the
d
n | http://www.developmentnow.com/g/42_2004_2_15_0_0/dotnet-languages-vc.htm | crawl-002 | refinedweb | 3,778 | 73.47 |
This course will introduce you to SQL Server Core 2016, as well as teach you about SSMS, data tools, installation, server configuration, using Management Studio, and writing and executing queries.
interface Animal { void makeNoise(); } 4. class Horse implements Animal { 5. Long weight = 1200L; 6. public void makeNoise() { System.out.println("whinny"); } 7. } 8. public class Icelandic extends Horse { 9. public void makeNoise() { System.out.println("vinny"); } 10. public static void main(String[] args) { 11. Icelandic i1 = new Icelandic(); 12. Icelandic i2 = new Icelandic(); 12. Icelandic i3 = new Icelandic(); 13. i3 = i1; i1 = i2; i2 = null; i3 = i1; 14. } 15. } When line 14 is reached, how many objects are eligible for the garbage collector? I dint understand the concept of how to calculate the objects that are eligible for the garbage collector?can somebody explain it??
Are you are experiencing a similar issue? Get a personalized answer when you ask a related question.
Have a better answer? Share it in a comment.
1.
2.
3.
This is a good experiment - small program
which shows that indeed both i1 and i3 point at second object
at line 14:
Open in new window
Output:
Open in new window
This course will teach participants about installing and configuring Python, syntax, importing, statements, types, strings, booleans, files, lists, tuples, comprehensions, functions, and classes.
your previous Iceladic objects one and object three and each of them had
alos long value inside which can be GC'ed when the enclosing object disappears,
- so the total will be four which are eligible
Iclendic originally pointed by i3 and long weight inside it are eligible for GC
So the total will be 4 objects are eligible | https://www.experts-exchange.com/questions/26974182/SCJP-question-how-many-objects-are-eligible-for-the-garbage-collector.html | CC-MAIN-2018-22 | refinedweb | 277 | 58.48 |
The Ins and Outs of U.S. Estate Tax
U.S. estate tax is foreign (pun intended) to most Canadians because Canada doesn’t have a comparable tax. This is a complex area of tax law. You can find helpful information on how U.S. estate tax affects your tax bill here, but if you think this tax might apply to your situation, you might want to get some professional advice, because many strategies are available to help alleviate your exposure.
Understanding U.S. estate tax
Here’s how the Internal Revenue Service (IRS) defines estate tax: Estate tax is a tax on your right to transfer property at your death. Simply put, it’s a tax payable on the value of your assets at the time of your death. Despite what you might call it, you should be aware that U.S. estate tax exists because it could affect you, even if you’re a Canadian resident and citizen.
Know the assets that can expose you to U.S. estate tax
A Canadian non-resident alien (a Canadian person living in Canada with few or maybe no U.S. ties) is subject to U.S. estate tax on the total value of his or her U.S. estate that includes the following:
Shares or bonds of U.S. corporations (even if held in Canada as part of your Registered Retirement Savings Plan)
Real estate located in the U.S.
Personal property such as cars and furniture in the U.S.
First things first
The first calculation that takes place with the U.S. estate tax is to take your U.S. assets and multiply that value (not the growth, the actual market value) by the current rate of U.S. estate tax. This is a graduated rate, but under current legislation it can be as high as 55 percent in 2013 if you have a very large estate. This can be a very costly tax, hence the need for planning!
Claim credit against U.S. estate tax
Step 2 in calculating your U.S. estate tax exposure is to see whether you qualify for a credit to help offset some of the tax. Any U.S. non-resident (Canadian or otherwise) can claim an estate tax credit of US$13,000, which effectively means no U.S. estate tax applies on the first US$60,000 of a U.S. estate. If you don’t own any U.S. assets or if their value is below this $60,000 threshold, you’re off the hook no matter what the size of your worldwide estate. However, if you still have exposure to this tax, you might find relief in the estate tax credit.
For Canadian residents, an estate tax credit is available to help offset some or all of your U.S. estate tax. However, the amount is prorated using the formula of:
If your U.S. estate was 20 percent of the value of your worldwide estate, you would be permitted a credit of 20 percent of the current U.S estate tax credit.
The U.S. estate tax rates, credits, and exemption amounts are in a state of flux at the time of writing. Announcements regarding changes to this tax are likely to be made. Under the current legislation for 2012, if someone is considered to have a small estate — that is, a worldwide estate worth less than $5 million — no U.S. estate tax would be due.
However, in 2013 the exemption is slated to reduce to only $1 million, and given that your worldwide estate will include the value of your house and life insurance policies, its reach might be farther than you think. Keep your eyes open for media announcements regarding changes that might affect you.
Filing tax returns
The U.S. estate tax can affect two tax returns. The first — and most obvious — is the U.S. estate return (which is completely separate from the U.S. income tax return). The second return that may be affected is the final personal Canadian tax return of the deceased.
Prepare a U.S. estate tax return
A U.S. estate return for non-residents of the United States is IRS form 706-NA, due nine months after the date of death. The return must be filed if the deceased’s U.S. estate was worth more than US$60,000 at the time of death. A return needs to be filed even if the U.S. estate tax liability is zero.
To take advantage of the provisions of the Canada–U.S. tax treaty you must provide the details of the deceased’s worldwide assets to the IRS in this return.
Claim a foreign tax credit on the deceased’s Canadian income tax return
Where a deceased taxpayer paid U.S. estate tax, the tax paid qualifies for a foreign tax credit on the deceased’s final Canadian income tax return. However, the credit is available only up to the extent of the Canadian taxes payable on the deceased’s U.S. source income in the year of death. This can avoid some potential double tax on those assets, but given that the U.S. estate tax rates can be very high, it might not give you full relief. Again, professional help is recommended. | http://www.dummies.com/how-to/content/the-ins-and-outs-of-us-estate-tax.html | CC-MAIN-2016-30 | refinedweb | 888 | 74.79 |
.
Menu item "File->New view into File"
And then drag the tab down to the new tab bar? That seems to work, thanks. But it does seem like a lot of work to simply split a document into 2 scrolling view, plus both views have a tab.
I guess I am used to BBEdit, just drag the "splitter" on the scroll bar and voila.
I agree that having to split the window isn't very intuitive. A lot of times I just want to reference another portion of the file I am working on and don't want to split the window for all other files open. Hopefully this will be addressed at some point. I haven't seen a way to just split the window for the current document unless I am missing something.
Scott
You can create the splitted layout and move the cloned view to the second group automatically with something like this:
import sublime_plugin
class CloneFileToGroupCommand(sublime_plugin.WindowCommand):
def run(self):
if self.window.num_groups() == 1:
self.window.run_command('set_layout',
{
"cols": [0.0, 0.5, 1.0],
"rows": [0.0, 1.0],
"cells": [0, 0, 1, 1], [1, 0, 2, 1]]
})
self.window.run_command('clone_file')
self.window.run_command('move_to_group', {"group": 1})
or even with a macro.
It's probably possible to analyze the current layout, add another group next to the current one and clone the view to this group.And maybe save the old layout for reverting to it when you finished the work.But with the tabs bar (which I don't show), it's doesn't look great.
Here's the code I'm using, in case others find it useful.
It can be bound to a single key which will make a split view into the current file, just like dragging the horizontal splitter in other editors, or close the split view if it's open.
This is meant for somebody who uses the Single layout. If you are already using other layouts, then you'll have to look into more elaborate plugins, such as Origami.
import sublime_plugin
class SplitPaneCommand(sublime_plugin.WindowCommand):
def run(self):
w = self.window
if w.num_groups() == 1:
w.run_command('set_layout', {
'cols': [0.0, 1.0],
'rows': [0.0, 0.33, 1.0],
'cells': [0, 0, 1, 1], [0, 1, 1, 2]]
})
w.run_command('clone_file')
w.run_command('move_to_group', {'group': 1})
w.focus_group(1)
else:
w.focus_group(1)
w.run_command('close')
w.run_command('set_layout', {
'cols': [0.0, 1.0],
'rows': [0.0, 1.0],
'cells': [0, 0, 1, 1]]
}) | https://forum.sublimetext.com/t/split-view/5774/5 | CC-MAIN-2016-22 | refinedweb | 420 | 69.18 |
ASP.NET MVC 4 – Web API
A beta version has just been released for ASP.NET 4. Among the many new features included in this release is the Web API framework, but what is it? Basically, it allows you to create services that can be exposed over HTTP rather than through a formal service such as WCF or SOAP. If you’ve ever used the Facebook or Twiiter API, you’re already familiar with them. For me, this is one of the most exciting new features!
Web API was originally the WCF Web API project. Developing an API this way meant you followed the rules governed by WCF; starting with an interface, creating classes to derive from the interface, and then decorating the interface with the WCF attributes to form the endpoints. This was not a fluent process. WCF is tough and people like the ease that ASP.NET allows, Microsoft saw this and created Web API. They took the best pieces from WCF Web API and the ease of development that ASP.NET MVC allows.
Installation
Right now you can install MVC 4 beta for Visual Studio 2010 via the We Platform Installer. This requires ASP.NET 4 if you haven’t previously installed it, and can be downloaded from here.
Visual Studio 2011 Developer Preview has also just been released to the public. As an ASPInsider, we’ve had access to the release for quite some time, and I’m very happy with the new metro look and feel. If you’d like to install it, it can be downloaded here. All of the code and screen shots are from the new version.
Getting Started
To get started writing your first Web API, open Studio 2011 and choose ASP.NET MVC 4 Web Application. The Project Template dialog will pop up next. There’s a couple of new choices, such as Mobile Application and Single Page Application (SPA), but for now choose Web API.
Before looking at any code, open the global.asax file and take a look at the default route.
public static void RegisterApis(HttpConfiguration config) { config.Routes.MapHttpRoute( "Default", // Route name "{controller}/{id}", // URL with parameters new { id = RouteParameter.Optional } // Parameter defaults ); } protected void Application_Start() { RegisterApis(GlobalConfiguration.Configuration); }
The main difference bewteen MVC routes and Web API routes is there’s no route defined for an action. That’s because Web API uses the HTTP method, not the URI path, to select the action.
I’ve created a simple Product class to represent the model and added that to the Models folder.
public class Product { public int ID { get; set; } public double Price { get; set; } public string Name { get; set; } }
Now I’m going to add a new controller called ProductController. There’s some new additions you can choose in this dialog for scaffolding options, but for now I’m going to generate an empty controller.
The controller looks the same, but Web API controllers derive from ApiController.
public class ProductController : ApiController { // GET: /Product/ public ActionResult Index() { return View(); } }
Remember Web API uses HTTP methods, so we can map out the following HTTP methods:
The naming conventions in Web API follow the names of the HTTP methods, GET/POST/PUT/DELETE. You’ll see how these are mapped to the code in the following sections.
GET Actions
public List<Product> Get() { return _productsRepository.ToList(); } public Product Get(int id) { return _productsRepository.First(p => p.ID == id); }
Notice how I’ve defined two Get actions? This is because when the user invokes the API, they’ll pass in the HTTP method. If an incoming request is a GET request, and it doesn’t have an ID, it will call the Get action to return a list of products. If an ID is there, it invokes the Get action for a specific product. Nice and simple. And how can you test this code? I’m going to use Fiddler for this. If you’ve never used it, you should get it now.
Using Fiddler I can create a GET request in the Composer builder. Calling will return the list of products.
If I want only one product, I can pass in an ID;. By default JSON is returned from all action methods. If you want a different format, like XML, just add in the Accept request head application/xml:
Without changing any code, it returns the result in XML.
public void Post(Product product) { _productsRepository.Add(product) }
Following on from the GET requests are POST requests. This is where data will be created. Again I’ve named the action the same as the HTTP verb, so all I need to change is to add the Content-Type to application/json, and send up the JSON object. I can add the following request headers in Fiddler to post the new product.
If you check the HTTP response code, you’ll see it returns 200, which is OK, but for a POST it should ideally return a 201 status code. This will indicate to the user that the product was successful. Also 201’s are supposed to have a Location value, so we’ll add that also.
public HttpResponseMessage<Product> Post(Product product) { _productsRepository.Add(product); var response = new HttpResponseMessage<Product>(product, HttpStatusCode.Created); string uri = Url.Route("", new { id = contact.Id }); response.Headers.Location = new Uri(Request.RequestUri, uri); return response; }
Instead of returning void, we’re returning a new type HttpResponseMessage<T>. This gives you the flexibility of changing the returned status code as well as the response headers. Now if you run this through Fiddler, you’ll see a 201 returned plus the Location header.
PUT Actions
public void Put(Product product) { _productsRepository.Update(product) }
Put actions update resources, so returning a 200 or 204 is fine. By default, 200 is returned, so for this reason we don’t have to do anything to the action.
It’s worth noting that for the post and put actions I’m sending JSON. If I change the content-type to XML, I could easily send XML instead of JSON without having to change any code in the API. Web API automatically breaks the incoming request to strongly typed objects and maps the name properties.
DELETE Actions
public void Delete(Product product) { _productsRepository.Delete(product) }
Delete actions delete resources, so depending if the resource is deleted immediately or at a later stage can determine the status code. If the resource is deleted immediately, the status code should be 200. If the deletion is for a later stage, then a 202 status code should be returned.
public HttpResponseMessage<Product> Delete(Product product) { _productsRepository.Delete(product); var response = new HttpResponseMessage<Product>(product, HttpStatusCode.Deleted); return response; }
I’ve only scratched the surface of Web API, over the coming weeks I’ll explore different ways to use it. | https://www.sitepoint.com/asp-net-mvc-4-web-api/ | CC-MAIN-2020-10 | refinedweb | 1,136 | 66.64 |
This type supports both iteration and the [] operator to get child ID properties.You can also add new properties using the [] operator. For example:
group['a float!'] = 0.0 group['an int!'] = 0 group['a string!'] = "hi!" group['an array!'] = [0, 0, 1.0, 0] group['a subgroup!] = {"float": 0.0, "an int": 1.0, "an array": [1, 2], "another subgroup": {"a": 0.0, "str": "bleh"}}
Note that for arrays, the array type defaults to int unless a float is found while scanning the template list; if any floats are found, then the whole array is float.
You can also delete properties with the del operator. For example:
del group['property']To get the type of a property, use the type() operator, for example:
if type(group['bleh']) == str: passTo tell if the property is a group or array type, import the Blender.Types module and test against IDGroupType and IDArrayType, like so:
from Blender.Types import IDGroupType, IDArrayType. if type(group['bleghr']) == IDGroupType: (do something) | http://www.blender.org/api/245PythonDoc/IDProp.IDGroup-class.html | CC-MAIN-2015-11 | refinedweb | 166 | 69.99 |
ImportError: DLL load failed: %1 is not a valid Win32 application.
I have used the following code to import psspy(my psse is PSSE 35), however I have got the following error:
import os, sys sys_path_PSSE = r'C:\Program Files\PTI\PSSE35\35.2\PSSPY27' # or where else you find the psspy.pyc sys.path.append(sys_path_PSSE) os_path_PSSE = r'C:\Program Files\PTI\PSSE35\35.2\PSSBIN' # or where else you find the psse.exe os.environ['PATH'] = ';' + os_path_PSSE
The error:
import psspy File ".\psspy.py", line 56, in <module> ImportError: DLL load failed: %1 is not a valid Win32 application.
could you help me with that? Thanks | https://psspy.org/psse-help-forum/question/8239/importerror-dll-load-failed-1-is-not-a-valid-win32-application/?answer=8267 | CC-MAIN-2022-40 | refinedweb | 108 | 69.18 |
Hi all, today we will show you our support for PHP 7 which will be part of NetBeans 8.2.
(This is the second part; for the first part, please follow this link.)
First, please let me thank our NetBeans user Junichi Yamamoto who is helping a lot with developing of new features as well as fixing of existing issues. Thanks a lot, Junichi!
Please note that PHP 7 is a huge update of NetBeans PHP support so your help with testing and reporting issues is more than welcome (and really appreciated!), thank you. Instructions can be found at the end of this blog post.
As the first step, you should set PHP 7.0 as the PHP version of your PHP project:
One of the biggest features of PHP 7 is group use declarations. Now, all the use statements from some common namespace can be combined in one group use statement. How this can look like can be found on the next image:
Of course, all the features you would expect work - e.g. code completion:
Or hints:
Not only classes/interfaces/traits can be used in group uses but also constants as well as functions:
So if you prefer group uses, simply select the relevant property in IDE Options:
Another big feature of PHP 7 is ability to use anonymous classes. These classes are basically created on-the-fly and immediately used:
Great news is that code completion works as expected in this case as well:
Anonymous classes can be also a bit more complicated - they can extend some other class, implement some interfaces and even use some traits, just like any other classes. They can also take any constructor parameters:
Not only code completion works but also all other features like e.g. find usages:
That's all for today, as always, please test it and report all the issues or enhancements you find in NetBeans Bugzilla (component php, subcomponent Editor). You can also leave a comment here (please notice that the comments are moderated so they will not appear here immediately) but reporting issues is strongly preferred (no issues described here in comments will be fixed, sorry; only Bugzilla counts). | https://blogs.oracle.com/netbeansphp/php-7-support-part-2 | CC-MAIN-2021-17 | refinedweb | 364 | 64.34 |
Back in Chapter 8, we saw some of the method calls that are made by an app that uses the file picker: Windows.Storage.CachedFileManager.deferUpdates and Windows.Storage.CachedFileManager.- completeUpdatesAsync. This usage is shown in Scenarios 4 and 6 of the File picker sample we worked with in that chapter. Simply said, these are the calls that a file-consuming app makes if and when it writes to a file that it obtained from a file picker. It does this because it won’t know (and shouldn’t care) whether the file provider has another copy in database, web service, etc., that needs to be kept in sync. If the provider needs to handle synchronization, the consuming app’s calls to these methods will trigger the necessary cached file updater UI of the provider app, which might or might not be shown, depending on the need. Even if the consuming app doesn’t call these methods, the provider app will still be notified of changes but won’t be able to show any UI. There are two directions with which this contract works, depending on whether it’s needed to update a local (cached) copy of a file or the remote (source) copy. In the first case, the provider is asked to update the local copy, typically when the consuming app attempts to access that file (pulling it from the FutureAccessList or MostRecentlyUsed list of Windows.Storage.AccessCache; it does not explicitly ask for an update). In the second case, the consuming app has modified the file such that the provider needs to propagate those changes to its source copy. From a provider app’s point of view, the need for such updates comes into play whenever it supplies a file to another app. This can happen through the file picker contracts, as we’ve seen in the previous section, but also through file type associations as well as the share contract. In the latter case a share source app is, in a sense, a file provider and might make use of the cached file updater contract as well. In short, if you want your file-providing app to be able to track and synchronize updates between local and remote copies of a file, this is the contract to use. Supporting the contract begins with a manifest declaration as shown below, where the Start page indicates the page implementing the cached file updater UI. That page will handle the necessary events to update files and might or might not actually be displayed to the user, as we’ll see later. 540
The next step for the provider is to indicate when a given StorageFile should be hooked up with this contract. It does so by calling Windows.Storage.Provider.CachedFileUpdater.- setUpdateInformation on a provided file as shown in Scenario 3 of the File picker contracts sample, which I’ll again refer to as the provider sample for simplicity (js/fileOpenPickerScenario3.js): function onAddFile() { // Respond to the "Add" button being clicked }; Windows.Storage.ApplicationData.current.localFolder.createFileAsync("CachedFile.txt", Windows.Storage.CreationCollisionOption.replaceExisting).then(function (file) { Windows.Storage.FileIO.writeTextAsync(file, "Cached file created...").then( function () { Windows.Storage.Provider.CachedFileUpdater.setUpdateInformation( file, "CachedFile", Windows.Storage.Provider.ReadActivationMode.beforeAccess, Windows.Storage.Provider.WriteActivationMode.notNeeded, Windows.Storage.Provider.CachedFileOptions.requireUpdateOnAccess); addFileToBasket(localFileId, file); }, onError); }, onError); Note setUpdateInformation is within the Windows.Storage.Provider namespace and is different from the Windows.Storage.CachedFileManager object that’s used on the other side of the contract; be careful to not confuse the two. The setUpdateInformation method takes the following arguments: • A StorageFile for the file in question. • A content identifier string that identifies the remote resource to keep in sync. • A ReadActivationMode indicating whether the calling app can read its local file without updating it; values are notNeeded and beforeAccess. • A WriteActivationMode indicating whether the calling app can write to the local file and whether writing triggers an update; values are notNeeded, readOnly, and afterWrite. • One or more values from CachedFileOptions (that can be combined with bitwise-OR) that describes the ways in which the local file can be accessed without triggering an update; values are none (no update), requireUpdateAccess (update on accessing the local file), useCachedFileWhenOffline (will update on access if the calling app desires, and access is allowed if there’s no network connection), and denyAccessWhenOnline (triggers an update on access and requires a network connection). 541 | https://www.yumpu.com/en/document/view/59794928/microsoft-press-ebook-programming-windows-8-apps-with-html-css-and-javascript-pdf/541 | CC-MAIN-2018-43 | refinedweb | 734 | 51.48 |
The QDLinkPlugin class is responsible for maintaining a network link. More...
#include <QDLinkPlugin>
Inherits QDPlugin.
The QDLinkPlugin class is responsible for maintaining a network link.
This plugin should be used to bring up a network interface and provide an IP address for Qt Extended Sync Agent to connect to.
This enum type specifies the state of the connection.
Construct a QDLinkPlugin with parent as the owning QObject.
Destructor.
Returns the time in miliseconds between pings. Returning 0 will disable the pings, relying on the underlying connection to correctly indicate loss of connection.
Note that this value can be overridden by the user when operating in debug mode.
Returns true if HELPER_ACK commands should be sent, false otherwise.
This signal should be emitted by the plugin to indicate changes in state using a constant from the QDLinkPlugin::State enum.
Call this function after you have created your device to initialize the socket. Note that the device will be moved to a separate thread so you should not interact with it except via signals. For the proxy device that you can interact with see QDLinkPlugin::socket().
Ownership of device is taken by QDLinkPlugin and it will be destroyed when the plugin is destroyed but you can delete it yourself using the QObject::deleteLater() function.
Returns the socket for connections to use or 0 if the socket has not been initialized.
Tear down the link. The socket() function should return 0 once this function has been called.
Attempt to bring up the link, using the port from connection (for TCP/IP-based links). Return false to indicate immediate failure and the setState() signal to indicate asynchronous failure. | https://doc.qt.io/archives/qtextended4.4/qtopiadesktop/qdlinkplugin.html | CC-MAIN-2021-10 | refinedweb | 274 | 57.77 |
Algorithms and OOD (CSC 207 2014S) : Readings)]
Summary: We consider the essential features of stacks, one of the forms of linear structures. We also consider a straightforward implementation of stacks.
Prerequisites: Linear Structures, Arrays, Polymorphism, Inheritance
Now that you understand about linear structures, stacks are a fairly
simple abstract data type. Stacks are simply linear structures
that implement that last in, first out
(also “LIFO”) policy. That is, the value returned by
get is the value most recently added to the stack.
We might describe the interface for stacks as follows.
package taojava.util; import java.util.Iterator; /** * A linear structure that follows the last-in, first-out policy. * * @author Samuel A. Rebelsky */ public interface Stack<T> extends LinearStructure<T> { /** * Add an element to the stack. * * @param val * the value to add. * @pre * !this.isFull() * @post * The stack now contains an additional element of val. * @exception Exception * If the structure is full. */ public void put(T val) throws Exception; /** * Remove the most recently added element that is still in the * stack. * * @return * val, a value. * @pre * !this.isEmpty() * @post * The structure contains one fewer copy of val. * @post * Every element that remains in the stack was added less recently * than val. * @exception Exception * If the structure is empty. */ public T get() throws Exception; /** * Determine what element will next be removed by get. * * @return * val, a value. * @pre * !this.isEmpty() * @post * Every other value in the stack was added less recently than val. * @exception Exception * If the structure is empty. */ public T peek() throws Exception; /** * Determine if the structure is empty. */ public boolean isEmpty(); /** * Determine if the structure is full. */ public boolean isFull(); /** * Get an iterator that returns all of the elements in some order. */ public Iterator<T> iterator(); /** * Push a value on the stack. (An alias for put.) */ public void push(T val) throws Exception; /** * Pop a value from the stack. (An alias for get.) */ public T pop() throws Exception; } // interface Stack<T>
One aspect of this code you may find of interest is that we have said
that
Stack extends LinearStructure. This extension is
similar to the extension you've seen for classes, although it is used
primarily for polymorphism. It means that you can use a
Stack
whereever code expects a
LinearStructure
There are a variety of ways in which computer scientists use stacks. At times, they use them simply because they need some linear structure, and stacks are convenient to use. More frequently, they identify problems for which the last-in, first-out policy is particularly appropriate.
One such class of problems involves matching symbols, such as tags in an
HTML document or parens in a Scheme program. In essence, whenever you
see an opening symbol, such as
<b> in an HTML
document or
( in a Scheme program, you push it on the
stack. When you see a closing symbol, such as
</b>
in an HTML document or
) in a Scheme program, you pop
the value on the stack and compare it to the closing symbol. If they
match, you continue on. If they fail to match, you report an error.
Clearly, if you encounter an end symbol with an empty stack, there's
something seriously wrong with the document or program. Similarly,
if the stack contains values at the end, there are also significant
problems, since not all opening symbols are matched.
Stacks are also useful for certain kinds of operations. For
example, some mathematicians like to use reverse polish
notation (RPN), in which the operation follows the operands.
In such a system, we would write “add 2 and the product of 3
and 7” as
2 3 7 * +. RPN is useful because you
don't have to worry about precedence rules. RPN is also very easy to
implement using stacks.
It is also fairly easy to implement stacks, at least once we have another
data structure, such as an array. In an array-based implementation of
stacks, we typically store the values as they come in, starting at index 0.
When we pop a value, we use the index of the last value added and decrease
that value. (Typically, we use a field called
top to keep
track of where to add values.)
Given that strategy, here's the basic code for
put.
this.contents[this.top] = newvalue; this.top++
Most programmers would express this more concisely as follows.
this.contents[this.top++] = newvalue;
It is equally easy to get the value at the top of the stack: We just reverse those two steps.
this.top--; return this.contents[this.top];
Again, we can combine these two lines into a single instruction.
return this.contents[--this.top];
Note that when we combine the operations, we use the prefix version
of the decrement operation so that
this.top is decremented
before we use it as an index.
To avoid accidental access to removed data, many programmers make it a habit to clear out the entry in an array whenever we remove a value. Hence, we will need to temporarily store the value to be returned before clearing the cell and then returning that value.
T returnme = this.contents[--this.top]; this.contents[this.top] = null; return returnme;
Determining whether or not the stack is empty is also easy: The stack
is empty only when
top is 0.
return (top == 0);
The only hard part is what to do when the stack “fills”. The simplest thing to do is to make a bigger array and copy the values over. The particular code for doing so is left as an exercise for the reader.
We can also implement stacks using linked nodes. What is a node? It's a simple data type that contains two parts: a value and a link to the next node.
package taojava.util; /** * Simple nodes for linked structures. */ public class Node<T> { // +--------+---------------------------------------------------------- // | Fields | // +--------+ /** * The value stored in the ndoe. */ T value; /** * The next node. */ Node<T> next; // +--------------+---------------------------------------------------- // | Constructors | // +--------------+ /** * Create a new node that contains val and that links to * next. */ public Node(T value, Node<T> next) { this.value = value; this.next = next; } // Node(T, Node<T>) } // class Node<T>
For a stack, we just need a pointer to the node at the front of the
stack, which we'll call
front.
To put something at the front of the stack, we can write
this.front = new Node(val, this.front);
To get something from the front of the stack, we can write
T result = this.front.val; this.front = this.front.next; return result;
Ideally, the stack never fills. If it does, we're in pretty big trouble, because we can't even create a small object, which means that we'll also have trouble creating an exception object.
public boolean isFull() { return false; } // isFull()
We can check if the stack is empty by comparing
front
to
null.
public boolean isEmpty() { return this.front == null; } // isEmpty()
Unfortunately, some bright computer scientists designed the stack ADT
before some other bright computer scientists designed the more general
linear structure ADT. Hence, the terms that many folks use for the
basic stack operations are not
put and
get,
but rather
push and
pop.
To make our code more general, we will stick with the linear structure terms.
This reading is based on a similar reading I created as a part of Espresso.. | http://www.math.grin.edu/~rebelsky/Courses/CSC207/2014S/readings/stacks.html | CC-MAIN-2017-51 | refinedweb | 1,217 | 66.33 |
Welcome to MIX! Following suit with many Microsoft web technologies, here’s our product announcement…..It’s been a long time coming – a year, in fact, since I presented a sneak peak of the Microsoft Virtual Earth Silverlight (VESL) Map Control at MIX 2008. Now, here we are a year later at MIX 2009 releasing the Microsoft Virtual Earth Silverlight Map Control as a CTP. We even got mentioned in Scott Guthrie’s keynote (see pic below)! The bits will be available for download later this week.
Over the coming days and weeks, I’ll start getting more and more content and code samples out about how to leverage the Virtual Earth Silverlight Map Control, but for now here’s a little overview of exactly what it’s all about.
VESL changes the game when it comes to map control performance for loading tiles and rendering massive amounts of data onto a map. With Silverlight’s multi-image scaling techniques (AKA Deep Zoom), Virtual Earth map tiles can be summoned from lower zoom levels while the current zoom transitions to that level providing an fluid and engaging user experience. Here’s a little video highlighting some of the features of multi-image scaling.
Double-click to go full screen. Also, turn on speakers – thanks Paul!.
So, I can’t help but give you a sneak peak into how to add a Virtual Earth Silverlight map to your web site. First thing you’ll do is download the control (a .dll) from Microsoft Connect (bits available later this week). Add the .dll to your Silverlight project as a resource. In your default XAML template, you’ll add 2, count ‘em, 2 lines of code to get a Virtual Earth Silverlight map into your site.
- Add a reference to the common language runtime namespace (Microsoft.VirtualEarth.MapControl) and the assembly of the same name:
- xmlns:m=”clr-namespace:Microsoft.VirtualEarth.MapControl;assembly:Microsoft.VirtualEarth.MapControl”
- Add one line of XAML to your code in the grid element:
- <m:Map/>
That’s it! You don’t even need to touch the .NET code to get access to the Silverlight user experience, Deep Zoom, road map tiles, aerial imagery/photography, new navigation and zoom bar (yay!, zoom bar is back!). Can it BEEE any easier?
My presentation is Friday, March 20 @ 12:30 – 1:45. You can watch my session next week on the Live MIX Replay Site. If you’re at MIX (OMG – we’re SOOO gonna rage – meet me at the party at TAO!), I expect to see you there. I’m gonna try to “micro-blog” on Twitter (CP on Twitter) and I’m bringing the HD camera, so will try to upload raw video footage at the show. As with last year, I have a free collector’s item for my presentation that will be THE must have item that everyone will be asking, “Where did you get that?!?!” At the conclusion of my session, the bits for the Virtual Earth Silverlight Map Control CTP will be made available on Microsoft Connect. I’ll post another blog entry Friday to get you all the links you need. Get to MIX and party with me!
CP
Neat. I wish the Live Search team would integrate this with Live Search Maps. Panning around has never been easier 🙂
So far so good on the "easy to use and integrate" front – this is the result of a 30 minute play so panning/scrolling are ‘off’ until I can sync everything up nicely; but it’s definitely the CTP control in there…
Can this be used in a WPF application? Or do we have to wait for WPF 3.0 and it announced support for MSI controls? | https://blogs.msdn.microsoft.com/virtualearth/2009/03/18/introducing-the-virtual-earth-silverlight-map-control/ | CC-MAIN-2017-13 | refinedweb | 622 | 72.56 |
I'm glad I found this forum. Just doing seraches has helped me already. However, I am having a problem with my assigment.
I want to open data.txt file, read the file line by line. Each line has four items, int, string, int, and double. Then put the items into an array, and then print out the items in the array.
At this time, the code reads one line only.
Here is what is in my data.txt file:
3176 battery 15 45.25
2217 tire 10 12.50
Here is my code. Any help is appreciated,
Jim
iimport java.io.*; import java.util.*; public class ReadLines{ public static void main(String args[]) { int count = 0; int MAX_LENGTH = 3; int partID = 0; String partName = " "; int partStock = 0; double partPrice = 0; try{ BufferedReader in = new BufferedReader(new FileReader ("data.txt"));// read file CarPart[] array = new CarPart[MAX_LENGTH];//array String line = in.readLine();//read a line in file StringTokenizer st = new StringTokenizer(line);//tokenizer if (line != null) { partID = Integer.parseInt(st.nextToken()); partName = st.nextToken(); partStock = Integer.parseInt(st.nextToken()); partPrice = Double.parseDouble(st.nextToken()); CarPart cp = new CarPart(partID, partName, partStock, partPrice); array[count] = cp; count++; }//end if System.out.println("Part: " + partID +" " +partName + " " + partStock + " " + partPrice); in.close(); }//end try catch (Exception e) { System.err.println(e); // Print the exception to warn. }//end catch }//end main }//end class | https://www.daniweb.com/programming/software-development/threads/27941/need-help-with-java-assignment | CC-MAIN-2017-17 | refinedweb | 228 | 63.66 |
Before we learn about pure virtual functions, be sure to check these tutorials:
C++ Pure Virtual Functions
Pure virtual functions are used
- if a function doesn't have any use in the base class
- but the function must be implemented by all its derived classes
Let's take an example,
Suppose, we have derived
Triangle,
Square and
Circle classes from the
Shape class, and we want to calculate the area of all these shapes.
In this case, we can create a pure virtual function named
calculateArea() in the
Shape. Since it's a pure virtual function, all derived classes
Triangle,
Square and
Circle must include the
calculateArea() function with implementation.
A pure virtual function doesn't have the function body and it must end with
= 0. For example,
class Shape { public: // creating a pure virtual function virtual void calculateArea() = 0; };
Note: The
= 0 syntax doesn't mean we are assigning 0 to the function. It's just the way we define pure virtual functions.
Abstract Class
A class that contains a pure virtual function is known as an abstract class. In the above example, the class
Shape is an abstract class.
We cannot create objects of an abstract class. However, we can derive classes from them, and use their data members and member functions (except pure virtual functions).
Example: C++ Abstract Class and Pure Virtual Function
// C++ program to calculate the area of a square and a circle #include <iostream> using namespace std; // Abstract class class Shape { protected: float dimension; public: void getDimension() { cin >> dimension; } // pure virtual Function virtual float calculateArea() = 0; }; // Derived class class Square : public Shape { public: float calculateArea() { return dimension * dimension; } }; // Derived class class Circle : public Shape { public: float calculateArea() { return 3.14 * dimension * dimension; } }; int main() { Square square; Circle circle; cout << "Enter the length of the square: "; square.getDimension(); cout << "Area of square: " << square.calculateArea() << endl; cout << "\nEnter radius of the circle: "; circle.getDimension(); cout << "Area of circle: " << circle.calculateArea() << endl; return 0; }
Output
Enter length to calculate the area of a square: 4 Area of square: 16 Enter radius to calculate the area of a circle: 5 Area of circle: 78.5
In this program,
virtual float calculateArea() = 0; inside the
Shape class is a pure virtual function.
That's why we must provide the implementation of
calculateArea() in both of our derived classes, or else we will get an error. | https://www.programiz.com/cpp-programming/pure-virtual-funtion | CC-MAIN-2021-04 | refinedweb | 396 | 58.32 |
mx.data.binding.ObjectDumper
Tired of using trace and getting [object Object],[object Object],[object Object], etc and then having to write a recursive function to burrow down through the entire object. Jen deHaan () posted up a really cool tidbit on using ObjectDumper.
Article: Hidden component goodness: ObjectDumper
Here’s the code sample from Jen’s blog, with additional info on the other parameters that can be used.
[as]
import mx.data.binding.ObjectDumper;
// create a sample associative array
var my_dp:Array = new Array({name:’Grissom, M.’, avg:0.279}, {name:’Bonds, B.’, avg:0.362}, {name:’Cruz, D.’, avg:0.292}, {name:’Snow, J.’, avg:0.327});
// trace using ObjectDumper.toString
// ObjectDumper.toString(obj, showFunctions:Boolean, showUndefined:Boolean, showXMLstructures:Boolean, maxLineLength:Number, indent:Number)
trace(ObjectDumper.toString(my_dp,false,true,false,80,0));
[/as]
Instead of tracing object Object, … you get a nicely formatted output of the entire object
[{avg: 0.279, name: "Grissom, M."},
{avg: 0.362, name: "Bonds, B."},
{avg: 0.292, name: "Cruz, D."},
{avg: 0.327, name: "Snow, J."}]
Very cool. Super thanks to Jen deHaan for blogging this.
June 1st, 2005 at 12:05 am
Thanks for hosting this John, very very valuable. | http://www.yapiodesign.com/blog/2005/04/06/mxdatabindingobjectdumper/ | crawl-002 | refinedweb | 199 | 53.78 |
Hi there,
I want to do the following:
1 Select a bit of text (it is actually a number) from a datafield within a browser (not a problem in sikuli).
2 Convert the string value into numerical data
3 Add +1 to the new value
4 Paste the new value
My problem is that I am stuck on step 2. What is the easiest way to go about? I'm not even sure if Sikuli can do this.
Many thanks in advance!
MPE
UPDATE:
Ok, so I've found answers to similar question using "number = int(Region.
The problem is, however, that I have no idea how to define a region, and there really are no instructions or tutorials online. Help is much appreciated.
Question information
- Language:
- English Edit question
- Status:
- Solved
- For:
- Sikuli Edit question
- Assignee:
- No assignee Edit question
- Solved:
- 2017-06-18
- Last query:
- 2017-06-18
- Last reply:
- 2017-06-16
Hi Masuo,
That helped enormously, thank you very much!
Only thing that is missing in your explanation is how to get content from the clipboard, which I found out myself:
str_x = App.getClipboard()
After which you can just follow the steps you provided. Thanks again!
#convert strings to numeric
str_x = "10"
num_x = int(str_x)
num_y = num_x + 1
#convert numeric to strings
str_y = str(num_y)
#confirm type of variable
try:
import builtins
except ImportError:
import __builtin__ as builtins
print "num_y:
",builtins. type(num_ y) ",builtins. type(str_ y)
print "str_y: | https://answers.launchpad.net/sikuli/+question/644039 | CC-MAIN-2017-34 | refinedweb | 244 | 71.75 |
MP3 Response (2 messages)
I'm attempting to write a servlet to serve audio to a website. My over all goal is to provide a 30-45 second preview of an MP3 embedded with SMIL or QT (but right now I am just trying to play anything). I'd like the result to also play on the iPhone (this QT) but be relatively seem less across different platforms. I'm having trouble with the servlet first and foremost at this point. I've been following the example in O'Reilly's JSP & Servlet Cookbook (code attached) but cannot get the audio to play when I access the servlet. I've changed the content type to text/html to see if I'm even reading the file and I get back the character's of the MP3 (looks the same as if I opened the MP3 in a text editor) so it seems I am reading and streaming the file correctly. But no matter what format I use, I cannot embed the stream to a website. I have also tried playing the URL in the QT player to no avail. import java.io.BufferedInputStream; import java.io.File; import java.io.FileInputStream; import java.io.IOException;; public class SendMp3 extends HttpServlet { public void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { String fileName = (String) request.getParameter("file"); if (fileName == null || fileName.equals("")) throw new ServletException( "Invalid or non-existent file parameter in SendMp3 servlet."); if (fileName.indexOf(".mp3") == -1) fileName = fileName + ".mp3"; String mp3Dir = getServletContext().getInitParameter("mp3-dir"); if (mp3Dir == null || mp3Dir.equals("")) throw new ServletException( "Invalid or non-existent mp3Dir context-param."); ServletOutputStream stream = null; BufferedInputStream buf = null; try { stream = response.getOutputStream(); File mp3 = new File(mp3Dir + "/" + fileName); //set response headers response.setContentType("audio/mpeg"); response.addHeader("Content-Disposition", "attachment; filename=" + fileName); response.setContentLength((int) mp3.length()); FileInputStream input = new FileInputStream(mp3); buf = new BufferedInputStream(input); int readBytes = 0; //read from the file; write to the ServletOutputStream while ((readBytes = buf.read()) != -1) stream.write(readBytes); } catch (IOException ioe) { throw new ServletException(ioe.getMessage()); } finally { if (stream != null) stream.close(); if (buf != null) buf.close(); } } public void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { doGet(request, response); } } Any insights would be MUCH appreciated! Thank you, Joe
- Posted by: Joseph Gerew
- Posted on: March 19 2009 09:56 EDT
Threaded Messages (2)
- read problem? by Peter Guy on March 20 2009 16:22 EDT
- Read problem by Michal Siplak on March 24 2009 01:24 EDT
read problem?[ Go to top ]
It may be that you're not reading the whole MP3 file. Your (O'Reilly's) code is reading the bytes from the MP3 file one at a time, and stopping when it gets a byte that equates to -1. However, in binary files, it is entirely possible that you would encounter a byte that "equals" -1 and yet not be at the end of the file. Instead, read bytes into a buffer until you can't read any more: buf = new BufferedInputStream(input); int readBytes = 0; byte[] buffer = new byte[8192]; //read from the file; write to the ServletOutputStream while ((readBytes = buf.read(buffer)) > 0) stream.write(buffer, 0, readBytes); That will read bytes from the MP3 file in 8k chunks, stopping when there is nothing left to read. hth, -Peter
- Posted by: Peter Guy
- Posted on: March 20 2009 16:22 EDT
- in response to Joseph Gerew
Read problem[ Go to top ]
I don't know solution. But I think that code for read mp3 file is correct. Condition : while ((readBytes = buf.read(buffer))!= -1) is correct.(byte[])
- Posted by: Michal Siplak
- Posted on: March 24 2009 01:24 EDT
- in response to Peter Guy | http://www.theserverside.com/discussions/thread.tss?thread_id=54014 | CC-MAIN-2016-07 | refinedweb | 617 | 65.83 |
A quick intro to new React Context API and why it won't replace state management libraries
In React 16.3, Context API finally stopped being an experimental API and became a very useful feature which can now be safely used in production. The times when we had to decide if we will be passing props down from a parent down to the bottom through a few components which do not even use the prop, or use Redux for that instead, are fortunately behind us.
Instead of prop drilling, we can now use Context API to create a Provider with values that we want to make accessible to a child component. In a child component, we can just use a Consumer to access values passed.
Let's start with a simple project to see how Context API works. Open your terminal and run 'npm install -g create-react-app' and then when it is installed, create a new app by typing 'create-react-app context-api'. After the project is created, type 'cd context-api' and then 'npm start'. You should be able to access React app on and see the standard content of the React app when it is created. We will clean App.js file a little bit as we do not really need everything there. That's how your App.js file should look like at the moment:
import React, { Component } from 'react'; import './App.css'; class App extends Component { render() { return ( <div className="App"> </div> ); } } export default App;
In the 'src' directory, create a new folder 'components', and then inside, create Header.js file. On Twitter, users can choose their own color scheme so we will build a simple header where we will provide a config for a theme. First, add some dummy content in the Header.js file as well as create a Header.css file with a little bit of styling.
Header.js
import React, { Component } from 'react'; import './Header.css'; const Header = props => { return ( <header className="orange-theme"> <div className="header-container"> <div>Here is our awesome logo</div> <nav> <ul> <li>Home</li> <li>About</li> <li>Profile</li> <li>Help</li> </ul> </nav> </div> </header> ) } export default Header;
Header.css
header { width: 100%; height: 80px; } .orange-theme { background-color: #FF851B; } .teal-theme { background-color: #39CCCC; } .green-theme { background-color: #2ECC40; } .header-container { display: flex; justify-content: space-between; align-items: center; width: 70%; height: 100%; margin: 0 auto; } nav ul { display: flex; list-style: none; } nav ul li { margin: 0 20px; }
Our default theme color will be orange, but we also have teal and green themes. Of course, we also have to now import Header.js and add it to our App component.
import React, { Component } from 'react'; import './App.css'; import Header from './components/Header'; class App extends Component { render() { return ( <div className="App"> <Header /> </div> ); } } export default App;
After adding all of this code, you now should have an orange header with logo text and navigation.
I know, nothing special, but we are not here to build a beautiful header
We need to create two more files, the first one is config.js. We will put there an object with user's chosen theme. Normally, config like this would be fetched from the server, but for the purpose of this tutorial, this should be enough. In config.js just write:
export default { userTheme: 'teal' }
The second file is a ThemeContext.js, in which we will create a new context. Create a new folder for it in /src directory called 'context', and after that, create our ThemeContext.js file.
Now is the time for the fun to begin. In ThemeContext.js, create and export a new constant that will hold the context and pass an object with userTheme property, which will default to orange if theme is not provided.
import React from 'react' export const ThemeContext = React.createContext({userTheme: 'orange'})
The next thing to do is to use a provider to make this theme accessible to child components. In App.js, we have to import the context and then wrap the top div with ThemeContext.Provider. We also need to import our userConfig and pass it as a value to the provider. Here's what your App.js file should look like:
import React, { Component } from 'react'; import './App.css'; import Header from './components/Header'; import userConfig from './config.js'; import { ThemeContext } from './context/ThemeContext'; class App extends Component { render() { return ( <ThemeContext.Provider value={userConfig}> <div className="App"> <Header /> </div> </ThemeContext.Provider > ); } } export default App;
Import the ThemeContext in the Header.js so that we can use it to get our user config.
import { ThemeContext } from '../context/ThemeContext'; const Header = props => { return ( <ThemeContext.Consumer> ...other content here </ThemeContext.Consumer> ) }
An important fact to remember is that Consumer requires a function as a child, which returns JSX. The value that we passed in the provider is accessible as the first parameter. We will use destructuring to get our userTheme property and use it for the header class.
import { ThemeContext } from '../context/ThemeContext'; const Header = props => { return ( <ThemeContext.Consumer> {({ userTheme }) => ( <header className={userTheme + '-theme'}> ...other content here </header> )} </ThemeContext.Consumer> ) }
If you save your Header.js file, you should see that background color of header did change to teal. That's how you provided a value from a parent to the child component. I know that in this case Header is a direct child of App, and you could just pass it as a prop, but this is just to show how Context API works. If you remove the userTheme property from config, then the background will change to orange, as we provided a default theme when creating the context.
Context API is a very interesting and useful feature that can help you avoid passing props through many components. There were even suggestions that now that Context API is not experimental anymore, it will replace a need for state management libraries like Redux.
I personally think that state management libraries will still remain an important part of React applications. In contrast to Context API, state management libraries do offer production tested solutions that help to reason about and maintain the flow of the application and how components communicate with each other.
We can keep our components leaner while having a separate concerns and centralized store with the state. Or maybe let's just create a state management library based on the Context API? We will see what the future will bring as it is hard to forecast what can happen in ever changing trends and technologies. | http://brianyang.com/a-quick-intro-to-new-react-context-api-and-why-it-wont-replace-state-management-libraries/ | CC-MAIN-2018-51 | refinedweb | 1,094 | 65.83 |
Hi,I just scanned at your LCD's data sheet & noticed a couple of things you may want to check since I think it's very unlikely your new lcd's controller is faulty.1. There is an initialization step on page 6 where the number or rows & cols are set. So have you done this properly in your in lcd.begin() - refer to. The set CG ram address & set DD ram address commands on page 5 of your controller's data sheet seem to need 6 data bits. This possibly means that you may need to use the 8 data lines mode to be able to access your whole display. Try connecting with 8 data lines from arduino to the LCD as explained in the reference
Is it perhaps possible I damaged the controllers by (as embarassing as it is) connecting the +5v and the GND the wrong way around initially? :/
Just try printing a long string in place of hello world, you will probbly find that letters appear later on in the string.
#include <LiquidCrystal.h>//LiquidCrystal lcd(rs,en,d4,d5,d6,d7); LiquidCrystal lcd(12, 11, 5, 4, 3, 2); // put your pin numbers herevoid setup() { lcd.begin(20, 4); // this will work for all displays except some rare 16x1's for (char i=47; i<127; i++) // send 80 consecutive displayable characters to the LCD { lcd.print(i); delay(100); // this delay allows you to observe the addressing sequence } }void loop() { } | http://forum.arduino.cc/index.php?topic=95839.msg722662 | CC-MAIN-2017-39 | refinedweb | 246 | 67.89 |
The developers who don't like OOP and are yet to figure out the precise difference between a class & object can breath easy now.
Go has got rid of Classes.
Is Go an Object Oriented Language?
Before you read my version, Find the official answer here. In a strict sense, personally I believe that Go doesn't have the essential attributes to be called an OOP language. Go doesn't have the concept of Object, Inheritance & Polymorphism. Does this make things simple? You may choose to differ but I think, Yes it does. That's one of the various reasons I like Go - it's simple & yet so powerful.
What are Structs?
Go has structs which are behaviorally similar to classes and can be associated with Methods. Struct is a custom type which represents a real world entity with its properties, and each property may have its own type.
See the following code sample where a struct named Person has 2 fields (properties) - name of type string and age of type int.
- Structs are value types.
RefCode#1.1
package main
import "fmt" type Person struct { name string age int } func main() { p := Person{} fmt.Println("Default values for Person is: ", p) }
Output RefCode#1.1
Default values for Person is: {0}
Play with the above code
As we've not provided any value to the struct fields name and age the output is initialized with default values i.e. empty string or zero; depending on the data type of the fields.As we've not provided any value to the struct fields name and age the output is initialized with default values i.e. empty string or zero; depending on the data type of the fields.
Another sample RefCode#1.2
package main import "fmt" type Person struct { name string age int } func main() { p := Person{"Steve", 56} // assign value in the order in which they are defined fmt.Println("Person's name & age is: ", p) }
Output RefCode#1.2
Person's name & age is: {Steve 56}
Play with the above code
In the following code, we've provided a value that is reflected in the output.
sample RefCode#1.2 can be rewritten as:
Sample RefCode#1.3
package main import "fmt" type Person struct { name string age int } func main() { p := Person{age: 56, name: "Steve"} //assign value by variable name and : fmt.Println("Person's name & age is: ", p)
fmt.Println("Person's age is: ", p.age)
}
Person's name & age is: {Steve 56} Person's age is: 56
Play with the above code.
If you've observed the above code samples carefully you might have noticed how a struct is initialized. If you're new to programming you can read the following section.
Initialization of a Struct
An instance of type person can be created by any one of the following two ways:
1. var p Person
--- This creates a local person variable with default values set to zero i.e. age = 0 and name = ""
"" represents empty string
2. p := new(Person)
This allocates default values for the struct fields age and name. It returns a pointer.
Assigning Values to Struct Fields
Use any of the two ways described below:
1. p := Person{age: 29, name: "Basant"}
--- You can change the order of the fields, can also be written as follows:
p := Person{name: "Basant", age: 29}
2. p := Person{29, "Basant"}
--- You must know the order of the field and maintain it.
Accessing Struct Fields
Fields are accessed using the . operator (dot operator).
fmt.Println("Person's age is: ", p.age)
The above line of code is used in RefCode#1.3.
Did you like this? Is it beginners friendly? Please spread the word about it. | http://www.golangpro.com/2015/07/go-structs.html | CC-MAIN-2017-26 | refinedweb | 622 | 75.81 |
Coach Bag Reader Feedback
From the lens Essential Coach HandBags and Purses.
Have you enjoyed your stay? Did you find the perfect Coach bag? Yes? Then by all means, Tell your Mom. Tell your friends. Tell your Mom's friends. And while you're at it, tell me!
If you've really enjoyed your stay here at Coach Bag Discount Headquarters why not email this site to a friend, or bookmark the page to make it easier to return (you'll find something new here everyday), and if you've got the time please rate the site by leaving a few stars at the top of this page. Thanks!
rajeshiseo May 28, 2010 @ 7:43 am | delete
- this is very nice lens.i really appreciate.
delevonto Apr 13, 2009 @ 12:48 pm | delete
- this is a superb lens i thought you may of over done it with two many ebay but i guess you hit it right on point cool check out my site on laptop bags laptop carrying cases
chloecavanaugh Nov 18, 2007 @ 2:37 pm | delete
- When you do a lens, YOU DO A LENS!*****I am always impressed by the work you put into each and every one. My bag lens needs a lot of work. Thank you for keeping me on my toes! GREAT JOB!
orientalrug Nov 16, 2007 @ 2:22 pm | delete
- Great lens! I have always thought a Coach bag is like an authentic Oriental rug; appreciates over time, is something you treasure for a very long time and has it has an air of elegance and sophistication.
Keep up the good work!
NicholeB Nov 13, 2007 @ 12:18 am | delete
- Wow! What a great lens! I love Coach, and I hope you'll consider joining my group: Check out my group about jewelry, shoes, purses, and other accessories!
GypsyPirate Oct 7, 2007 @ 7:15 am | delete
- Wow - great job pulling all this info together. I'm definitely marking this as a favorite!
by rms
Thanks for visiting my Coach lens, where you never have to pay full price for an authentic Coach bag.
- 458 featured lenses
- Winner of 43 trophies!
- Top lens » Best Mother-Son Dance Songs
Feeling creative? Create a Lens! | http://www.squidoo.com/CoachBagsandPurses/3726557 | crawl-003 | refinedweb | 369 | 83.05 |
- NAME
- Examples
- Nesting calls to other tools
- Useful toolsets to look at
- Available Events
- Testing your tools
- SOURCE
- MAINTAINER
- AUTHORS
NAME
Test::Tutorial::WritingTools - How to write testing tools.
Examples
- Complete Example
package My::Tool; use strict; use warnings; use Test::Stream::Toolset; use Test::Stream::Exporter; # Export 'validate_widget' by default. default_exports;
- Alternate using Exporter.pm
package My::Tool; use strict; use warnings; use Test::Stream::Toolset; # Export 'validate_widget' by default. use base 'Exporter'; our @EXPORT =;
Explanation
Test::Stream is event based. Whenever you want to produce a result you will generate an event for it. The most common event is Test::Stream::Event::Ok. Events require some extra information such as where and how they were produced. In general you do not need to worry about these extra details, they can be filled in by
Test::Stream::Context.
To get a context object you call
context() which can be imported from Test::Stream::Context itself, or from Test::Stream::Toolset. Once you have a context object you can ask it to issue events for you. All event types
Test::Stream::Event::* get helper methods on the context object.
IMPORTANT NOTE ON CONTEXTS
The context object has some magic to it. Essentially it is a semi-singleton. That is if you generate a context object in one place, then try to generate another one in another place, you will just get the first one again so long as it still has a reference. If however the first one has fallen out of scope or been undefined, a new context is generated.
The idea here is that if you nest functions that use contexts, all levels of depth will get the same initial context. On the other hand 2 functions run in sequence will get independant context objects. What this means is that you should NEVER store a context object in a package variable or object attribute. You should also never assign it to a variable in a higher scope.
Nesting calls to other tools
use Test::More; use Test::Stream::Toolset; sub compound_check { my ($object, $name) = @_; # Grab the context now for nested tools to find my $ctx = context; my $ok = $object ? 1 : 0; $ok &&= isa_ok($object, 'Some::Class'); $ok &&= can_ok($object, qw/foo bar baz/); $ok &&= is($object->foo, 'my foo', $name); $ctx->ok($ok, $name, $ok ? () : ['Not all object checks passed!']); return $ok; } 1;
Nesting tools just works as expected so long as you grab the context BEFORE you call them. Errors will be reported to the correct file and line number.
Useful toolsets to look at
- Test::More::Tools
This is the collection of tools used by Test::More under the hood. You can use these instead of Test::More exports to duplicate functionality without generating extra events.
Available Events
Anyone can add an event by shoving it in the
Test::Stream::Event::* namespace. It will autoload if
$context->event_name is called. But here is the list of events that come with Test::Stream.
- Test::Stream::Event::Ok
$ctx->ok($bool, $name); $ctx->ok($bool, $name, \@diag);
Generate an Ok event.
- Test::Stream::Event::Diag
$ctx->diag("Diag Message");
Generate a diagniostics (stderr) message
- Test::Stream::Event::Note
$ctx->note("Note Message");
Generate a note (stdout) message
- Test::Stream::Event::Bail
$ctx->bail("Reason we are bailing");
Stop the entire test file, something is very wrong!
- Test::Stream::Event::Plan
$ctx->plan($max); $ctx->plan(0, $directive, $reason);
Set the plan.
Testing your tools
See Test::Stream::Tester, which lets you intercept and validate events.
DO NOT SEE
Test::Tester and
Test::Builder::Tester which are both deprecated. They were once the way everyone tested their testers, but they do not allow you to test all events, and they are very fragile when upstream libs change.
SOURCE
The source code repository for Test::More can be found at.
MAINTAINER
AUTHORS
The following people have all contributed to the Test-More dist (sorted using VIM's sort function).
- Chad Granum <exodist@cpan.org>
-
- Fergal Daly <fergal@esatclear.ie>>
-
- Mark Fowler <mark@twoshortplanks.com>
-
- Michael G Schwern <schwern@pobox.com>
-
- 唐鳳
-
There has been a lot of code migration between modules, here are all the original copyrights together:
- Test::Stream
-
- Test::Stream::Tester
This program is free software; you can redistribute it and/or modify it under the same terms as Perl itself.
See
- Test::Simple
-
- Test::More
-
- Test::Builder
Originally authored by
- Test::use::ok
To the extent possible under law, 唐鳳 has waived all copyright and related or neighboring rights to Test-use-ok.
This work is published from Taiwan.
- Test::Tester
This module is copyright 2005 Fergal Daly <fergal@esatclear.ie>, some parts are based on other people's work.
Under the same license as Perl itself
See
- Test::Builder::Tester
This program is free software; you can redistribute it and/or modify it under the same terms as Perl itself. | https://metacpan.org/pod/release/EXODIST/Test-Simple-1.301001_068/lib/Test/Tutorial/WritingTools.pod | CC-MAIN-2018-43 | refinedweb | 815 | 64.91 |
Handling Go workspace with direnv
June 28, 2015
When I started to do some Go I quickly hit my first hurdle: The Go Workspace. The go tool is designed to work with code maintained in public repositories using the FQDN and path as a kind of namespace and package name. Eg:
github.com/rach/project-x, where
github.com/rach is a kind of namespace enforce by a directory structure and
project-x is the package name also enforce by directory structure.
Coming from Python, I was surprised that there weren't a solution as simple as [virtualenv][virtualenv]. Go does offer a way but it requires a bit more of code gymnastic.
In this post, I'm going to describe how I made my life easier to work with Go with a bit of shell script and using [direnv][direnv] to automate workspace switching. I didn't know much about go when I wrote this post so feel free to shed some light on any of my mistakes.
Workspaces
Go project must be kept inside a workspace. A workspace is a directory hierarchy with few directories:
The problem that I hit was:
- how do you work on multiple different projects?
- how should specify which workspace that I working on?
It's when the
GOPATH enter to define the workspace location.
The GOPATH environment variable
The GOPATH environment variable specifies the location of your workspace. To get started, create a workspace directory and set GOPATH accordingly. Your workspace can be located wherever you like.
$ mkdir $HOME/go $ export GOPATH=$HOME/go
To be able to call the binary build inside your workspace, add bin subdirectory to your PATH:
$ export PATH=$PATH:$GOPATH/bin
For you project can choose any arbitrary path name, as long as it is unique to the standard library and greater Go ecosystem. It's the convention to use an FQDN and path as your folder structure which will behave as namespaces.
We'll use
github.com/rach/project-x as our base path. Create a directory inside your workspace in which to keep source code:
$ mkdir -p $GOPATH/src/github.com/rach/project-x
Update the GOPATH automatically with direnv
Direnv is an environment switcher for the shell. It loads or unloads environment variables depending on the current directory. This allows to have project-specific environment variables. direnv works with bash, zsh, tcsh and fish shell. Direnv checks for the existence of an ".envrc" file in the current and parent directories. If the file exists, the variables declared in
.envrc are made available in the current shell. When you leave the directory or sub-directory where .envrc is present, the variables are unloaded. It also works well with updating existing environment variable.
To install direnv on OSX using zsh, you can follow this steps:
$ brew update $ brew install direnv $ echo 'eval "$(direnv hook zsh)"' >> ~/.zshrc
Using direnv, it becomes easy to have multiple workspaces and switch between them. Simply create a
.envrc file at the location of your workspace and export the appropriate variable:
$ mkdir $HOME/new-workspace $ cd $HOME/new-workspace $ echo 'export GOPATH=$(PWD):$GOPATH' >> .envrc $ echo 'export PATH=$(PWD)/bin:$PATH' >> .envrc $ direnv allow
With the code above we now have a workspace which enable itself when you enter it. Having multiple workspace help to experiment with libs/package that you want to test in the same way you can install a python lib just for a one-time use.
Assuming we will be writing a lot of go projects, will not be nice
of a having a helper function to create a workspace which follow the suggested structure with the
GOPATH is handled automatically.
Automate creation of workspace for a project
Now that we know how a workspace should look like and how to make switching them easier. Let's automate the creation new project with workspaces to avoid mistakes, for that I wrote a small
zsh function to do it for me.
function mkgoproject { TRAPINT() { print "Caught SIGINT, aborting." return $(( 128 + $1 )) } echo 'Creating new Go project:' if [ -n "$1" ]; then project=$1 else while [[ -z "$project" ]]; do vared -p 'what is your project name: ' -c project; done fi> $project/.envrc echo 'export PATH=$(PWD)/bin:$PATH' >> $project/.envrc echo 'package main' >> $main echo 'import "fmt"' >> $main echo 'func main() {' >> $main echo ' fmt.Println("hello world")' >> $main echo '}' >> $main direnv allow $project echo "cd $project/src/$namespace/$project #to start coding" }
If you are using zsh then you should be able to copy/paste this function into
your zshrc and after reloading it then you be able to call
mkgoproject.
If you call the function with an argument then it will consider it being
the project name and it will ask you for a namespace (eg: github.com/rach), otherwise it will ask you for both: project name (package) and namespace.
The function create a new worspace with an
.envrc and a
main.go ready to build.
$ mkgoproject test Creating new Go project: what is your project namespace: github/rach cd test/src/github/rach/test #to start coding
I hope this post will help you into automate the switching between your go project and the creation of them. | http://rachbelaid.com/handling-go-workspace-with-direnv/ | CC-MAIN-2018-26 | refinedweb | 868 | 64.3 |
I develop and test (via
Requests ) a remote server code, from which day I suddenly began to receive answers with a delay of 70-80 seconds to the simplest requests. At the same time, the same requests from my computer via
CURL ,
WGET or the browser are started instantly, as the same python script running from third-party servers.
I tried to connect both by and by http (apparently it is not in SSL), locally using Python 3.7 and 2.7, the result is one everywhere. I have MacOSX 10.15.1, there are Ubuntu 18.04.5, Nginx and Aiohttp on the server, but I raised Hello-World on Flask’e, the result is the same, apparently, the server code also does not affect.
Question: Why is the query is performed so long, from my computer to specifically this server and it is only through Piton?! And how can it be better to extend to find the cause of the problem?
I tried it, but there is little use:
import requests Import Import Logging. Logging.Basicconfig (Level = logging.debug) = 1. logging.basicconfig () logging.getlogger (). SETLEVEL (Logging.debug) Requests_log = Logging.getLogger ("Requests.packages.urllib3") Requests_log.Setlevel (logging.debug) Requests_log.propagate = True. # Domain of course changed Response = Requests.get (' Print (** Code: ', Response.status_code) Print ('** Response:', Response.content.decode ('UTF-8'))
Conclusion:
debug: urllib3.connectionpool: starting new http connection (1): Sub.Test.com:5990 # After 75 seconds: Send: B'Get / Http / 1.1 \ r \ Nhost: sub.test.com:5990 \r\nusere-gent: Python-Requests / 2.22.0 \ R \ Naccept-Encoding: Gzip, Deflate \ R \ Naccept: * / * \ R \ NConnection: Keep-Alive \ R \ n \ r \ n ' Reply: 'http / 1.1 200 ok \ r \ n' Header: Content-Type: text / html; Charset = UTF-8 Header: Content-Length: 13 Header: Date: Thu, 03 Sep 2020 19:26:25 GMT Header: Server: Python / 3.6 Aiohttp / 3.6.2 Debug: UrLLIB3.ConnectionPool: //sub.test.com: 5990 "Get / http / 1.1" 200 13 ** Code: 200 ** Response: Hello, WORLD!
If you kill the script in the process of waiting, the traceback is obtained:
traceback (most recent call last): File "test.py", Line 19, in & lt; Module & gt; Response = Requests.get (URL) File "/Library/python/3.7/site-packages/requests/api.py", Line 75, in Get Return Request ('GET', URL, Params = Params, ** kwargs) File "/Library/python/3.7/site-packages/requests/api.py", Line 60, In Request Return Session.Request (Method = Method, url = url, ** kwargs) File "/Library/python/3.7/site-packages/requests/sessions.py", line 533, in reques Resp = Self.send (Prep, ** Send_kwargs) File "/Library/python/3.7/site-packages/requests/sessions.py", Line 646, In Send R = Adapter.send (Request, ** kwargs) File "/Library/python/3.7/site-packages/requests/adapters.py", Line 449, In Send TimeOut = timeout File "/Library/python/3.7/site-packages/urllib3/connectionPool.py", Line 672, In Urlopen chunked = chunked File "/Library/python/3.7/site-packages/urllib3/connectionPool.py", Line 387, in _make_request Conn.Request (Method, URL, ** File "/Applications/.../python3.framework/versions/3.7/lib/python3.7/ line 1229, in reques Self._send_request (Method, URL, Body, Headers, Encode_chunked) File "/Applications/.../python3.framework/versions/3.7/lib/python3.7/ line 1275, in _send_request Self.Endheaders (Body, Encode_chunked = Encode_Chunked) File "/pplications/.../python3.framework/versions/3.7/lib/python3.7/ Line 1224, in Endheaders Self._send_output (Message_Body, Encode_Chunked = Encode_Chunked) File "/pplications/.../python3.framework/versions/3.7/lib/python3.7/ Line 1016, in _send_output Self.send (MSG) File "/pplications/.../python3.framework/versions/3.7/lib/python3.7/ Line 956, In Send Self.Connect () File "/Library/python/3.7/site-packages/urllib3/connection.py", Line 184, In Connect Conn = Self._new_conn () File "/Library/python/3.7/site-packages/urllib3/connection.py", line 157, in _new_conn (Self._dns_host, self.port), self.timeout, ** Extra_KW File "/Library/python/3.7/site-packages/urllib3/util/connection.py", Line 74, in Create_Connection SOCK.CONNECT (SA)
Update
It was noted that pointing the IP address connection is successful, apparently, the problem in DNS Resolve. Analogue of code from the incident
URLLIB3 / UTIL / Connection.py is performed without problems:
sock = socket.socket (socket.af_inet, socket.sock_stream) SOCK.CONNECT (('Sub.test.com', 5990)) SOCK.Close ()
However, it was revealed that in real
Connection.py used
socket.af_inet6 , and with this argument the connection is just freezing.
Solution
It turned out that the domain in DNS has a
AAAA entry with an invalid IPv6 address, in addition to
a records with correct IPv4, and the removal of this entry solved the problem.
Answer 1, Authority 100%
It turned out that the domain in DNS has
AAAA Record with an invalid IPv6 address, in addition to
a records with correct IPv4. And Python apparently first trying to connect to IPv6 with a timeout of 75 seconds, unlike other programs (
CURL ,
WGET , browsers), who either have a short timeout, or immediately IPv4 knocks out.
I had a hypothesis about problems with DNS, but most of the prog for its analysis (like viewdns.info and dnsdumpster.com) did not show
AAAA records, so I rejected this option.
After my Request for Fixing DNS Domain Records, the script began to be performed with adequate speed. | https://computicket.co.za/python-query-via-python-requests-is-performed-extremely-long/ | CC-MAIN-2022-21 | refinedweb | 851 | 53.68 |
JohnOne 1,589 Posted October 23, 2013 (edited) I'm having a problem while I've been trying to set up my GUI windows when debugging a project. I'm moving one window to specific position, and VS2010 Window to another, so I can see both. The goal is to watch the output window as code is running, it's nothing more than a time saving thing having to do it manually. The thing is, when I start debugging and the windows position themselves, the active output tab in VS changes to the tab containing the app entry point. Does anyone know how to prevent this, or programatically activate output tab? It's just simple, so if in debug windows are positioned differently to release. #if _DEBUG //manipulate windows #endif Edited October 23, 2013 by JohnOne AutoIt Absolute Beginners Require a serial Pause Script Video Tutorials by Morthawt ipify Monkey's are, like, natures humans. Share this post Link to post Share on other sites | https://www.autoitscript.com/forum/topic/155645-vs2010-question/ | CC-MAIN-2018-43 | refinedweb | 165 | 59.84 |
We already have a draggable block with dragging logic coupled with the UI component.
Custom hook: useDraggable
Let's take it out the dragging part and create a custom hook that can be used with anything anywhere!
import * as React from "react"; const useDraggable = () => { const [coordinate, setCoordinate] = React.useState({ block: { x: 0, y: 0, }, pointer: { x: 0, y: 0 }, moving: false, }); const handleMouseMove = React.useCallback( (event) => { if (!coordinate.moving) { return; } const coordinates = { x: event.clientX, y: event.clientY }; setCoordinate((prev) => { const diff = { x: coordinates.x - prev.pointer.x, y: coordinates.y - prev.pointer.y, }; return { moving: true, pointer: coordinates, block: { x: prev.block.x + diff.x, y: prev.block.y + diff.y }, }; }); }, [coordinate.moving] ); const handleMouseUp = React.useCallback(() => { setCoordinate((prev) => ({ ...prev, moving: false, })); }, []); const handleMouseDown = React.useCallback((event) => { const startingCoordinates = { x: event.clientX, y: event.clientY }; setCoordinate((prev) => ({ ...prev, pointer: startingCoordinates, moving: true, })); event.stopPropagation(); }, []); return { handleMouseDown, handleMouseMove, handleMouseUp, coordinate: coordinate.block, }; }; export default useDraggable;
Usage with block
const Block = (props) => { return ( <BlockWrapper {...props}> <StyledText>1</StyledText> </BlockWrapper> ); }; export default function App() { const { handleMouseDown, handleMouseMove, handleMouseUp, coordinate } = useDraggable(); return ( <div style={{ border: "1px solid", height: "100%", width: "100%" }} onMouseMove={handleMouseMove} onMouseUp={handleMouseUp} > <Block style={{ transform: `translate3d(${coordinate.x}px, ${coordinate.y}px, 0px)`, }} onMouseDown={handleMouseDown} /> </div> ); }
Let's add more blocks to our layout for adding more block we can use an array and store position of each of block as object in it.
const [blocks, setBlocks] = React.useState( // creates an array of 10 elements each equals to 1 new Array(10).fill(1).map(() => ({ x: 0, y: 0 })) ); ... <BlockContainer style={{ border: "1px solid", height: "100%", width: "100%" }} onMouseMove={handleMouseMove} onMouseUp={handleMouseUp} > {blocks.map((_,index) => ( <Block key={index} style={{ transform: `translate3d(${coordinate.x}px, ${coordinate.y}px, 0px)` }} onMouseDown={handleMouseDown} /> ))} </BlockContainer>
Somethings wrong and I can feel it!
...
Even if you will move one block they all will move. Check here, but why?
Moving one block is moving every block in same director and with same difference, we have handled it by using the
position: relative for now! Another thing here to notice is I have changed
style={{ top: coordinate.block.y, left: coordinate.block.x }} // to style={{ transform: `translate3d(${coordinate.x}px, ${coordinate.y}px, 0px)` }}
reason being this one is more efficient considering we will be changing these values again-again, when changing
left or
top the browser has to run through the layout phase again because
left or
top may have changed how things were laid out,
transform on the other hand will not affect layout.
Layout is not same on all screen sizes, as I have not limited the width height of parent div, blocks spreads according to the space as we are using
flex-wrap to wrap them and it has it's downsides. If I will limit the width and height dragging will not work properly for the same reason it's was not working for the single block, if moved fast enough pointer will leave the block and might leave our parent div to where the handler are attached, we will change the layout later in this part without limiting the height and width of parent. We will limit that in part 3.
Let's visualize with limited parent height and width with our current handling.
Dia A
Black area is our parent container and green ones are the blocks. It doesn't matter how fast I drag the pointer inside black area, block will always catch up, there might be bigger jumps in case of fast movements, but it always catch up.
Dia B
Once pointer left the parent, block will move until the pointer is above it as
handleMouseMove is still triggered because event current target is block and the propagates to the parent where we are catching the
mouseMove using
onMouseMove, it will keep propagating if there is no
event.stopPropagation().
Dia C
Once the pointer left the block
handleMouseMove will not trigger anymore for the block, note that the
mouseUp is still not triggered inside block or parent, so we still have
moving: true in our state and once the pointer reaches inside the parent, there will be wired movements of block, we can handle this while applying checks on
mouseMove such that our block never leaves the parent, whenever the pointer leaves the parent, trigger
handleMouseUp manually, there are still some catches that can be resolved using some calculation that we will cover later in part 3.
Making particular block move
Till now we can drag every block together in any direction as we are maintaining only one state with
useDraggable, instead of maintaining one state we will maintain an array and each element inside an array will be coordinates of a block at that index!
Change the state to
// Grid.jsx const { handleMouseDown, handleMouseMove, handleMouseUp, blocks } = useDraggable(10); return ( <BlockContainer onMouseMove={handleMouseMove} onMouseUp={handleMouseUp}> {blocks.map((coordinate, index) => ( <Block key={index} style={{ transform: `translate3d(${coordinate.x}px, ${coordinate.y}px, 0px)`, }} // we will use this to identify the block, to avoid n number of inline function declaration data-index={index} onMouseDown={handleMouseDown} /> ))} </BlockContainer> ); // useDraggable.js state const [coordinate, setCoordinate] = React.useState({ blocks: new Array(totalBlocks).fill(1).map(() => ({ x: 0, y: 0 })), pointer: { x: 0, y: 0 }, // removed `moving` and added `movingBlockIndex` key to track the moving block movingBlockIndex: null, }); const handleMouseDown = React.useCallback((event) => { const index = parseInt(event.target.getAttribute("data-index"), 10); const startingCoordinates = { x: event.clientX, y: event.clientY }; setCoordinate((prev) => ({ ...prev, pointer: startingCoordinates, // we set this to null on mouseUp movingBlockIndex: index, })); event.stopPropagation(); }, []);
Fixing the layout
As we discussed earlier they layout is not great, though we can definitely limit the heigh and width, but we will do it using
position: absolute, but isn't that will require more work ? Not actually, Not for the long run!
A grid gives us defined structure to work on as we will be working with coordinates, if one block moves we can shift other blocks to it's position and create space for this one at it's current position like you saw in the demo with
position: relative these calculation will be hard as then we will always have to calculate with respect to the block's initial position to move it which will be a nightmare.
Though we will fixing only the layout not blocks re-arrangement in this part but consider these two scenario with position
absolute &
relative.
With
position: absolute everything is natural and easy!
Then why were using
position: relative? That's best for single block moment or even the grid where we don't have to re-arrange everything, if any block overlaps anyone we can simple move it with some few pixels, like here. So it depends on the case.
It's pretty simple to define a grid, everything has to be place
120px apart whether horizontal or vertical. On X axis for each block we will multiply by 120 and same will happen for Y axis. Let's say we want only 3 blocks in one row, if we had 9 block the arrangement will look like
0 | 1 | 2 __________ 3 | 4 | 5 __________ 6 | 7 | 8
if you notice there is a pattern, column of any index can be determined using
index%3 and row can be determined using floor of
index/3. So coordinate will be
{ x: index % 3 * 120, y: 120 * Math.floor(rowindex / 3) }
But there will no gap between the blocks and it will probably look bad. Let's add 8px of gap between each block, to do so X coordinate of 1st block will be same as before, we should add 8px to the 2nd block, 16px to the 3rd and so on. Why we are increasing the gap with each block as 8px as been added to 2nd block that will be pushed toward right, now the 3rd one is overlapping the 2nd by 8px so to cover that 8px and to add gap of 8px we have to add 16px, it stays same for upcoming blocks.
{ x: index % 3 * 120 + (index % 3 * 8), y: 120 * Math.floor(rowindex / 3) + (Math.floor(rowindex / 3) * 8) }
Enough talking, the code:
const totalBlocks = 10; const blockInRow = 3; const blocks = Array(totalBlocks) .fill(1) .map((_, index) => { const col = Math.floor(index % blockInRow); const row = Math.floor(index / blockInRow); return { x: col * 120 + col * 8, y: 120 * row + row * 8 }; });
You check it working code here
That's all for today, we have a grid and draggable blocks, in next part will restrict the block movement inside the grid only and will re-arrange them if a block hovers on another using
react-sprint.
Discussion (2)
this is amaizing man so i was workin on something like this not exactly the same but same idea i guess i was trying to create a jigsaw puzzle that we can construct the image by rearranging the tiles but my result was a horrible anyways tnx for this it helps a lot
Nice idea! Glad it helped you. | https://practicaldev-herokuapp-com.global.ssl.fastly.net/mukuljainx/how-to-create-a-2d-draggable-grid-with-react-spring-part-2-6dh | CC-MAIN-2021-31 | refinedweb | 1,504 | 53.21 |
Interfacing to the I2C bus on the WiPy 2.0
I have a prototype circuit on a breadboard that uses an MCP23017 with a 5v supply.
Both the Raspberry Pi and the WiPy 2.0 data sheets say that the maximum voltage on SCA and SCL is 3.3v but I can connect my prototype circuit to SCA/SCL on a Raspberry Pi without using a level shifter by using the pull up resistors on the Pi to pull the lines up to 3.3v rather than an external pull up resistor (that would pull the lines up to 5v and damage the Pi).
The question is can I do the same thing with the WiPy 2.0, or do I need to worry about adding pull up resistors? The WiPy is a nice little device but I'm still getting to know it - I'd rather not let the magic blue smoke out just yet...
Thanks
Tidied things up a bit and added some constants to make it 'easier' to see what is going on, may get round to writing a module to for the MCP23017.
Any guidance on what the interfaces should look like any where would be useful..?
#!/usr/bin2CBUS = 0x00 # I2C bus number (Always 0 on WiPy) ADDRESS = 0x20 # I2C address of I/O expander. IODIRA = 0x00 # Port A data direction register. IODIRB = 0x01 # Port B data direction register. IPOLA = 0x02 IPOLB = 0x03 GPINTENA = 0x04 GPINTENB = 0x05 DEFVALA = 0x06 DEFVALB = 0x07 INTCONA = 0x08 INTCONB = 0x09 IOCON = 0x0A GPPUA = 0x0C GPPUB = 0x0D INTFA = 0x0E INTFB = 0x0F INTCAPA = 0x10 INTCAPB = 0x11 GPIOA = 0x12 # Port A data register. GPIOB = 0x13 # Port B data register. OLATA = 0x14 OLATB = 0x15 from machine import I2C # Initialize I2C bus i2c = I2C(I2CBUS, I2C.MASTER, baudrate=100000) # Configure all pins on Port A and B as outputs. i2c.writeto_mem (ADDRESS, IODIRA, bytes([0x00, 0x00])) # Send 0xf0 to Port A data register (GPIOA) i2c.writeto_mem (ADDRESS, GPIOA, bytes([0xf0])) # Clear all outputs and reset data direction bits. i2c.writeto_mem (ADDRESS, GPIOA, bytes([0x00,0x00])) i2c.writeto_mem (ADDRESS, IODIRA, bytes([0x00, 0x00]))
I was going to post something slightly more useful, but had a hardware problem that has stopped me developing anything further for now (think it was just a broken jumper cable but I haven't had time to do any more yet).
Finally got round to trying this and it worked just fine.
I had an MCP23017 connected to the I2C bus on my Raspberry Pi which I simply conencted to my WiPy 2.0 using the P9/P10 (SCA/SCL) on the expansion board after removing the LED jumper.
I powered the MCP23017 using the P26/P25 (5V/GND) and everything seems to work though you do have to make sure you send data as an array of bytes (containing just one byte!).
from machine import I2C i2c = I2C(0, I2C.MASTER, baudrate=100000) i2c.writeto_mem (0x20, 0x00, bytes([0x00, 0x00])) # Configure all pins on Port A and B as outputs using the data direction registers (IODIRA/IODIRB). i2c.writeto_mem (0x20, 0x12, bytes([0xf0])) # Send 0xf0 to Port A data register (GPIOA) i2c.writeto_mem (0x20, 0x12, bytes([0x00,0x00])) # Send 0x00 to Port A and B data registesr (GPIOA/GPIOB)
@jmarcelino
Excellent news I can't wait to try it later
Mike T.
- jmarcelino last edited by
@mike632t
I2C is pulled up internally to 3.3v on the WiPy so it should work, provided you're not pulling it up to 5V anywhere else. | https://forum.pycom.io/topic/899/interfacing-to-the-i2c-bus-on-the-wipy-2-0 | CC-MAIN-2021-31 | refinedweb | 581 | 71.85 |
Hi, guys
I'm working with the following environment: Spring Web Flow 2.3.1, JSF 2.1, RichFaces 4.2.2
The next case worked in RF 3.x but apparently doesn't work in RF 4.x.
I have a Spring Web Flow variable let's called treeBean.
and a tree based upon it(simplified variant).
The root node is populated with items before view is rendered. However tree is empty upong rendering.
If I remove SWF variable and put @ManagedBean annotation on TreeBean class everything works fine.
public class TreeBean implements Serializable {
private DataTreeNode root;
public TreeBean() {
root = new DataTreeNodeImpl("aa");
root.addChild("test", new DataTreeNodeImpl("test2"));
}
public DataTreeNode getRoot() {
return root;
}
public void setRoot(DataTreeNode root) {
this.root = root;
}
}
The investigation showed that issue probably occured because regular serialization-deserialization clears the children of the root.
That didn't happen in ManagedBean case(where serialization is not needed).
Please advise on the issue.
I checked this scenario on your integration sample where it also had this issue. | https://developer.jboss.org/message/756490?tstart=0 | CC-MAIN-2019-09 | refinedweb | 171 | 53.47 |
Subject: Re: [ublas] [bindings] New traits system
From: Hongyu Miao (jackymiao_at_[hidden])
Date: 2009-11-27 14:36:46
Wonderfull!!! I really like all the differences listed since the previous implementation triggered so many compiling isssues for cross-platform applications.
------------------
Hongyu Miao
2009-11-27
-------------------------------------------------------------
From£ºRutger ter Borg
Date£º2009-11-27 04:12:16
To£ºublas
CC£º
Subject£º[ublas] [bindings] New traits system
Dear all,
Herewith some news surrounding the numeric_bindings. I've rewritten the
traits part from the ground up, with simplicity, flexibility and efficiency
in mind.
Most notable differences:
* Full MPL-compatible support for static matrices and vectors, for all the
compile-time-junkies out there.
* No more separate matrix and vector trait classes, all through one adaptor
* Built-in automatic reinterpretations (matrix->vector, vector->matrix,
scalar->matrix (!), etc.) for all objects
* Proxies and views through meta-adaptors, e.g., row(), column(), trans(),
upper(), lower()
* Compile-time selected iterators (so far, linear data structures only,
triangular and yale sparse to come)
* IO support; pretty printing (will give nice output for all bindable
objects)
* Easier directory structure (std/vector.hpp, ublas/vector.hpp, etc.).
Directory name is the most specific namespace-name of the object, filename
is the lower-cased name of the object.
* Support for C arrays, standard vectors, uBLAS, TNT, eigen2, more to be
added such as glas and mtl4
Some examples of what's possible:
double a[5][10];
std::cout << column( a, 0 ) << std::endl;
std::sort( begin( row( a, 2 ) ), end( row( a, 2 ) ) );
std::cout << result_of::num_rows<double[5][10]>::type::value << std::endl;
for( result_of::begin< T, 1 >::type i = begin< 1 >( t ); i != end< 1 >( t );
++i ) {
}
some bits are still a bit rough, but hopefully you're getting the idea. And,
of course, what drives all this, is the user-friendliness of calls to blas
and lapack. The goal is to be able to do
blas::some_op( trans( a ), row( b, 2 ) );
for any matrix and/or vector object. I would like to push this towards a
first kind of official RFC. I you're interested in the effort of getting a
(the second) stable version of numeric_bindings out of the door, please
don't hestitate to get involved.
Thanks!
Cheers,
Rutger
_______________________________________________
ublas mailing list
ublas_at_[hidden]
Sent to: jackymiao_at_[hidden] | https://lists.boost.org/ublas/2009/11/3855.php | CC-MAIN-2021-43 | refinedweb | 386 | 50.67 |
*
Passing Objects into Methods
Maureen Charlton
Ranch Hand
Joined: Oct 04, 2004
Posts: 218
posted
Nov 11, 2004 03:58:00
0
I have the following code:
//Method to convert the vehicleObject to something more meaningful //i.e. at the moment it displays the address vehicle@6789930 public String convert (Vehicle vehicleObject) { String convertedObject; Vehicle vehicleTypes = vehicleObject; for (int i = 0; i < numberOfVehicles; i++) { convertedObject = toString( ).vehicleTypes[i]; return convertedObject; }//end for loop }//end method convert
I get the following error:
C:\java>javac Vehicle.java
Storage.java:69: cannot resolve symbol
symbol : variable vehicleTypes
location: class
java.lang.String
convertedObject = toString( ).vehicleTypes[i];
Could someone explain why it can not resolve the symbol vehicleTypes.
(Thanking you in advance).
Paul Sturrock
Bartender
Joined: Apr 14, 2004
Posts: 10336
I like...
posted
Nov 11, 2004 04:46:00
0
What the compiler is telling you is it is looking for a variable called
vehicleTypes
in the
String
class. Why is it looking for this variable in the String class? Its the line:
convertedObject = toString( ).vehicleTypes[ i ];
What you are asking here is for an object of whatever class this method is in to call toString() (which returns a String), then access the variable
vehicleTypes
. Of course when toString() is finished, you are dealling with a String, not whatever object has a public static array called vehicleTypes.
[ November 11, 2004: Message edited by: Paul Sturrock ]
JavaRanch FAQ
HowToAskQuestionsOnJavaRanch
Junilu Lacar
Bartender
Joined: Feb 26, 2001
Posts: 5264
9
I like...
posted
Nov 11, 2004 08:13:00
0
Maureen,
From what you have posted so far, I can only glean the following:
1. You have a Vehicle class
2. You have been trying to System.out.println(Vehicle) but don't
want the result to be the default (the result of toString()).
So, here's what I think you are trying to do:
/* * Vehicle.java */ public class Vehicle { private String type; public Vehicle(String newType) { type = newType; } public String getType() {++) { System.out.println(smallCars[i].getType()); } } }
Alternatively, you could override Vehicle.toString():
/* * Vehicle.java */ public class Vehicle { private String type; public Vehicle(String newType) { type = newType; } /** * Overrides inherited toString() */ public String toString() {++) { // println() calls the toString() method // of Objects passed to it. System.out.println(smallCars[i]); } } }
HTH
Junilu - [
How to Ask Questions
] [
How to Answer Questions
]
Maureen Charlton
Ranch Hand
Joined: Oct 04, 2004
Posts: 218
posted
Nov 13, 2004 04:08:00
0
Junilu Lacar,
Many thanks with your response. Much appreciated.
Following what you said above I decided to create a class that I can use over and over again. I called it Override. This class is used when I try to System.out.println (.............. what ever), when I don't want the result to be the default (the result of toString ( ) ). As you mentioned.
So my class is like this:
/*File name: Override.java Written by Maureen Charlton ref: 52/1677 Requirements: A class to over ride the toString( ) */ import java.util.*; public class Override { //Member section //Private members private String type; //Public members //Constructor section public Override (String newType) { type = newType; } //Method section //Overrides inherited to String ( ) public String toString ( ) { return type; }//end method toString public static void main(String [ ]args) { System.out.println ("\nOver ride executed and finished"); }//end main program }//end public class Override
This class compiles and executes as expected but when I try to use it, it is a different matter.
public void storeStudent (Student studentObject [ ])
{
for (lp = 0; lp<numberOfStudents; lp++)
{
System.out.println ("\nstudentObject Before override: "+studentObject[lp] );
//Over ride toString
Override(studentObject[lp]);
System.out.println ("\nstudentObject After override: "+studentObject[lp] );
The offending code is when I call the Override class and pass the studentObject[lp] into it.
My first thoughts were in my Override class I declared a variable of 'type' String when it should perhaps be Student - however this was unsuccessfull.
Could you point me in the right direction to correct this? Or alternatively suggest what I am doing wrong?
Thanking you in advance!
Paul Sturrock
Bartender
Joined: Apr 14, 2004
Posts: 10336
I like...
posted
Nov 15, 2004 04:15:00
0
What you've done is a little confused Maureen. Have another look at the second Vehicle class Junilu Lacar posted. What that does is provide a toString method specific to the Vehicle class, which overriders the one it inherits from the Object class (which all
Java
Objects implicitly extend). You don't need a seperate class to override the toString() method, just override the method in your Vehicle class.
Where you do this:
Override(studentObject[lp]);
I'm suprised you say it compiles - it shouldn't unless you have a method called "Override" in the same class you have this line. I think you have may confused how you call a method on another object. There's two ways:
By creating an instance of a new object and calling a method
on that instance
e.g.
Override obj = new Override(studentObject[lp]); obj.toString();
Or by calling a static method, like this:
Override.toString(studentObject[lp]);
As I've said though, if all "Override" is there to do is override the toString method of another object, then its unneccessary. You just need to add the toString() method to your Vehicle class.
Any questions - don't hesitate to ask.
[ November 15, 2004: Message edited by: Paul Sturrock ]
I agree. Here's the link:
subject: Passing Objects into Methods
Similar Threads
String to Boolean ??
Problem going from 1.5 to 1.4.2
am i on the right track??
converting string array to string
URL is not a String ???
All times are in JavaRanch time: GMT-6 in summer, GMT-7 in winter
JForum
|
Paul Wheaton | http://www.coderanch.com/t/397692/java/java/Passing-Objects-Methods | CC-MAIN-2014-52 | refinedweb | 949 | 65.01 |
I’ve written before about a knight’s random walk on an ordinary chess board. In this post I’d like to look at the generalization to three dimensions (or more).
So what do we mean by 3D chess? For this post, we’ll have a three dimensional lattice of possible positions, of size 8 by 8 by 8. You could think of this as a set of 8 ordinary chess boards stacked vertically. To generalize a knight’s move to this new situation, we’ll say that a knight move consists of moving 2 steps in one direction and 1 step in an orthogonal direction. For example, he might move up two levels and over one position horizontally.
Suppose our knight walks randomly through the chess lattice. At each point, he evaluates all possible moves and chooses one randomly with all possible moves having equal probability. How long on average will it take our knight to return to where he started?
As described in the post about the two dimensional problem, we can find the average return time using a theorem about Markov chains.
The solution is to view the problem as a random walk on a graph. The vertices of the graph are the squares of a chess board and the edges connect legal knight moves. The general solution for the time to first return is simply 2N/k where N is the number of edges in the graph, and k is the number of edges meeting at the starting point.
The problem reduces to counting N and k. This is tedious in two dimensions, and gets harder in higher dimensions. Rather than go through a combinatorial argument, I’ll show how to compute the result with a little Python code.
To count the number of edges N, we’ll add up the number of edges at each node in our graph, and then divide by 2 since this process will count each edge twice. We will iterate over our lattice, generate all potential moves, and discard those that would move outside the lattice.
from numpy import all from itertools import product, combinations def legal(v): return all([ 0 <= t < 8 for t in v]) count = 0 for position in product(range(8), range(8), range(8)): # Choose two directions for d in combinations(range(3), 2): # Move 1 step in one direction # and 2 steps in the other. for step in [1, 2]: for sign0 in [-1, 1]: for sign1 in [-1, 1]: move = list(position) move[d[0]] += sign0*step move[d[1]] += sign1*(3-step) if legal(move): count += 1 print(count // 2)
This tells us that there are N = 4,032 nodes in our graph of possible moves. The number of starting moves k depends on our starting point. For example, if we start at a corner, then we have 6 possibilities. In this case we should expect our knight to return to his starting point in an average of 2*4032/6 = 1,344 moves.
We can easily modify the code above. To look at different size lattices, we could change all the 8’s above. The function
legal would need more work if the lattice was not the same size in each dimensions.
We could also look at four dimensional chess by adding one more range to the position loop and changing the combinations to come from
range(4) rather than
range(3). In case you’re curious, in four dimensions, the graph capturing legal knight moves in an 8 by 8 by 8 by 8 lattice would have 64,512 edges. If our knight started in a corner, he’d have 12 possible starting moves, so we’d expect him to return to his starting position on average after 5,275 moves.
2 thoughts on “3D chess knight moves”
The combinatorial argument need not be that complicated, depending on how you do it. Rather than asking “How many moves can we make from each space?” we can ask “From how many spaces can we make a move in this direction?” The move (0, 1, 2) can be made from a space with any x-coordinate, any y-coordinate except 8, and any z-coordinate except 7 and 8, for a total of 8 * 7* 6 = 336 spaces. By symmetry, any other move can also be made from 336 spaces. Multiply by the 3! * 4 possible moves, then divide by 2 for double counting, and you get 4032. This argument can easily be generalized to any dimension. Of course, one drawback of this method is that it does not tell you much about the distribution of the N, whereas the Python code in this post could easily be modified to do so.
For what it’s worth, here’s a working numpy version (also done as a more coherent generator comprehension, which I find more illustrative than the staircased version): | https://www.johndcook.com/blog/2018/07/19/3d-chess-knight-moves/ | CC-MAIN-2019-30 | refinedweb | 818 | 68.7 |
11 May 2012 10:11 [Source: ICIS news]
SINGAPORE (ICIS)--?xml:namespace>
The source did not give the exact date on which the plant will be started up.
The plant is the first of two phases of the producer’s 300,000 tonne/year caustic soda project which the company plans to complete by end 2014, the source added.
The second phase will consist of a separate 150,000 tonnes/year caustic soda plant, according to the source.
The company intends to build a 200,000 tonne/year toluene di-isocyanate (TDI) plant at the same site, added the source who did not disclose any | http://www.icis.com/Articles/2012/05/11/9558673/chinas-anhui-guangxin-agrochem-to-start-up-caustic-soda.html | CC-MAIN-2014-35 | refinedweb | 105 | 77.77 |
Scala includes a feature called “value discarding”. This interacts in possibly surprising ways when combining functions that side effect. In this post we’ll look at an example, and describe ways to work safely with value discarding.
Fast-fail with
Unit
If you’re working with side-effects that might fail,
there are various ways you can express that in Scala.
One way is to use
Either and
Unit (thanks to Yosef Fertel for sharing this example with me):
import scala.util.{Either, Right, Left} case class Failed(msg: String) def run(): Either[Failed, Unit] = ???
What we’ve expressed here is that when
run runs, it either fails and
Failed can give us the reason for the failure.
Or it worked and there’s nothing more to say (
Unit).
We’re now going to try this out and mess it up.
Maybe we want to write a file, and then log that we did so. (Or write a file, and write the meta data for the file in a database. Or… any two methods you like with this type signature).
def write(): Either[Failed, Unit] = { Right( () ) // Success } def log(): Either[Failed, Unit] = { Left(Failed("during log")) }
In these placeholder implementations the
write always succeeds and the
log always fails.
Unexpected compilation success
When it comes to using these methods we need to take care. This code block compiles but is wrong:
// Buggy def run(): Either[Failed, Unit] = { write().map(_ => log()) }
We have incorrectly used
map, when we should have used
flatMap.
The
map method expects a
Unit => T argument, and we’ve given it a
Unit => Either[Failed,Unit].
This is fine: as
write is an
Either[Failed,Unit],
the result of
map looks like it should be
Either[Failed,Either[Failed,Unit]].
Indeed, if you run that line of code in the REPL it is
Right(Left(Failed("during log"))).
What’s perhaps surprising is that this result (
Either[Failed, Either[Failed,Unit]]) does not match the
Either[Failed,Unit] signature on
run.
It seems like this should be a compile error, or a warning, indicating our mistake.
But this code does compile without error or warning.
The result of
run is
Right(()), signalling to us that all was well with the computation,
even though we know the
log failed.
We have just met “value discarding”.
Value Discarding
Section 6.26.1 of the Scala Language Specification defines value discarding:
If e has some value type and the expected type is
Unit, e is converted to the expected type by embedding it in the term
{ e; () }.
To illustrate this, when we type…
val r: Either[Failed,Unit] = Right(()).map(_ => Left(Failed("boom")))
…the compiler will treat this as:
val r: Either[Failed,Unit] = Right(()).map(_ => { Left(Failed("boom")); () } )
We can simplify the example further. As the
Left[Failed] value is discarded,
we can put anything we want there. Let’s throw in an
Some[Int] for the hell of it:
scala> val r: Either[Failed,Unit] = Right(()).map(_ => Some(1) ) r: scala.util.Either[Failed,Unit] = Right(())
Note that this is happening because we’ve used
Unit as our target type.
If you look at the definition of
Either…
// Much simplified sealed abstract class Either[+A, +B] { def map[Y](f: B => Y): Either[A, Y] = ??? }
…it’s reasonably clear that
Y has to be
Unit because we know best and we’ve said the result is
Either[Failed, Unit].
Without annotating the result the compiler would not trigger value discarding, and would infer the type we expect:
scala> Right(()).map(_ => Some(1)) res1: scala.util.Either[Nothing,Some[Int]] = Right(Some(1))
Turn on the warnings
There are some situations where the compiler will give you a hint that something is amiss. If you have a simple expression, the compiler will warn you:
val r: Either[Failed,Unit] = Right(()).map(_ => 1) warning: a pure expression does nothing in statement position val r: Either[Failed,Unit] = Right(()).map(_ => 1) ^
For a more general way to detect value discarding there is a better compiler flag:
scalacOptions ++= Seq( "-Ywarn-value-discard", "-Xfatal-warnings" )
If you can turn on that warning (and optionally make it fatal), you will catch the kind of problem we illustrated:
[error] main.scala:18: discarded non-Unit value [error] write().map(_ => log()) [error] ^
We suggest turning this flag on by default if you can.
Alternative encodings
If for some reason your project can’t turn on that warning, you can a look at alternative encodings of “side effect with no result”.
For example:
sealed trait Success object success extends Success { override def toString: String = "success" } def write(): Either[Failed, Success] = { Right(success) } def log(): Either[Failed, Success] = { Left(Failed("in log")) }
We’re now using a case object to flag a happy outcome.
As this is not
Unit, value discarding will not come into play,
and our mix up with
map can’t happen:
// Hurrah! Won't compile def run(): Either[Failed, Success] = { write().map(_ => log()) } error: type mismatch; found : scala.util.Either[Failed,Success] required: Success write().map(_ => log()) ^
But that’s just if you cannot turn on the discarded values warning.
Summary
Be aware of value discarding, and turn on
-Ywarn-value-discard by default.
If you can’t turn on the flag, and are stumbling into issues around value discarding, try an alternative encoding.
If you have better ways to encode computations with no value, please do share them in the comments below this post. | http://underscore.io/blog/posts/2016/11/24/value-discard.html | CC-MAIN-2017-26 | refinedweb | 921 | 64.51 |
This problem is most easily seen with the help of a simple concrete example.
public class MyPair { Object x, y; public MyPair(Object o1, Object o2) { x = o1; y = o2; } public Object first() { return x; } public Object second() { return y; } }Now let's imagine we're using this:
MyPair p = new MyPair("ying","yang");What is the type of
p.first()? Well it is an Object. That means the only methods that can be called with it are the few common to every Object. Nothing else is OK. In our example, we know the result is actually a String, but
p.first().length()won't compile. Our only alternative is to cast, like this
String s = (String)p.first(); int n = s.length();Not the biggest deal in this small example, but it gets painful in bigger examples. More importantly, each of these casts could fail, because we may unwittingly put the wrong type of object into the MyPair. Nothing checks these types for us as we compile, so if we make such a mistake, it's as a runtime error, which is bad. (Think if this code was for a heart monitor?)
Java provides us with another way to handle these
problems: generics.
Generics allow you to write code where types become
parameters — like ints, Strings and arrays are
parameters to methods. Type parameters are indicated by
<name>, where name is the
name of your type parameter. For example, below we rewrite
MyPair using a typeparameter named
T, and after
the declaration, we literally search-and-replace "Object" with "T":
public class MyPair<T> { T x, y; public MyPair(T o1, T o2) { x = o1; y = o2; } public T first() { return x; } public T second() { return y; } }To instantiate a MyPair that stores Strings, we give String as a type argument for the type parameter
T.
MyPair<String> p = new MyPair<String>("ying","yang");It's important to note that the type of p is
MyPair<String>, i.e. the type argument is a part of the full typename. Thus, the type of p is different from
MyPair<Scanner>, for example.
The big payoff in this is that the compiler enforces that only
Strings may be added to the pair p, and therefor, it knows
that the type of
p.first() is String. Thus,
p.first().length()compiles no problem.
public class Queue<T> implements Iterable<T>and systematically search for String and replace it with T. If we do that, we get a Queue class that works for any type.
Now, if we want a Queue of Scanners it would beNow, if we want a Queue of Scanners it would be
Queue<Scanner> Q = new Queue<Scanner>();. If we want a Queue of Strings it would be
Queue<String> Q = new Queue<String>();. Here's a simple program that shows this fact off.
~/$ java Ex2 I am 23 years and 5 months old on 3 March 2015 I am years and months old on March 23 5 3 2015
~/$ java Ex3 I am 23 years and 5 months old on 3 March 2015 I am years and months old on March 23 5 3 2015 | https://www.usna.edu/Users/cs/wcbrown/courses/S15IC211/lec/l17/lec.html | CC-MAIN-2018-22 | refinedweb | 527 | 70.73 |
[java] Java overtaking C in game development?
#21 Members - Reputation: 877
Posted 26 November 2010 - 01:36 AM
I just started to understand java, had my first experience with running static animations fullscreen. Didn't took me that long to understand though :D.
Anyway, i will download visual studio express and XNA and start on C. Are there any recommended video tutorials on this? I like vid tutorials to get familiar with the language and you MUST rewrite the code instead of copy/paste. I can look for them myself but i'm at work and most sites are blocked (surprised this one works :D). And there must be a favorite tutorial series right? Any books you guys recommand?
#22 Moderators - Reputation: 10603
Posted 26 November 2010 - 02:39 AM
Quote:
They are considerably different from each other, but they share their syntactic roots in C. An analogy might be how the different European languages are based on Latin. To say "C in general" doesn't really have meaning in the context of these languages.
C# + XNA does not cost money - unless you want to deploy on the XBox. You are free to develop using a PC.
Other than that I would say that your attitude seems good, that will count for more than your choice of language.
Quote:
Its perfectly legal. Microsoft want developers to write cool programs for their platforms. The professional edition just has more features, really.
#23 Members - Reputation: 877
Posted 26 November 2010 - 03:47 AM
Thanks a lot for sending me on the right path. And i actually do like the feeling of knowing the basics of Java!
#24 Members - Reputation: 637
Posted 26 November 2010 - 04:10 AM
Quote:
As well you should. Starting off it's actually a pretty good idea to see what a lot of the major choices in languages have in common with eachother. It helps with learning general programming theory. Just make sure that while you're learning you really try to learn each tool you use as in depth as you possibly can. Try to look at ways to solve the same problem programatically from many different angles, also.
Good luck again!
#25 Members - Reputation: 100
Posted 03 December 2010 - 09:16 PM
Java How to Program by Deitel from Prentice Hall
But if you want to develop games for PCs and consoles , I suggest C++
C is old and is good for virus programming and compiler and OS programming
C# is a very bad choice and only has a very huge prpaganda from Microsoft .
#26 Crossbones+ - Reputation: 7524
Posted 01 April 2011 - 04:07 AM
Wow, lotsa comments..
C# has alot more in common with Java than it has with C really so yes, they are quite different, all four languages (C, C++, C# and Java) have similar syntax though.
This for example is valid code in all 4 languages, With C# and Java the function has to belong to a class, with C++ its optional and in C it can't (C doesn't support classes)
int coolfunction(int x, int y) { return x*y; }
classes are effectivly created the same way in C# and Java
public class MyClass { private int variable; public void fun(int x) { variable+=x; } public MyClass() { variable=0; } }
in c++ its normally done like this
//Myclass.h class MyClass { private: int variable; public: void fun(int x); MyClass(); } //Myclass.cpp void MyClass::fun(int x) { variable+=x; } MyClass::MyClass() { variable=0; }
The voices in my head may not be real, but they have some good ideas!
#27 Members - Reputation: 275
Posted 05 April 2011 - 06:57 AM
AFAIK Android doesn't really use Java, it uses Dalvik. This is the reason Google was sued by Oracle.
AFAIK Android do use Java.
The thing is that Google developed his own Java Virtual Machine, was is also perfectly legal, what Oracle is sueing for is that the say Google break some Copyrights in their Standart libarys and perhaps some licening and patent sutff in the Dalvik VM.
See for example the opensource Java VM open JDK, which is actually supported by Oracle.
#28 Members - Reputation: 98
Posted 09 June 2011 - 06:00 AM
current-gen consoles don't even support it.
Well thats sort'a wrong as I know the Xbox 360 has java support and I think the PS3 may have it
#29 Moderators - Reputation: 48902
Posted 09 June 2011 - 06:34 AM
...why on earth was this thread bumped anyway?
#30 Crossbones+ - Reputation: 8040
Posted 09 June 2011 - 06:37 AM
Professional Free Software Developer
#31 Members - Reputation: 1364
Posted 09 June 2011 - 06:50 AM
3) Limited to microsoft platforms.
Lies....look at the ExEn project. It runs C#/XNA games on I Phone/Pad/Touch, silverlight and is working on an an OSX and android versions.
Remember to mark someones post as helpful if you found it so.
Journal:
Portfolio:
Company:
#32 Members - Reputation: 120
Posted 15 June 2011 - 01:26 AM
C - You don't want go near C. As has been mentioned, it is very low-level and is an old language.. were you doing OS development, it would be a different story but as it stands, C is really the wrong tool for the job when it comes to developing games. Unless you hate yourself or want a challenge of that sort, or something.
C++ - While this is still the most widely-used language in game development, and enjoys an almost elite status as a language, I feel the need to point out what has not been mentioned here yet: C++ is kind of messy. It was designed in the 80s as C with support for object orientation, and was also intended to be backwards compatible with C from the offset. This is a reason for it's popularity, but is also a reason for a very cluttered design - it's not that C++ is bad, but it has lots of mechanics and features which lots of people don't ever use - and are quite frankly unnecessary. The fact that the language is multi-paradigm (imperative with a strange sort of object orientation which isn't 100% what OOP should be) can also be potentially confusing.
Please understand that I'm not saying C++ is a bad language - it is not - but of all these languages, it has the most cluttered design, and is potentially the most difficult. The major thing that sets it apart from java and C# is that in C++, you have to handle your memory manually. You must keep tabs on everything you create and delete it at the correct time, as well as dealing with references to memory - if you mess that sort of thing up (which is very easy to do), the resultant errors are disasterous. But on the other side of the coin, memory management gives you a fantastic level of control and when done right is quite elegant. See, Java and C# still carry out the same sort of memory management tasks, except they're handled implicitly - in those cases it's still important to be aware of what it's actually doing.
Java - contrary to what other people say, Java is, I feel, rather similar to C++. They are not totally different animals, but have some important differences and do at times require different practices. Java was created with portability in mind - since it runs off a virtual machine, you can run it off anything... as long as the platform decides to support it. Which is not the case with consoles
C# - this was designed with lessons learnt from both java and C++. Again ,it's actually not that dissimilar (it's not like comparing Fortran, smalltalk, Lisp, etc.... C++, java and C# all fall under the same family), and I feel that C# has the most elegant design of all these languages. It discards unnecessary elements of C++ and redefines some elements to make more use out of hem. Note that C# is a new language in most respects, and does not share the relationship that C and C++ share - it is a new design effort without backwards compatibility in mind. So the naming is a little confusing.
Whew...sorry... bit of a long post. Bottom line is: stay away from C, and between the other 3 languages mentioned here, I'd say C++ is a bad one to start with. You'll learn much more comfortably with C# and Java, and the transition to C++ is not too difficult to make once you learn the others! That is, if you choose to. They all have great API's backing them, it's simply a choice of which you like best and what exactly you aim to do. You can make a great game in any of these. And have fun!
#33 Moderators - Reputation: 48902
Posted 30 June 2011 - 06:35 AM
#34 Crossbones+ - Reputation: 16795
Posted 30 June 2011 - 06:57 AM
I am confident enough on this to use it at work, too.
Older versions that were trial versions used to put popup messages into the code iirc and watermark them as built with the trial version, since version 2005 at least, when it became completely free, they do not.
Microsoft's rationale behind this is to encourage uptake of windows by developers. More developers means more quality software and a bigger market share for MS.
Games Currently In Development: Firework Factory | Seven Spells Of Destruction | Latest Journal Entry: Radioactive goop, flashing lights and lots more! (21-Jul-2016)
#35 Members - Reputation: 648
Posted 01 July 2011 - 07:01 AM
You only have to register VC express ed., then it's free to use for building commercial apps:
#36 Members - Reputation: 96
Posted 12 July 2011 - 02:57 PM
#37 Crossbones+ - Reputation: 7524
Posted 12 July 2011 - 03:33 PM
I know this thread is a bit old, but last I heard, Microsoft was discontinuing support for C#. I don't don't know C#, I'm a java person, but I don't think C# is such a good language to learn anymore. If Microsoft is discontinuing support, then it's probably on the decline. I'd say python or java to start out. Java was my first language, and as long as you're driven, it isn't too hard to learn.
What ? since when ?
you got any source for that ?
C# is under active development and is the only supported language for WP7 (Which Microsoft is pushing quite hard to try to get a share of the rapidly growing smartphone market).
Its possible that they are ending support for the earlier versions but thats normal. (The latest version of the C# language is 4.0 which was released in april last year and 5.0 is on its way)
The voices in my head may not be real, but they have some good ideas!
#38 Moderators - Reputation: 48902
Posted 12 July 2011 - 06:33 PM
#39 Members - Reputation: 635
Posted 13 July 2011 - 12:41 PM
I heard that IBM were phasing out computers in favor of abacus development. Probably not much point learning computers now.
And they called me mad when they saw me with my abacus... HA! whos laughign now! *Moves one bead to the left representing my victory vs the nay-sayers* | http://www.gamedev.net/topic/588629-java-overtaking-c-in-game-development/page-2#entry4737955 | CC-MAIN-2016-40 | refinedweb | 1,895 | 69.21 |
Over value that is the negation of the original Cents (by:
Is there an operator I can use to overload the usual if() effect? E.g.,
What would happen in this case? Would C++ call the ! operator and reverse the result? Or is there another way to provide a boolean operator?
I think you could do this via overloading typecasts. If you provide an overloaded boolean conversion operator for your point, then I think the above example would work. This is covered in lesson 9.10.
However, personally I wouldn’t recommend implementing it this way. The conversion from point to boolean isn’t very intuitive. I think this is better implemented as a member function that returns a boolean result -- in this way, your code will be more self-documenting. eg:
If I may add a remark: In my opinion Shaun is quite right … If you decide to have an operator!() to check whether a point is non-zero, then it might also be intuitive to have a means of checking the opposite condition.
operator!()
But considering the technical point of view, the usual way to do this would be a typecast to void *, even if this looks strange at first sight. This is because a pointer-to-void is perfectly legal as the expression of an if-statement, but it will not be automatically converted to many other things. As a consequence, typing errors are less likely to bite you, because they will produce compiler errors more often.
void *
A typical example are all std::ios objects, which provide a typecasting operator void *() (and the opposite operator!()) in order to check their state. Consider the stereotypical example, assuming n is an int:
std::ios
operator void *()
If std::cin had a conversion operator to bool, the second line would in fact compile, but it would certainly not do what you intended.
std::cin
There is a problem with the typecast to void* approach. Because the object can be typecast to a void*, delete operator can be invoked on the object now (though the object is on stack):
This can be disastrous!!!
Using the ! operator in this way looks counter-intuitive to me. Writing something like
to check if the point is at the origin makes it seem like we are saying the origin is not a point. But it is a point just with a special set of values in reference to some coordinate system. Having a descriptive member function to check the location of the point makes far more sense in my mind.
Is it ok to compare floating-point values like that (dX == 0.0)?
Normally, no. However, I’m doing so here for simplicity.
Hey there, I just want to say that this chapter has been an excellent read, and the tutorial so far has been a blast. I came in with no prior experience and now I would consider myself sufficient in the language that I could write that I know it on my CV. Thanks again for setting this website up.
Hi Alex,
Something is confusing me!:
With overloading the "-" operator, you use:
But with overloading the "!" op’, you use:
But why isn’t it:
??
Generally when we overload operators, we try and keep them as close to the “intent” of the original operator as possible. So while you could make operator- multiply each of the dimensions in your Point by 2, that would be rather confusing, because we wouldn’t expect operator- to do that.
Now let’s consider how operator! (logical NOT) works with normal variables. For a normal boolean value, it returns true when the boolean is false (0), and false when the boolean is true (1). For an integer, it returns true when the integer is 0, and false otherwise. We could generalize this to say that operator! returns true whenever our input value is a zero/null value, and false otherwise.
What’s the zero value for a Point? Point(0.0, 0.0, 0.0) is the closest thing. So for consistency, it makes sense that our operator! return true when the Point is the zero Point (0.0, 0.0, 0.0) and false otherwise.
If operator! did return a Point, what values would you expect it to have if you gave it Point(1.0, 2.0, 3.0) as input?
Thanks for the explanation, i get it!
"Point operator- () const;"
hey, i confused with that line, what "const" is meant??
thanks you
I means the function itself is const, and promises not to modify the internal state of the object it’s working on. This allows it to be called on const variables.
Oh, thanks: )))))
Hey Alex, as i understand ‘operator-‘ modifies the member of class. If +ve value is converted to -ve value it will be stored in 2’s complement , right? So the stored value gets changed internally, though when we print it its value is same except sign change.
Yes, if you convert a positive value to a negative value, the binary representation will change. However, the variable’s type does not change. For signed integers, the value will always be stored in two’s complement (positive numbers won’t have the sign bit set, negative numbers will).
Yes Alex, I agree, but my question is what about the understanding of statement
"Point operator- () const;"
"It means the function itself is const, and promises not to modify the internal state of the object it’s working on. This allows it to be called on const variables"
So here Operator- () modifies internal state of object, right ? But const key says it will not modify the internal state of object.
No it doesn’t. If you look closely at the implementation of operator-, you’ll see that all it does is create an anonymous object of Point class and return it to the caller. It doesn’t modify the parent object’s members; it accesses them only to call the Point() constructor with [the negatives of] those values.
Hope that helps. 🙂
> So here Operator- () modifies internal state of object, right ?
Oh, no, operator- doesn’t modify (change) the internal state of the object. It returns a new object that is the negative/inverse version of the object being operated upon.
#include <iostream>
class Point
{
public:
double m_x, m_y, m_z;
public:
Point(double x=0.0, double y=0.0, double z=0.0):
m_x(x), m_y(y), m_z(z)
{
}
Point operator- () const;
Point operator+ () const;
// friend std::ostream& operator<< (std::ostream& out, const Point& point);
friend std::ostream& operator<< (std::ostream& out, Point& point);
double getX() const { return m_x; }
double getY() const { return m_y; }
double getZ() const { return m_z; }
};
Point Point::operator- () const
{
return Point(-m_x, -m_y, -m_z);
}
Point Point::operator+ () const
{
return Point(m_x, m_y, m_z);
}
// friend std::ostream& operator<< (std::ostream& out, const Point& point);
std::ostream& operator<< (std::ostream& out, Point& point)
{
out << point.getX() << " " << point.getY() << " " << point.getZ();
return out;
}
int main()
{
Point point(2.3, -4.6, 2.5);
std::cout << point << ‘\n’; // It works
std::cout << +point << ‘\n’; // It doesn’t work at all. I am confused about that.
std::cout << -point << ‘\n’;
Point point2 = +point;
std::cout << point2 << ‘n’; // It also works
return 0;
}
Hey, Alex. I have a few questions.
① Does +point or -point a const Point object?
② But when i change the 2th parameter of the << overloading operator function into "const Point& point",
it works,Why??
I thinks it’s a rvalue, right?
Thanks a lot:)
1) No, it can work on a const or non-const object (you can always make a non-const object const, but not the other way around).
2) The problem is you’re trying to pass an anonymous object (the Point returned by operator+) by non-const reference to operator<<. You can’t do that. As you’ve already noted, making the parameter const addresses the issue (and it really should be const anyway, since operator<< doesn’t modify the parameter).
Hey Alex,
I have found where the problem is, Because it’s a anonymous-objects, so it’s a rvalue, you must be refer to by value or const reference.. Yeah, Thanks !!
Hey Alex. I have two questions:
1) In the first example, where you overloaded operator-, you used you overloaded operator like this:
Doesn´t that example just use the normal operator-? I mean, getCents returns a double and it just seems as though the operator- just uses that double to perform the built in operator- function. I took away the whole overloaded operator and it still works.
2)In the quiz your answer is:
Are the -m_y and -m_z just typos or am I missing something?
Sorry if these questions are stupid, but it always bugs me when I´m left wondering about something, so I thought I´d make a question.
1) Hah, you found an error. It was using getCents to return a double and then applying operator- to the double. I’ve updated the example so it executes like I intended:
Now operator- will be applied to the Cents object first, and then getCents() will be called on the result.
In this particular example, it ends up the same result either way.
2) The -m_y and -m_z were copy/paste errors from the overloaded operator-. I’ve fixed them. Thanks for pointing that out.
Thanks very much for this tutorial! I have a question regarding this paragraph’s quiz:
You state that the obvious solution is:
But I can’t really figure out why the minus signs are put before m_y and m_z. In my own version, I didn’t use these. Is this perhaps a copy-paste error, or am I missing the point?
Your help is much appreciated!
Kind regards,
Eelco
This was a typo. The minus signs were a copy-paste error and have been removed. Thanks!
Name (required)
Website
Current ye@r *
Leave this field empty | http://www.learncpp.com/cpp-tutorial/95-overloading-unary-operators/ | CC-MAIN-2016-36 | refinedweb | 1,660 | 64.91 |
Cool Groovy aspect in Spring
March 22, 2011 8 Comments
I’ve been teaching a lot of Spring framework classes lately. In one of them, we have a unit on Aspect Oriented Program (AOP) in Spring. Spring provides all the necessary infrastructure to make AOP doable. You can define aspects using annotations, and Spring will auto-generate the necessary proxies to implement them.
As an example, the materials (written for Java, of course), presented an aspect similar to this:
package mjg.aspects; import java.util.logging.Logger; import org.aspectj.lang.JoinPoint; import org.aspectj.lang.annotation.Aspect; import org.aspectj.lang.annotation.Before; @Aspect public class PropertyChangeTracker { private Logger log = Logger.getLogger(PropertyChangeTracker.class.getName()); @Before("execution(void set*(*))") public void trackChange(JoinPoint jp) { String method = jp.getSignature().getName(); Object newValue = jp.getArgs()[0]; log.info(method + " about to change to " + newValue + " on " + jp.getTarget()); } }
For those who haven’t done AOP, or who haven’t done AOP in a while, an aspect consists of a pointcut and advice. The advice is what you want to do, and the pointcut is where you want to do it.
In this case, the pointcut is inside the
@Before annotation. It states that the pointcut is before every method in the system that begins with
set, takes a single argument (two dots would represent zero or more arguments — a single star is one argument) and returns void.
The advice is the
trackChange method. Spring calls this method whenever the pointcut applies, and it supplies the
JoinPoint argument from AspectJ. The join point provides context, because from it you can get the name of the method being called, its arguments, and a reference to the target object, as shown above.
This aspect logs properties that are about to change. Along with the Spring configuration file (which I’ll get to shortly), it demonstrates an aspect being applied in a very general way.
One of my students, however, had an obvious question. It’s all well and good to print out which set method is being called and on which object, but what would be really useful is to know what the value of the property was before the set method changed it. What’s the current value of the property?
The
JoinPoint class doesn’t really have methods to determine that, unfortunately. The javadocs for AspectJ are located at Eclipse, of all places, if you want to take a look.
A friend of mine and I debated how we would go about figuring out the current value. Since we know the name of the setter method being invoked and we have a reference to the current object, some form of reflection and string manipulation would probably do the trick.
That’s when it hit me, though, that the job would be almost trivial in Groovy. Let me show you the answer and then talk about it. Here’s my Groovy aspect.
package mjg.aspects import java.util.logging.Logger import org.aspectj.lang.JoinPoint import org.aspectj.lang.annotation.Aspect import org.aspectj.lang.annotation.Before @Aspect class UpdateReporter { Logger log = Logger.getLogger(UpdateReporter.class.name) @Before("execution(void set*(*))") void reportOnSet(JoinPoint jp) { String method = jp.signature.name String property = (method - 'set').toLowerCase() def current = jp.target."$property" log.info "About to change $property from $current to ${jp.args[0]}" } }
I called the aspect
UpdateReporter. It defines the same pointcut as the
PropertyChangeTracker. This time, though, it’s easy to figure out the current value of the property. I just subtract
set from the name of the method and convert to lowercase, which gives me the property name. Then I invoke the
get method by using the standard POGO convention that accessing the property invokes the getter. The string interpolation is just to make sure I evaluate the method rather than treat it as a string property of the class.
I now need a class with some
set methods in it, so I made a POJO.
package mjg; public class POJO { private String one; private int two; private double three; public String getOne() { return one; } public void setOne(String one) { this.one = one; } public int getTwo() { return two; } public void setTwo(int two) { this.two = two; } public double getThree() { return three; } public void setThree(double three) { this.three = three; } @Override public String toString() { return "POJO [one=" + one + ", two=" + two + ", three=" + three + "]"; } }
Here is the Spring bean configuration file, in XML.
<?xml version="1.0" encoding="UTF-8"?> <beans xmlns="" xmlns: <aop:aspectj-autoproxy /> <bean id="updater" class="mjg.aspects.UpdateReporter" /> <bean id="tracker" class="mjg.aspects.PropertyChangeTracker" /> <bean id="pojo" class="mjg.POJO" p: </beans>
The
aop namespace contains the
aspectj-autoproxy element, which tells Spring to pay attention to the
@Aspect annotations and generate proxies as needed. Spring AOP applies at public method boundaries of Spring-managed beans, so I needed to add the POJO bean to the configuration file as well.
The final piece of the puzzle is to actually call the setter methods on the POJO, which I did with a test case. I used Spring’s JUnit 4 test runner to cache the application context.
(In other cases I use Spock’s Spring capabilities to do the same thing with Spock tests, but that’s another story.)
package mjg; import static org.junit.Assert.*; import org.junit.Test; import org.junit.runner.RunWith; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.test.context.ContextConfiguration; import org.springframework.test.context.junit4.SpringJUnit4ClassRunner; @ContextConfiguration("/applicationContext.xml") @RunWith(SpringJUnit4ClassRunner.class) public class POJOTest { @Autowired private POJO pojo; @Test public void callSetters() { pojo.setOne("one"); pojo.setTwo(22); pojo.setThree(333.0); assertEquals("one", pojo.getOne()); assertEquals(22, pojo.getTwo()); assertEquals(333.0, pojo.getThree(),0.0001); } }
The Spring test runner also injects the POJO into the test, which is convenient. Running the test then prints to the console (cleaned up a bit):
INFO: About to change one from 1 to one
INFO: setOne about to change to one on POJO [one=1, two=2, three=3.0]
INFO: About to change two from 2 to 22
INFO: setTwo about to change to 22 on POJO [one=one, two=2, three=3.0]
INFO: About to change three from 3.0 to 333.0
INFO: setThree about to change to 333.0 on POJO [one=one, two=22, three=3.0]
How cool is that? I love it when I find an application where Groovy makes life much easier than the Java alternatives. I have to admit that I was almost insufferably pleased with myself when I got this to work, though of course it’s all Groovy — and Spring’s very friendly relationship to it — that made it all possible.
By the way, what is that
mjg package I keep using? Why, Making Java Groovy, of course. This example is going directly into the chapter on Groovy and Spring, so consider this a bit of a teaser. 🙂
Great details. I’m learning Grails/Groovy – looking forward to your book.
Trying to run this examplo about Grails and Spring AOP but nothing happens. Any clues?
Do you mean the AOP aspect at the end of section 14.4? What did you actually implement?
Exactly! the AOP aspect at the end of section 14.4
I implemented it hoping to have my first AOP example to work, but nothing happened after a change the birthday of a Person object.
I also tried your’s example, but couldn’t make a translation to use spring DSL
When I try to run your example, grails throws the following exception:
No such property: parentmessagesource for class:
ERROR context.GrailsContextLoader – Error executing bootstraps: No such property: parentmessagesource for class: org.codehaus.groovy.grails.context.support.PluginAwareResourceBundleMessageSource
Possible solutions: parentMessageSource
groovy.lang.MissingPropertyException: No such property: parentmessagesource for class: org.codehaus.groovy.grails.context.support.PluginAwareResourceBundleMessageSource
Possible solutions: parentMessageSource
My example didn’t use Grails at all. I did everything with just Groovy and Spring. I haven’t had a chance yet to try out the Grails demo inside of their documentation, but when I do I’ll report on what I find.
That said, it looks like somehow the application context is missing a message source. I don’t know why that would be the case in a normal Grails app, but I’ll take a look.
I’ve just realized if the target object (POJO in this case) is implemented also by groovy the method intercepted is always GroovyObject.getMetaClass().
Any suggestion to solve it
Nice example, I suppose it could be done in java by using some horrible reflection – but that’s great! | https://kousenit.org/2011/03/22/cool-groovy-aspect-in-spring/ | CC-MAIN-2017-17 | refinedweb | 1,440 | 58.48 |
To read all comments associated with this story, please click here.
IE8 does, of course, not support SVG. And actually I don't think that SVG support will arrive in the foreseeable future. SVG in combination with JavaScript and other AJAX stuff can -- at least to a certain degree -- replace Flash and Silverlight. MS has no interest in supporting anything that's a threat to Silverlight.
ie8 does, of course support SVG
. but it's (microsoft style) not supporting xhtml as it should. for some reason they did not make a mac version so i have trouble testing it. this can make my live a lot easier if i have to make graphs and stuff.
but it should be possible to embed svg in a cross browser and standard way (but i'm scared it "just does not work").
for some info about namespaces in xhtml/html/xml hybrid bastard pages :...
Yet, SVG is - besides of advanced CSS etc. - one such good open web standard that MS is now supposedly more willing to support in its browsers? Or not? Just cheap empty marketing talk?
The lack of SVG support is one, maybe small, but very good example of the reasons why I don't usually like or use Microsoft software practically at all anymore. Their main business goal does not seem to be serving people or following fair play rules like open standards, but instead, only making as much money as possible and hindering competitors.
The whole OOXML vs. ODF file format debate is another example of the same, already all too well-known MS business behavior.
But maybe, just maybe, there are now some signs of MS finally learning its lessons and becoming more of a cooperative team player instead of a greedy monopolist only? At least they talk about the importance of open standards more nowadays. Let's hope that it is not just cheap talk aimed at fooling people.
However, I'm afraid it will take some time and effort from Microsoft before people will learn to trust its willingness to support and follow open standards. And if Microsoft won't learn the importance of open standards, they will just continue making enemies and losing customers, maybe slowly but gradually anyway.
Edited 2008-03-06 00:10 UTC
XHTML 1.1 Strict? There's only the XHTML 1.1, and no, IE8 doesn't support the application/xhtml+xml mime type.
Internet Explorer is free for download and it can be freely ran on any system capable of running WINE, so cut the crap.
Not with "my" IE8. I am not able to scroll the page neither with arrow keys nor mouse wheel. It should be allowed to do that.
You have IE7 running in WINE successfully? Do post instructions on how you managed that, since the IEs4Linux crew have never really gotten past IE6 (they've managed to create an IE6 hybrid that uses some of IE7's rendering engine, but that's it).
Member since:
2007-04-29
does it support xhtml 1.1 strict? that way i can finally serve properly formatted xml, and embed svg. which means i can draw lines (finally! after 20 years i can draw lines in my webpage) | http://www.osnews.com/thread?303552 | CC-MAIN-2016-50 | refinedweb | 539 | 73.88 |
Question:
I know this isn't exactly how the pickle module was intended to be used, but I would have thought this would work. I'm using Python 3.1.2
Here's the background code:
import pickle FILEPATH='/tmp/tempfile' class HistoryFile(): """ Persistent store of a history file Each line should be a separate Python object Usually, pickle is used to make a file for each object, but here, I'm trying to use the append mode of writing a file to store a sequence """ def validate(self, obj): """ Returns whether or not obj is the right Pythonic object """ return True def add(self, obj): if self.validate(obj): with open(FILEPATH, mode='ba') as f: # appending, not writing f.write(pickle.dumps(obj)) else: raise "Did not validate" def unpack(self): """ Go through each line in the file and put each python object into a list, which is returned """ lst = [] with open(FILEPATH, mode='br') as f: # problem must be here, does it not step through the file? for l in f: lst.append(pickle.loads(l)) return lst
Now, when I run it, it only prints out the first object that is passed to the class.
if __name__ == '__main__': L = HistoryFile() L.add('a') L.add('dfsdfs') L.add(['dfdkfjdf', 'errree', 'cvcvcxvx']) print(L.unpack()) # only prints the first item, 'a'!
Is this because it's seeing an early EOF? Maybe appending is intended only for ascii? (in which case, why is it letting me do mode='ba'?) Is there a much simpler duh way to do this?
Solution:1
Why would you think appending binary pickles would produce a single pickle?! Pickling lets you put (and get back) several items one after the other, so obviously it must be a "self-terminating" serialization format. Forget lines and just get them back! For example:
>>> import pickle >>> import cStringIO >>> s = cStringIO.StringIO() >>> pickle.dump(23, s) >>> pickle.dump(45, s) >>> s.seek(0) >>> pickle.load(s) 23 >>> pickle.load(s) 45 >>> pickle.load(s) Traceback (most recent call last): ... EOFError >>>
just catch the
EOFError to tell you when you're done unpickling.
Solution:2
The answer is that it DOES work, but without the '+' in mode the newlines automatically added by the append feature of open mixes up the binary with the string data (a definite no-no). Change this line:
with open(FILEPATH, mode='ab') as f: # appending, not writing f.write(pickle.dumps(obj))
to
with open(FILEPATH, mode='a+b') as f: # appending, not writing pickle.dump(obj, f)
Alex also points out that for more flexibility use mode='r+b', but this requires the appropriate seeking. Since I wanted to make a history file that behaved like a first-in, last-out sort of sequence of pythonic objects, it actually made sense for me to try appending objects in a file. I just wasn't doing it correctly :)
There is no need to step through the file because (duh!) it is serialized. So replace:
for l in f: lst.append(pickle.loads(l))
with
while 1: try: lst.append(pickle.load(f)) except IOError: break
Note:If u also have question or solution just comment us below or mail us on toontricks1994@gmail.com
EmoticonEmoticon | http://www.toontricks.com/2019/04/tutorial-why-doesnt-appending-binary.html | CC-MAIN-2019-26 | refinedweb | 541 | 66.13 |
In case your environment uses multiple languages, you will have to deal with translating any text for custom screen elements such as new fields, buttons etc. that are not part of the underlying transaction. This post will summarize the steps necessary to complete the translation.
Let’s start with a simple test flavor, containing a few labels and buttons:
Translation is initiated from the Personas admin transaction:
Click on the + sign to select the flavors you want to translate. At this point you may receive an error message complaining about a missing package, unless this was already taken care of earlier (so this is a one-time activity):
This is because Personas translation works by creating Online Text Repository objects and these are categorized as development workbench objects which must belong to a package. So if this happens, head to the IMG and go to Personas configuration: Cross-Application Components –> SAP Screen Personas –> Maintain Personas Global Settings. Here, enter the name of an appropriate package for your OTR objects:
I usually designate (create) a specific package for Personas development objects. This could be also used for WebRFC function modules for instance.
Return to the Personas admin transaction and now you should have no problem with selecting the flavors you’d like to translate. When you add a flavor, the transaction will grab all associated text elements that are relevant for translation. Click on the ‘Create OTR Objects’ button:
The system is going to ask for a transport request, so assign the OTR objects to one:
You will get a confirmation message:
Now you are ready to take care of the actual translation. This is done using transaction SE63. In the menu, navigate to Translation -> ABAP Objects -> Transport Object. Here, you have to individually identify all the text elements that were included in your transport. In order to do this, use transaction SE10 to display the transport request you just created, it will contain the OTR object key specifications:
Copy/paste the transport entry fields for each text listed here into the corresponding SE63 fields, specify the source- and target language, click on ‘Edit’, then enter the translation:
Hit the pencil/paper symbol and on the next screen click on the button ‘Status S’. At this point, you should see this:
Save your translation, then go back (F3) to the selection screen and repeat the same steps with all OTR objects in your transport request.
Once all of them are translated, you can test the result by logging out of Personas, then back in with your target language. You should see the translated texts in the flavor. In my case, only Object Number was translated, the rest is still in English:
Thanks indeed for your detailed steps. That is definitely helpful for our flavor translation.
I have one question on the OTR objects, lots of deleted objects(script button, label during creation, however deleted in flavor during the flaor creation) still in the OTR object list.
Does that mean once you create one object in flavor, it could not be deleted at all?
As well as the mentioned case, only the first translation is valid, rest others objects are still in English.
If you already translated your objects and later decide to delete the corresponding screen elements in your flavor, this will not remove the already existing OTR objects.
OTR objects are only created if you specifically prepare your flavor for translation, not while you are still actively working on developing the flavor. So the advice would be not to translate your flavor until you’re completely done with your development. When you translate the flavor, it should be already tested for functionality, so hopefully there is not much need to make drastic changes to it later, removing screen elements en masse.
Regardless, the “orphan” OTR objects will not cause any system problem, so this shouldn’t be a big issue.
As for the last comment, I’m not sure I completely understand what you mean… of course will only be the first object translated since that’s the only one I entered the translation for. The other objects will show up in the original flavor creation language until you enter the translation for all of them.
Thanks for your comments.
You are absolutely right on the translation sequence, we ensure that functional developments are all ready, then start the translation work. I attach one snapshot, those objects actually were deleted(not hidden) during development progress, they were used to be existed.
However,through ‘Prepare for translation’, all those deleted objects appeared in the list again. So my doubt is that once we create any objects, they could be delete at the flavor development front-end(flavor), but could not be deleted totally.
The comments I added at the end of the first post, is that I translated all the objects once on the last weekend, only the first OTR object(one field) seems translated successfully via flavor,(i log-in and off several times)
the interesting thing is after last weekend, when I log into the system again, it seems most OTR objects updated with the translated language. Not a problem now.
Hi Ling & Tamas,
Thanks for above information and very useful comments, however just trying to better understand OTR object comcept in relation with personas. Hope this is not stupid query 😛 .
Suppose i have a MIGO transaction flavor created by logging on in English language. In this flavor i have kept 10 fields out of which 5 are standard SAP fields which are not modified at all and 5 are newly added labels in Italian language. (assuming that you know italian language is not supported, however this has nothing to do with the transaction screen being modified).
Now i access above MIGO transaction flavor by logging on to persona in Italian language which is also a backend supported language in my system and see that all 10 fields (standard SAP fields & newly added labels) are appearing in Italian. Is there still need to carry out OTR object translation steps explained above?
Thanks & Regars,
Avinash
If you are only going to use the flavor in Italian, then no, there is no need to translate the custom labels. Essentially what you did was entering Italian text as English, since the flavor was created in English. So now even if you’d log on in English, the custom labels would show up in Italian.
As long as you are only interested in the Italian texts, you’ll be fine. However if you want to be able to use the flavor in both Italian and English, you’d have to take care of the translation.
Hello Tamas,
I am trying to test the OTR object but when I am clicking the “Create OTR Objects” button I am getting the below error message and it is not going to the local workbench request screen, please help?
I have checked in the SPRO > IMG > Cross-Application Components –> SAP Screen Personas –> Maintain Personas Global Settings, the Personas Package name is maintained.
Thanks and regards,
Arup
I don’t know off the top of my head why would there be a problem with the OTR alias creation… this would require some debugging in your system to see what causes the issue.
I suggest you open an OSS incident so that our Support team can take a look.
Thanks a lot Tamas for your input, we are able to resolve this.
Another problem which we are facing now, say I have created the OTR and I am able to see the translation properly for a flavour, now I am assigning the flavor to another user but that user is not able to see the translations, any particular process need to be maintained here?
Regards,
Arup
Hello Tamas,
Any update on my above query?
Thanks and regards,
Arup
The OTR object translations are not user-dependent and I’m not aware of anything that’s necessary to make them visible to all users. They should work for everyone.
Hi
While translating a flavour I found the same error as mentioned above. The length of my flavour name is less than 50 excluding namespace with no blank or any special character. Than also the error is coming when I clicked on create OTR objects button. Please help me out with this on urgent basis!!!!!
Hi Tamas,
Thank you for your post. It was very helpful. I’m translating a few flavours. It went just fine. But when I went to screen personas I realized there were a few typos. So I went back and corrected them. Logged out of screen personas and logged in again. Changes are not reflected. Do you know of a cache (not browser, I tried that) I should refresh so that it takes the changes?
Best Regards!
Facundo
I just tested your scenario and you’re right, the correction doesn’t take effect. I even tried to make sure the new translation is the only existing one with Standard status in SE63, closed the browser window but the old value is still present. This will need some more investigation so the best is if you open an OSS incident about the issue.
I just found my way arround it after trying a few things. It isn’t pretty though… 🙁 . I went back to Screen personas, edited the texts (added a space at the end). Went back to /PERSOS/ADMIN_UI and a new line on the flavor appeared, untranslated with the same text. I translated that one 🙂 .
Best Regards.
Even i experienced same issue couple of days ago. The transalation worked fine for EN to German language but did not work for Finnish & Italian languages. Some fields appeared in translated and some continue to appear in English. I logged out & in multiple times but no luck.
Dear Tamas
please we have issue in screen alignment , we want to make it from right to left , we cannt
fix in personas , even its working fine with normal transaction in NWBC .
Regards
Ghadeer
Right-to-left languages are currently not supported by SAP Screen Personas, sorry.
Hello,
I’ve no Button “Create OTR Objects” in /n/persos/admin_ui. Is this because of a wrong setting or maybe because of the the SP3 of Screen Personas 2.0? And when yes, how can I now translate the alis with SE63 or SOTR_EDIT?
Thanks for answers
IN SP3 there is no ‘Create OTR object’ button. You have to use the ‘Execute’ button in the upper left corner instead.
Thanks, but is there any reason why the Execute-button is not visible in a certain system?
Not really…. if that’s the case, I’d suggest opening an incident so that the support team can take a look at the situation.
Hi Tamas,
Thanks for the post.It was really helpful, We are facing an issue where the translations of a particular flavor are not showing in Production, although the translations are perfectly displayed on Development and Quality. We are using PERSONAS 2.0 .We have transported the related requests multiple number of times, but still no effect. Can you suggest anything on the issue. It would be very helpful.
Thanks.
Aniket.
Not sure why would this happen… if you transported the request containing your OTR objects, they should show up. Perhaps there is some caching going on… but this is just a guess.
Hi Tamas,
Thanks for a quick response on this. We are currently referring to SAP Note 448220 but till now it has not resolved our issue. I also found a suggestion to use ‘Clean Up Redundant Translations’ option in ‘/PERSOS/ADMIN_UI’ , strangely in our SAP PERSONAS version we do not have the exact option , but an option which says ‘Clean up Translation Objects’ , which does not have an option to select a particular translation object. i am a little resistant to use this as i suspect it will clear all the translation objects and could cause major damage and rework. Kindly refer to the screen shot for this option. Would you suggest that i use this option?
Thanks again.
Aniket
HI Aniket
Try out $OTR which cleans the buffer, may be some time caching creates a problem and check out in production in se63 if the objects is reached properly or not for each object. Know this could be a bit work out for you.
Thanks
Hi Tamas,
I’m using persona 2.0. I have created a flavor for ME52N transaction, i have changed the standard text ‘Quantity’ to ‘Quantity Requested’ in the item overview area. So now i need to make translations in german for the changed text ‘Quantity Requested’. I run the tcode /PERSOS/ADMIN_UI and selected the button Prepare for translation and added the flavor ME52N, Now i’m not able to find any texts here as per the below screenshot.
Thanks,
Mohit Arora.
Hi Mohit,
Not sure why wouldn’t this work if you followed the described steps. You should open an incident and provide access to your system, so the Personas 2.0 support team can take a look at the issue.
Tamas | https://blogs.sap.com/2014/05/01/sap-screen-personas-how-to-translate-flavors/ | CC-MAIN-2019-09 | refinedweb | 2,190 | 69.62 |
These are chat archives for opal/opal
Opal.Foo.$new().$bar();
Opal.Foo, and opal methods get prefixed with $, so to create a Foo object, you'd do
Opal.Foo.$new(), and you would just call $bar() off of that
Opal.Foo.$new().$bar();is basically what
Foo.new.barwould get compiled to
return $scope.get('Foo').$new().$bar();after all the opal setup, but if you wanted the equivalent of Foo.new.bar in javascript, you'd write
Opal.Foo.$new().$bar();
@adambeynon @elia guys, with arity check enabled (which is how specs are running), the following fails with an
ArgumentError,
wrong number of arguments(1 for 0)
def test puts 'ok' end a = nil test(*a)
But this works on MRI just fine. I think splat with a
nil is a special case. Any idea where I could begin fixing this? I need this to work to pass some new rubyspecs...
file.rbinto
file.jsis to write this on the command line:
opal -c file.rb > file.js
file.jsinto your html page using a script tag, like any other javascript file. Make sense?
if obj.is_a?(Native::Object) blahand
if native?(obj)
everything is an objectbeauty of Ruby
@elia on a different front when would one want to do
class Wrapper < `JsClass` alias_native :method_name def initialize `return new JsClass()` end end
vs
class Wrapper include Native def initialize @native = `new JsClass()` end end
opal-slimwork but get
NoMethodError: undefined methodindent_dynamic' for Temple::Utils`. Every one use it ? Thanks
# config/initializers/opal.rb Rails.application.config.assets.paths << Rails.root.join('app', ’shared').to_s
So far I am setting up a directory shared, which will contain ruby code that will get included in the server as well as the client... So for works okay, except I wanted to do this:
class Jobs # bunch of stuff that only is relevant to the server end
and in the shared directory
class Jobs # stuff related to both client and server end
The only problem is that rails will only find one (I think) so one has to require the other... not a big deal I guess | https://gitter.im/opal/opal/archives/2015/06/11 | CC-MAIN-2019-18 | refinedweb | 355 | 63.59 |
Net::SMTP::Receive - receive mail via SMTP
MyMailReceiver->showqueue() MyMailReceiver->runqueue() MyMailReceiver->server(%options) package MyMailReceiver; @ISA = qw(Net::SMTP::Receive); use Net::SMTP::Receive; sub deliver { my ($message) = @_; # attempt to deliver a message... die or return, return code ignored } sub is_delivered { my ($message, $recipient) = @_; if ($recipient) { return 1 if delivered to recipient return 0 if not } return 1 if message is fully delivered return 0 if not }
Net::SMTP::Receive handles receiving email via SMTP. It is built as a base class that must be subclassed to provide methods for actually delivering a message. Many aspects of Net::SMTP::Receive's behavior can be modified by overriding methods in the subclass.
Net::SMTP::Receive does not provide any method to deliver a message or even check that it has been delivered. That's left for the subsclass. However, it will queue the message until it has been delivered.
Almost all configuration of Net::SMTP::Receive is done through overriding method definitions.
Both the SMTP server and individual messages are represented by Net::SMTP::Receive objects (or rather MyMailReceiver objects if that's what you choose to name your subclass).
This module defines the pieces you need for a basic mail server but it since some of the bits must be overriden, it does not define a complete mail server. A complete mail server, listens for connections, queues mail, re-runs the queue every now and then, and can display the queue. A call to
serer() will listen for conenctions. It blocks forever. A call to
runqueue() will process the pending queue. Arrange to call this periodically. A call to
showqueue() will display the queue: provide a command to for users to do this. This is not meant as a high-volume mail server. It is mean to provide a way to directly receive mail in perl while honoring the guarantees that mail servers should make.
The following fields exist the sever objects and continue to exist as the server object forks itself to become a message object.
PEERADDR is the IP address of the system the email is coming from.
PEERHOST is the hostname of the system the email is coming from.
IDENT is the username returned by doing an ident query on the sender.
HELO is a copy of the greeting sent by the client.
MIMETYPE is either
8BITMIME or
7BIT depending on the transfer encoding used.
FROM is the address provided with
MAIL FROM.
TO is an anonymous array of addresses provided by the
RCPT TO command. This array may be modified by the
deliver() method.
TIME is a timestamp (integer) of when the message was first enqueued.
ID is the identification assigned to the message as it is enqueued. The filename of the message is
$queue_directory/$message-{ID}.txt> (also available as
$message-{TEXTFILE}>). The envelope is stored as a perl object in
$queue_directory/$message-{ID}.pqf>.
TEXTFILE is the filename where the message is stored while in the message queue. Messages are placed in the queue before delivery is attempted.
ERROR contains the die message (
$@) from the last delivery attempt.
LASTRUN is the timestamp (integer) of when delivery was last attempted on the message.
STATE is a status field that is left over from the protocol negotiations. It's mentioned here because it's reserved for internal use. Any additional fields added after this release will use a member data naming prefix of
NSR_.
You must override
deliver and
is_delivered. In the context of method delivery,
$message is a persistent object. You can add or change fields and unless the message is fully delivered, your changes stored with Storable and restored the next time delivery() is attempted.
See the "MEMBER DATA" section for the pre-defined keys that the message object provides.
For
is_delivered the recipient optional. If present, the return value is used for for
showqueue.
For
deliver, it is okay to
die. If you do, the die message will become the
ERROR field and be displayed by
showqueue. Delivery will be re-attempted by
runqueue.
The following is not a complete set, but it is likely to be enough. For the complete set, read the source.
check_rcptto() is an important method to define. It is here that it is easiest to prevent open relaying. A simple check that the recipient address belongs to you will do. A return code of something like: "550 relaying denied" works.
sub check_rcptto { my ($self, $envelope_to_address) = @_; return 0 if the address is okay as it stands return (0, @replacement_addresses) if the address is okay but delivery should be redirected to antoher address or addresses. return "550 relaying denied, so go away!" }
check_mailfrom is less important, but can also be useful.
sub check_mailfrom { my ($self, $envelope_from_address) = @_; return 0 if the from address is okay return $smtp_3digit_error_code otherwise } sub do_syslog { return 1 if you want syslogging of activity return 0 if you want errors to stderr } sub queue_directory { return '/var/spool/pmqueue'; # return something else to place the message queue # elsewhere. } sub checkaccess { my ($self, $client_iohandle, $remote_ident) = @_; die or exit() if you don't want to talk to the client otherwise, return anything } sub prestart { my ($self, %config) = @_; # initialize any special MyMailReceiver state before # starting to listen as a server } sub max_datalength { return 20_000_000; # return something smaller if you don't want to accept # 20GB messages.. } sub max_recipients { return 10_000; # return something smaller if you want to place a more # reasonable limit on the number of recipients. } sub add_envelope { return 0; #default return 1 # if you want to add an C<X-Envelope-To:> header. # If you do this, C<Bcc:> won't be blind. } sub predeliver { my ($msg, $client, $msgref) = @_; # check over the incoming message before it is enqueued # this is a good place to enforce policy or do quick # spam checks. Die with an SMTP error code to reject # the message --- die "500 relaying denied" # The $msgref is an anonymous list comprising the body # of the message. die "500 relaying denied" if $msgref->[0] !~ /\@myhost/; return 0 }
Net::SMTP::Receive has three core methods that are used to fire it up.
MyMailReceiver->server(%config)
server() starts an SMTP listening server. The config parameters currently supported are:
IPAddr Port MyMailReceiver->runqueue()
runqueue() processes the mail queue. It is not called automatically by the server. Call it with a cron job instead. Be sure to do this!
MyMailReceiver->showqueue([$message ids])
showqueue() prints a sendmail-style mail queue report to STDOUT. It is optionally restricted to particular message ids.
Net::SMTP::Receive doesn't provide much for the subclass to call. However, there are a few methods that might be some help. Well, one anyway:
$message->log($text, $args)
syslog()s text and also printf's it.
Copyright (C) 2001, 2002 David Muir Sharnoff. License hereby granted for anyone to use, modify or redistribute this module at their own risk. Please feed useful changes back to muir@idiom.org. | http://search.cpan.org/~muir/Net-SMTP-Receive-0.301/Receive.pod | CC-MAIN-2016-40 | refinedweb | 1,156 | 57.47 |
Hello everyone I'm currently working on a program that takes a student name and number of classes. Then asks the user to enter the his classes. I have most of the program done but I'm having trouble with my dynamic array for some reason it wont let me type in more than one class before it crashes. Can someone please help me out with this.
#include <iostream> using namespace std; class Student { string name; int numClasses, key; string *classList; public: Student(); Student(int , string); void user_Input(); void class_Output(); }; Student::Student() { } Student::Student(int classes, string student) { numClasses = classes; name = student; classList = new string [numClasses]; } void Student::user_Input() { cout<<"Please enter your name"<<endl; cin>>name; cout<<"Please enter the number of classes you have"<<endl; cin>>numClasses; cout<<"Please enter your classes: "<<endl; for(int i=0; i<numClasses; i++) { cin>>classList[i]; } } void Student::class_Output() { cout<<"\n"<<name<<endl; } int main() { Student obj; obj.user_Input(); obj.class_Output(); return 0; } | https://www.daniweb.com/programming/software-development/threads/414481/dynamic-array-of-strings | CC-MAIN-2021-04 | refinedweb | 162 | 56.79 |
Download Research Tools
A very interesting concept, but I believe the puzzles are too biased towards the skills found in the Microsoft Research group: a lot of math, logic puzzles, etc.
I don't feel a better coder if I guess the requirement for a puzzle from just one test case, nor do I feel a bad coder because I can't find the correlation between some numbers.
In no real life scenario one would have to guess what a class does from the unit tests some other coder did and that are revealed one by one. I really appreciate the game, I spent my whole day playing, but I would have preferred to know what I am working towards and only then have the unit tests verify my work.
On the other hand, I can see this as being a two-parter game. The second part would be to get the description of the problem and create unit tests for the class that should solve it. Then run all submitted classes against your tests.
Although I admit it would be difficult to test the tests automatically, I see a much better value in learning the thoroughness of creating valid tests with 100% coverage than guessing functionality from partial test results.
This isn't a learning tool. It will let you fail hundreds of times with no hints or clues. Don't bother with this.
I'm honestly really quite disappointed with this. It's a fantastic concept but the execution is very flawed.
For anyone who would like to play this, know that it's not a tool to learn but more there to test your knowledge of C# and programming. And at that, the tests don't show you all the required cases in order to figure out the solutions immediately.
I need a little tutorial for the loop with array game Level 02.01
can you send me data to leandrogaurisse@hotmail.com?
Thank you a lot!
I'm blogging some hints at:
Java issues:
07.04 - the system thinks this java solution is poor to reverse a string. I believe the usage of char arrays with reversion is not really better.
return (new StringBuilder(s)).reverse().toString();;
07.07 couldn't handle s.replaceAll("[aueio]", ""));
08.01 throwing "path bounds exceeded (path bounds exceeded)" because it gives too high parameter for int calculation (64 loool).
Interesting try...! Like the looks, good interface... Just started... :)
Thanks everyone for the comments and thanks for playing Code Hunt. One of the objectives of Code Hunt was to present a gaming alternative to traditional coding – hence the player is not given a specification or told what to do. The game is to find the pattern in the test cases and thereby solve the puzzle. As such, Code Hunt exercises logic as well as coding skills.
The underlying engine that drives Code Hunt is at its best when it works with logical puzzles. The early sectors are numerical, but later on they become quite challenging. Learning to deal with the results of unit tests is a very important skill in debugging programs, and one that is actively taught in college classes. Code Hunt has proven to challenge coders at all levels, but we are always looking to improve it. Feel free to post feedback about specific puzzles directly on. We hope you will enjoy the game!
Microsoft Research Connections team
Posted by Microsoft Research
Our most popular blog posts of 2014 reflect the breadth of our research and our collaborative efforts across multiple product groups as well as with external organizations worldwide. From 3-D visualization to unveiling | http://blogs.msdn.com/b/msr_er/archive/2014/05/15/what-if-coding-were-a-game.aspx | CC-MAIN-2015-32 | refinedweb | 607 | 63.9 |
This site uses strictly necessary cookies. More Information
Hey, so my project used to take about 10 seconds to recompile every time I entered the editor from VS and about another 5-10 seconds to enter play mode. Now whenever I save in VS and go back to the editor I get AssetDatabase.Refresh popup shows and takes anywhere from 2-4 minutes and another 1-2 to enter play mode. I have added a few assets from the store to my project but they were all pretty small. Any help with this? Pretty unfeasible to wait up to 5 minutes in-between code changes.
Answer by reshen817
·
Nov 28, 2020 at 02:20 AM
Another workaround is to only refresh assets when you switch to play mode. This will let you quickly switch back and forth between external editors and unity without incurring the refresh penalty, but still get fresh assets when you usually need them (at runtime). You can also use CTRL+r manually to refresh the asset list at need.
Disable auto-refresh (Edit > Preferences > Auto Refresh should be unchecked)
Follow the advice provided by DireLogomachist in this unity form post and add the following script to your project:();
}
}
}
I didn't know that this option is available through Unity Editor. Thats a nice solution for the following issue
Answer by atur94
·
Nov 27, 2020 at 10:39 AM
Actually i found good hack for the following issue. I've been looking for the answer for the same question until I noticed that AssetDatabase is documented. I disabled it and from time to time I refresh everything manually which takes significientaly less time. For people who try to solve the same problem here is the class which you need to create in order to get rid of this issue. I haven't noticed any cons of this solution YET. Maybe sometimes project files are not refreshed but ctrl+r(Assets -> Refresh) does the job
#if UNITY_EDITOR
// this is important or you want be able to build project because of
// UnityEditor library
using UnityEditor;
[InitializeOnLoad]
public class OnUnityLoad
{
static OnUnityLoad()
{
AssetDatabase.DisallowAutoRefresh();
}
}
#endif
Answer by Gera1997
·
Oct 10, 2020 at 05:45 PM
EDIT: Permanent solution (apparently) found.
Hey @Plattadrug , I'm having the same problem, I'm afraid I have not found a permanent solution. However I do have a couple solutions that will fix the problem temporarilty, they might be helpfull.
Restart Unity, this fixes the problem most of the time.
If restarting unity doesn't work, go to Assets -> Reimport All. This will also fix the problem but reimporting could take a long time depending on the size of your project.
Sadly, this seem to be temporary fixes, for me its only a matter of time before unity goes back to being slow in AssetDatabase.Refresh.
EDIT: @Plattadrug , I think I found the permanent solution, in my case it seems I had was a problem with Visual Studio, not Unity.
Go to: Preferences -> External Tools -> External Script Editor. And see if you have 2 options to pick Visual Studio, like in this screenshot. One that includes the current installed version between the "[ ]" (I do not know what those are called) make sure you have THAT one selected and not the other.
My guess is that opening VS as an external tool refreshes a lot of files it shouldn't be recompiling i.e. those that belong to the Unity Engine. I'm not 100% sure this was the causing the problem, but I've not experienced the slow refresh in over a week since I.
Determining which Asset is connected to a GameObject.
3
Answers
Where are asset labels stored?
1
Answer
Get prefab's path in file system
2
Answers
Importing and using custom assets
0
Answers
Get dynamic persistent asset reference
0
Answers
EnterpriseSocial Q&A | https://answers.unity.com/questions/1774473/asset-database-refresh-has-become-very-slow.html | CC-MAIN-2021-21 | refinedweb | 643 | 61.56 |
Hi everybody
I wanted to collect a combination of plots to insert then in a subplot.
I choose to create Line2D objects to use the .add_line() method of the
AxesSubplot class, but unfortunately this does lead to the desired
results.
Here my dummy version:
``from
matplotlib.lines import Line2D
from matplotlib.pyplot import figure, show
import numpy as np
def subplot_foo(n):
""" returns a the combination of 2 Line2D instances """ x = np.arange(0, 200, 0.1) y = np.random.randn(len(x)) print len(x) #y2 = y+n line1 = Line2D(x, y, color = 'k') #line2 = Line2D(x,y2, 'r') #return line1+line2 return line1
fig = figure() # create Figure object
for i in range(1,5):
ax = fig.add_subplot(2,2,i) ax.add_line(subplot_foo(i))
show()
First, the Line2D object does not represent
the plot I want to create.
Second, I cannot collect various Line2D objects into a Subplot.
Any good idea around? | https://discourse.matplotlib.org/t/adding-2-line2d-objects-to-a-subplot/14767 | CC-MAIN-2019-51 | refinedweb | 154 | 60.51 |
23 September 2009 18:04 [Source: ICIS news]
By Linda Naylor
LONDON (ICIS news)--European polypropylene (PP) buyers are sitting tight in the second half of September as lower spot offers enter the market, while producers wait for the October propylene settlement before indicating next month's business, market sources said on Wednesday.
“It’s going down,” said a medium-sized PP buyer in the commodity market. “Well, it’s not actually going down, but it will go down.”
The buyer paid a hefty hike for the small quantities of material he had bought directly from a European producer earlier in September, but reported increased amounts of spot offers for the second half of the month.
“I can feel the nervousness and the restlessness in the market. Traders are looking to have zero stock at the end of the month, and they are offering at lower prices,” added the buyer.
Buyers expected the market to ease after a serious hike in September which lifted European PP prices by €90-100/tonne ($132-147/tonne). Homopolymer injection prices traded above €1,000/tonne FD (free delivered) NWE (northwest ?xml:namespace>
Net prices have now eased below €950/tonne FD, but these offers came only from traders, not producers.
“They (producers) will hold out as long as possible, that’s only natural,” said a trader, “but they shouldn’t have pushed so hard earlier. They pushed it to a level where they were saying “don’t buy” to their customers.”
Product has tightened, mainly due to cracker cutbacks, restricting propylene availability. This has led to producers hiking prices on buyers in September, forcing market demand to quieten by the middle of the month.
“I have bought most of my October needs already,” said another buyer.
Producers still felt that October would remain firm.
“Stocks are very tight everywhere. Nobody has any spare product so even if demand is not strong, our stock position can take it,” said one.
Some sources expressed concern that high European PP prices would attract imports.
The new, long-awaited Middle Eastern capacities have yet to make a dent in European markets, but buyers felt the current disparity between regions could lead to new imports.
“They are going to end up by coming to
“The natural destination for the new material is to
“It’s a bit tricky at the moment,” admitted another producer, “but we are clearly not interested in reducing prices.”
European PP demand was currently 10% below 2008 levels, but one producer estimated this was closer to minus 5% if exports were taken into account. Exports were particularly strong in May to June of 2008, but there were fewer possibilities to export PP.
“We can still send some specialities abroad,” said the producer, “but you can forget exporting commodities at present.”
Despite talk of lower PP prices in the coming weeks, even the keenest buyers did not expect a rerun of 2008 when net prices more than halved during the last part of the year. The price of homopolymer injection dropped from €1,250/tonne FD NWE at the end of August, to just €600/tonne FD by the year end.
“We won’t see prices collapse like last year,” said a trader. “Brent and naphtha are still relatively strong and we don’t expect to see the distressed sales of last year. The whole system has shown resilience this year.”
To avoid oversupply, PP production was cut back for several months. Cutbacks at the cracker level were also reduced, mainly to minimise ethylene output, further affecting by-product propylene production.
October propylene was expected to be settled by the end of September. Sources generally expected anything between a rollover and small increase from the current September contract of €778/tonne FD NWE.
PP is a versatile polymer, used in the automotive industry, food packaging, health and hygiene products and carpet manufacture.
PP producers in
($1 = €0.68)
For more on polypropylene | http://www.icis.com/Articles/2009/09/23/9249813/europe-polypropylene-on-hold-ahead-of-c3-settlement.html | CC-MAIN-2014-10 | refinedweb | 657 | 61.67 |
Do you have what it takes for that Linux job with an HPC vendor you've got your eye on? Brent Welch, the director of software architecture at Panasas, talks about the role Linux plays in HPC at Panasas and the in-demand technical skills supercomputing suppliers need from job applicants.
Last year, Panasas, a provider of high performance parallel storage solutions for technical applications and big data workloads, moved into new corporate headquarters in Sunnyvale, California, and expanded its team by more than 50 percent in areas such as engineering and sales. Panasas hasn't been the only supercomputing-focused company growing and hiring recently. In fact, high performance computing (HPC) vendors across the industry are hiring, but they are running up against a shortage of skilled talent.
At the end of 2011, Dan Lyons looked at this disparity between demand and supply in a Daily Beast article called The U.S. Is Busy Building Supercomputers, but Needs Someone to Run Them. ," Lyons wrote.
He examined efforts to prepare students for the in-demand jobs in HPC, including the Virtual School of Computational Science and Engineering. Thom Dunning, director of the National Center for Supercomputing Applications (NCSA) at the University of Illinois at Urbana-Champaign, told Lyons that 1,000 students participated in the virtual school in 2011, compared to 40 students in 2008, when the program began.
In her 2011 Recap blog post, Faye Pairman, Panasas President and CEO, said that the hiring momentum will continue in 2012. Recently, I contacted Brent Welch, the director of software architecture at Panasas, to discuss what his company is working on and the technical skill needs employers like Panasas have now. Welch has a long history in I.T., including positions at Xerox-PARC and Sun Microsystems Laboratories. While working on his Ph.D. at UC Berkeley, he designed and built the Sprite distributed file system. Welch is also the creator of the TclHttpd web server, the exmh email user interface, and the author of Practical Programming in Tcl and Tk.
Linux at Panasas
Welch says that Panasas is primarily a product for Linux HPC environments. "We have a Direct Flow kernel file system driver for Linux that knows how to speak to our PanFS parallel file system," he explains, adding, "I like to say, 'We support a lot of operating systems, as long as they are Linux.'"
Panasas builds and certifies their kernel module for more than 300 variants of Linux, mostly Red Hat and SUSE. Welch says the company is starting to support Ubuntu and Debian, too. "We depend on a packaging system that has good versioning support so we know that our sophisticated network file system driver will work properly in a particular Linux kernel. We never require any kernel patches," he says.
Panasas also exports their file system via NFS and CIFS for "legacy" file system support, but Welch says the performance and fault tolerance advantages of their product are best realized in the Linux environment. "Our customers include enterprise HPC customers in a wide range of commercial applications, from manufacturing to finance. Anyone that has a non-trivial Linux compute cluster is an ideal Panasas customer," he explains.
Panasas been working with the IETF standards group and the Linux open source community to develop the pNFS (parallel NFS) standard as part of NFS v4.1, and putting a lot of effort into a standard Linux client that can replace their proprietary DirectFlow client and still interoperate with the Panasas file system as well as competitors' offerings. "Currently our DirectFlow client provides a great advantage over traditional NFS implementations, but even with a standard parallel file system client, it will be our back-end that provides value to our customers," Welch says.
When it comes to big data, Panasas supports single namespace file systems measured in petabytes, which is larger than most definitions of big data. "Petabytes of storage simultaneously accessed by thousands of Linux hosts working in concert on a shared application," Welch explains. "That's big data, and that has been our target environment for the life of the company," he adds. Panasas has been supporting production customers since 2004.
In-demand Skills
So what skills does an HPC company like Panasas need? Great programmers.
"You'd be surprised at the number of folks that are in the job market that can barely program themselves out of a paper bag," Welch responds. "We need folks that understand threads, concurrency, and distributed systems. Folks that are fearless and ready to dive into a large, sophisticated code base. We have all sorts of interesting problems to solve, and need smart people capable of diving in and making a difference," he says.
According to Welch, Linux kernel experience is a plus because it tends to expose some of the harder problems. "Distributed systems – network protocol design and failover systems are some of the hardest problems out there," Welch says. "Our product composes storage, which is mission critical and has a zero tolerance for serious bugs, and distributed systems, which makes everything harder. We have lots of sophisticated infrastructure, and have a very demanding product. We need help from folks with experience building real systems," he explains. Welch says the company screens job candidates on phone calls and uses programming exercises to make sure applicants "aren’t blowing smoke."
Welch thinks there are two directions for computing. The first is the fun personal device, such as the front-end phone and tablet, and then there's the ultra-large back-end "cloud" that composes massive amounts of computing systems into something extremely capable.
"Yesterday's fringe supercomputers are evolving into mainstream HPC deployments," he notes, adding, "Even so, I think HPC systems are still in their infancy. I often think about the global phone system that connects millions of devices with a non-stop service. There are all sorts of lessons in reliability – and billing – that need to be relearned by the rest of us. I always say that if you have a reliable and scalable architecture, then you can get whatever performance you need by building a larger system. But I think you have to start with the built-in reliability and mechanisms for fault detection and automatic system recovery."
He says that if you get fault tolerance right, you can build a large, powerful system, but if you start with performance and skimp on the hard problems of fault tolerance, you'll never have a system that really works for your customer.
"HPC systems have been transitioning from the labs that put up with all sorts of cruft, into enterprise applications that demand non-stop, missing-critical performance from very large collections of computing, storage, and networking resources," Welch explains. "The most massive applications in Google and Amazon and Microsoft are all hand-rolled. There is a second tier – everyone else – that just want to get the job done, and they don't have the time to hand-roll their solution." He says that this is the focus for Panasas. "We solve the HPC file system problem for the large scale. That's what we do, and I think we do a great job."
Panasas will be attending SCALE10x this month in Los Angeles. Stop by their booth to see sample storage and director blades. | http://www.linux.com/news/enterprise/biz-enterprise/536588-are-your-linux-skills-right-for-hpc-jobs | CC-MAIN-2014-49 | refinedweb | 1,218 | 59.53 |
Is it possible to get LDT data from aerospike backup? (exclude asrestore utility - it is not working)
Asrestore: Restore data from .asb files (AER-4539)
Hi, here a full log thanks in advanse
Hi, Please try with single thread. If you see similar issue, is it possible to share one/part of your backup file so that we can root cause the asrestore issue with your LDT data?
Try single thread means run asrestore with “-t 1” as argument.
But From the asrestore error message it seems like you don’t have key of LDT as part of LDT data. So I need your backup LDT data to find the actual issue.
How I can give a link to download archive (it is about 2Gb in lzo) only for you? maybe skype or email?
Before sending, please check following in your source cluster from where you took your backup.
- Run following command to check whether your LDT data has “key” field as part of llist data.
execute llist.scan(‘bin_name’) on namespace_name.set_name where pk = ‘key_name’
2.If not then let us know how you inserted your LDT data. Because with out a key field its not allowed to insert LDT data.
3.For further analysis I dont need entire backup file. Just send me 20-50 lines of your backup file. My E-mail id is jyoti@aerospike.com .
I think I found a problem (very strange behaviour). here the output:
corrupted record
aql> select * from der.queue where pk = 'knsrostov.ru' +----------------+---------------+------+ | sld | LDTCONTROLBIN | urlq | +----------------+---------------+------+ | "knsrostov.ru" | | | +----------------+---------------+------+ 1 row in set (0.001 secs) aql> execute llist.scan('urlq') on der.queue where pk = 'knsrostov.ru' Error: (100) /opt/aerospike/sys/udf/lua/ldt/ldt_common.lua:751: 1422:LDT-Sub Record Open Error
and when I try to get size or add | remove records, commands executing succesfully. here example:
aql> execute llist.add('urlq', 'test') on der.queue where pk = 'knsrostov.ru' +-----+ | add | +-----+ | 0 | +-----+ 1 row in set (0.001 secs) aql> execute llist.size('urlq') on der-queue where pk = 'knsrostov.ru' +-------+ | size | +-------+ | 33220 | +-------+ 1 row in set (0.000 secs) aql> execute llist.remove('urlq', 'test') on der.queue where pk = 'knsrostov.ru' +--------+ | remove | +--------+ | 0 | +--------+ 1 row in set (0.000 secs) aql> execute llist.size('urlq') on der.queue where pk = 'knsrostov.ru' +-------+ | size | +-------+ | 33219 | +-------+ 1 row in set (0.001 secs) but when I try to execute a scan I get an error: aql> execute llist.scan('urlq') on der.queue where pk = 'knsrostov.ru' Error: (100) /opt/aerospike/sys/udf/lua/ldt/ldt_common.lua:751: 1422:LDT-Sub Record Open Error
Some records have this error, some records vorks fine as expected, return data on scan command. What wrong? How I can repear and/or prevent it
I scan all records, and I have 165 corrupted LTD with follow errors:
/opt/aerospike/sys/udf/lua/ldt/ldt_common.lua:751: 1422:LDT-Sub Record Open Error
other 17 000 records is ok. Each corrupted records have from 1000 to 30000 subrecords…
Only 2 questions:
- Is it posiible to recovery it (how) ?
- How to prevent my data to exclude this situation in future?
Max83,
Which version of the server are you using ?
Did you have any cluster view change event like node going down / new node added / rolling upgrade from the version <3.6.1
– R
LDT Data corruption after aerospike restart (AER-4539)
I start collecting data in version 3.6.1 , some times ago I will upgrade to 3.6.2. Problem come after server restart.
P/S: I have one node, so node quantity was not chaged. | https://discuss.aerospike.com/t/asrestore-restore-data-from-asb-files-aer-4539/1996 | CC-MAIN-2018-30 | refinedweb | 604 | 79.26 |
Now that we are finished with the gold creation, we need to create one more thing before we make a shop, that is, items. There are many ways to make items, but it is best to keep an inventory and stats of items through the use of Data Tables. So, let's first create a new C++
FTableRowBase struct similar to the
CharacterInfo structs that you previously created. Our files will be called
ItemsData.h and
ItemsData.cpp, and we will put these files where our other data is; that is, by navigating to Source | RPG | Data. The
ItemsData.cpp source file will include the following two header files:
#include "RPG.h" #include "ItemsData.h"
The
ItemsData.h header file will contain definitions of all the item data that we will need. In this case, the ...
No credit card required | https://www.oreilly.com/library/view/building-an-rpg/9781782175636/ch07s02.html | CC-MAIN-2019-30 | refinedweb | 140 | 77.13 |
A Programming Language with Extended Static Checking
Well, it’s been a tough slog. But, finally, we have a new release of Whiley!! The main thing that’s improved over the past few weeks is the underlying type implementation. This was causing problems before, as programs which should type-check were failing and vice-versa. To resolve this, the type system has been reimplemented from scratch and (hopefully) it should be significantly better. In particular, I’ve done quite a lot more testing (e.g. I now have around 15,000 individual unit tests for the Type class).
Type
The other main difference is the way in which import statements are handled. Whilst this is definitely a step in the right direction, it’s not without some outstanding issues — which I discussed in more detail here.
import
import whiley.lang.String
String
indexOf
String.indexOf(s,i)
import * from whiley.lang.String
main()
System
main
{->}
{}
[]
Thanks a lot for sharing this with all folks you really realize what you’re speaking approximately! Bookmarked. Kindly additionally visit my site =). We can have a link trade arrangement among.333 seconds. | http://whiley.org/2011/09/21/whiley-v0-3-10-released/ | CC-MAIN-2020-05 | refinedweb | 188 | 68.36 |
I am taking an intro to java programming class, and I have never done programming before, ever. I'm in a little over my head and my book sucks. My teacher just gave us an assignment after not giving us anything for a month. We need to do the following:
Write a Java program that processes students’ grades.
The program will:
Repeatedly prompt the user to enter new score or enter -1 to exit
Assign a grade from F to A to this student and print both the score and
the grade in table with an appropriate header in an output file. The
exact form of the table is left for you to choose
Count how many A’s, B’s, etc in the class
Calculate the largest and the lowest score of every grade. For example
the highest A might be 98 and the lowest is 91 and so on
Calculate the average score of every grade
Calculate the highest and lowest score in the entire class
After printing the above mentioned table, report all cumulative results
in the output file with appropriate messages. E.G.
o There were 5 A students in class
o The highest A in class was 99
An example output is given next page.
Your program should:
Maintain good indentations that make it readable.
Include enough comments to demonstrate your understanding of the
different parts of the program and what their functions are.
Store the output in file called grades.txt
Be able to deal with the total absence of one or more grades. For
example, in some cases there are no A’s in class
Make sure that the program is your own work. You may be required to have
a discussion about your program with Dr. Ali before your grade for this
homework is finalized.
We have to make a table that looks like this and have the information below it as well.
Score Grade
20 F
98 A
91 A
87 B
85 B
89 B
90 A
62 D
30 F
99 A
There are 4 A student(s) in class
The highest A is 99
The lowest A is 90
The average A is 94.5
++++++++++++++
There are 3 B student(s) in class
The highest B is 89
The lowest B is 85
The average B is 87
++++++++++++++
There are no C students this time
++++++++++++++
There are 1 D student(s) in class
The highest D is 62
The lowest D is 62
The average D is 62
++++++++++++++
There are 2 F student(s) in class
The highest F is 30
The lowest F is 20
The average F is 25
++++++++++++++
To top it all off, it has to print out to a file. I have some of it figured out. I can't figure out the table. Right now the first number I enter is completely ignored and then it doesn't let me enter in any other numbers after the second number is entered and then the rest of the information is wrong.
Here is my (working) code:
And this is what it gives me:And this is what it gives me:// Programming Assingment Grades Grades.java // grades class uses switch statement to counter letter grades. import java.util.Scanner; // program uses class Scanner public class Grades { public static void main( String[] args ) { int total = 0; //sum of grades int gradeCounter = 0; // number of grades entered int aCount = 0; // count of A grades int aGrade = 0; // sum of A grades int aMax = 0; // max of A grade int aMin = 0; // min of A grade int bCount = 0; // count of B grades int bGrade = 0; // sum of B grades int cCount = 0; // count of C grades int cGrade = 0; // sum of C grades int dCount = 0; // count of D grades int dGrade = 0; // sum of D grades int fCount = 0; // count of F grades int fGrade = 0; // sum of F grades int grade; // grade entered by user Scanner input = new Scanner( System.in ); System.out.printf( "%s\n%s\n", "Enter the students grade 0-100", "Type -1 when finished" ); // enter grades and terminate when done grade = input.nextInt(); while ( grade != -1 ) { grade = input.nextInt(); total += grade; // add grade to total ++gradeCounter; // increment number of grades // letter-grade counter if ( grade >= 90 && grade <= 100 ) { grade = 'A'; ++aCount; // increment aCount aGrade += grade; // sum A grades } else if ( grade >= 80 ) { grade = 'B'; ++bCount; // increment cCount bGrade += grade; // sum B grades } else if ( grade >= 70 ) { grade = 'C'; ++cCount; // increment cCount cGrade += grade; // sum C grades } else if ( grade >= 60 ) { grade = 'D'; ++dCount; // increment dCount dGrade += grade; // sum D grades } else { grade = 'F'; ++fCount; // increment fCount fGrade += grade; // sum F grades } { // display grade table System.out.println("----------------------"); System.out.println("| Score |Grade |"); System.out.println("----------------------"); for ( int g = grade; g <= gradeCounter; grade++) System.out.printf("| ", grade); if ( aCount != 0 ) { int avgA; // A Average avgA = aGrade / aCount; System.out.printf("There are %d A student(s) in class \n", aCount); // aCount System.out.printf("The Average A is %d\n", avgA); } else { System.out.printf("There are no A students this time \n"); } System.out.print("++++++++++++++ \n"); if ( bCount != 0 ) { int avgB; // B Average avgB = bGrade / bCount; System.out.printf("There are %d B student(s) in class \n", bCount); // bCount System.out.printf("The Average B is %d\n", avgB); } else { System.out.printf("There are no B students this time \n"); } System.out.print("++++++++++++++ \n"); if ( cCount != 0 ) { int avgC; // C Average avgC = cGrade / cCount; System.out.printf("There are %d C student(s) in class \n", cCount); // cCount System.out.printf("The Average C is %d\n", avgC); } else { System.out.printf("There are no C students this time \n"); } System.out.print("++++++++++++++ \n"); if ( dCount != 0 ) { int avgD; // D Average avgD = dGrade / dCount; System.out.printf("There are %d D student(s) in class \n", dCount); // dCount System.out.printf("The Average D is %d\n", avgD); } else { System.out.printf("There are no D students this time \n"); } System.out.print("++++++++++++++ \n"); if ( fCount != 0 ) { int avgF; // F Average avgF = fGrade / fCount; System.out.printf("There are %d F student(s) in class \n", fCount); // fCount System.out.printf("The Average F is %d\n", avgF); } else { System.out.printf("There are no F students this time \n"); } System.out.print("++++++++++++++ \n"); } } } }
c:\Java>java Grades
Enter the students grade 0-100
Type -1 when finished
1
2
----------------------
| Score |Grade |
----------------------
There are no A students this time
++++++++++++++
There are no B students this time
++++++++++++++
There are no C students this time
++++++++++++++
There are no D students this time
++++++++++++++
There are 1 F student(s) in class
The Average F is 70
++++++++++++++
First I tried to do this with a switch statement but after asking for help all my teacher really said was that I should be using an if/else statement, not a switch statement. I'm super frustrated and really need help. | http://www.javaprogrammingforums.com/whats-wrong-my-code/18938-so-confused-i-need-help.html | CC-MAIN-2014-52 | refinedweb | 1,156 | 69.72 |
Citing Firedrake¶
If you publish results using Firedrake, we would be grateful if you would cite the relevant papers.
The simplest way to determine what these are is by asking Firedrake
itself. You can ask that a list of citations relevant to your
computation be printed when exiting by calling
Citations.print_at_exit() after importing Firedrake:
from firedrake import * Citations.print_at_exit()
Alternatively, you can select that this should occur by passing the
command-line option
-citations. In both cases, you will also
obtain the correct citations for PETSc.
If you cannot use this approach, there are a number of papers. Those which are relevant depend a little on which functionality you used.
For Firedrake itself, please cite [RHM+16]. If you use the extruded mesh functionality please cite [MBM+16] and [BMH+16]. When using quadrilateral meshes, please cite [HH16] and [MBM+16].
The form compiler, TSFC, is documented in [HMLH18] and [HKH17]. If, in addition, your work relies on the kernel-level performance optimisations that Firedrake performs using COFFEE, please cite the COFFEE papers [LVR+15] and [LHK17].
If you make use of matrix-free functionality and custom block preconditioning, please cite [KM18].
If you would like to help us to keep track of research directly benefitting from Firedrake, please feel free to add your paper in bibtex format in the bibliography for firedrake applications.
Citing other packages¶
Firedrake relies heavily on PETSc, which you should cite appropriately. Additionally, if you talk about UFL in your work, please cite the UFL paper.
Making your simulations reproducible with Zenodo integration¶
In addition to citing the work you use, you will want to provide references to the exact versions of Firedrake and its dependencies which you used. Firedrake supports this through Zenodo integration.
Gheorghe-Teodor Bercea, Andrew T. T. McRae, David A. Ham, Lawrence Mitchell, Florian Rathgeber, Luigi Nardi, Fabio Luporini, and Paul H. J. Kelly. A structure-exploiting numbering algorithm for finite elements on extruded meshes, and its performance evaluation in firedrake. Geoscientific Model Development, 9(10):3803–3815, 2016. URL:, arXiv:1604.05937, doi:10.5194/gmd-9-3803-2016.
Thomas H. Gibson, Lawrence Mitchell, David A. Ham, and Colin J. Cotter. Slate: extending Firedrake's domain-specific abstraction to hybridized solvers for geoscience and beyond. 2020. URL:, arXiv:1802.00303, doi:10.5194/gmd-13-735-2020.
M. Homolya, L. Mitchell, F. Luporini, and D. Ham. Tsfc: a structure-preserving form compiler. SIAM Journal on Scientific Computing, 40(3):C401–C428, 2018. URL:, doi:10.1137/17M1130642.
Miklós Homolya and David A. Ham. A parallel edge orientation algorithm for quadrilateral meshes. SIAM Journal on Scientific Computing, 38(5):S48–S61, 2016. URL:, arXiv:1505.03357, doi:10.1137/15M1021325.
Miklós Homolya, Robert C. Kirby, and David A. Ham. Exposing and exploiting structure: optimal code generation for high-order finite element methods. 2017. URL:, arXiv:1711.02473.
Robert C. Kirby and Lawrence Mitchell. Solver composition across the PDE/linear algebra barrier. SIAM Journal on Scientific Computing, 40(1):C76–C98, 2018. URL:, arXiv:1706.01346, doi:10.1137/17M1133208.
Fabio Luporini, David A. Ham, and Paul H. J. Kelly. An algorithm for the optimization of finite element integration loops. ACM Transactions on Mathematical Software, 44(1):3:1–3:26, 2017. arXiv:1604.05872, doi:10.1145/30549 Transactions on Architecture and Code Optimization, 11(4):57:1–57:25, 2015. URL:, doi:10.1145/2687415.
Andrew T. T. McRae, Gheorghe-Teodor Bercea, Lawrence Mitchell, David A. Ham, and Colin J. Cotter. Automated generation and symbolic manipulation of tensor product finite elements. SIAM Journal on Scientific Computing, 38(5):S25–S47, 2016. URL:, arXiv:1411.2940, doi:10.1137/15M1021167.
Florian Rathgeber, David A. Ham, Lawrence Mitchell, Michael Lange, Fabio Luporini, Andrew T. T. Mcrae, Gheorghe-Teodor Bercea, Graham R. Markall, and Paul H. J. Kelly. Firedrake: automating the finite element method by composing abstractions. ACM Trans. Math. Softw., 43(3):24:1–24:27, 2016. URL:, arXiv:1501.01809, doi:10.1145/2998441. | http://www.firedrakeproject.org/citing.html | CC-MAIN-2022-40 | refinedweb | 664 | 52.15 |
If you are a Data Scientist, Data Analyst or just an enthusiast, you should not miss some extremely popular and useful libraries for Python.
In this article, totally 15 Python libraries will be listed and briefly introduced. I believe most of them you may have already familiar, but if not, it is highly recommended to go check them out by yourself.
These libraries will be classified into several categories, that are
- Data Gathering
- Data Cleansing and Transformation
- Data Visualisation
- Data Modelling
- Audio and Image Recognition
- Web
Data Gathering
Most of Data Analytics projects start from data gathering and extraction. Sometimes, the dataset might be given when you work for a certain company to solve an existing problem. However, the data might not be ready-made and you may need to collect it by yourself. The most common scenario is that you need to crawl the data from the Internet.
1. Scrapy
Scrapy | A Fast and Powerful Scraping and Web Crawling FrameworkEdit descriptionscrapy.org
Scrapy is probably the most popular Python library when you want to write a Python crawler to extract information from websites. For example, you could use it to extract all the reviews for all the restaurants in a city or collect all the comments for a certain category of products on an e-commerce website.
The typical usage is to identify the pattern of the interesting information appearing on web pages, both in terms of the URL patterns and XPath patterns. Once these patterns are figured out, Scrapy can help you automatically extract all the needed information and organise them in a data structure such as tabular and JSON.
You can easily install Scrapy using
pip
pip install scrapy
2. Beautiful Soup
Beautiful SoupDownload | Documentation | Hall of Fame | For enterprise | Source | Changelog | Discussion group | Zine ] You didn’t…
Beautiful Soup is yet another Python library for scraping Web content. It is generally accepted that it has a relatively shorter learning curve compare with Scrapy.
Also, Beautiful Soup will be a better choice for relatively smaller-scaled problems and/or just a one-time job. Unlike Scrapy that you have to develop your own “spider” and go back to command-line the run it, Beautiful Soup allows you to import its functions and use them in-line. Therefore, you could even use it in your Jupyter notebooks.
3. Selenium
Selenium Client Driver — Selenium 3.14 documentationPython language bindings for Selenium WebDriver. The selenium package is used to automate web browser interaction from…
Originally, Selenium was developed to be an automated Web testing framework. However, developers found that it is quite convenient to use it as a Web scraper.
Selenium is usually utilised when you have to get the interested data after interactions with the web pages. For example, you may need to register an account, then log in and get the content after clicking some buttons and links, and these links are defined as JavaScript functions. In these cases, usually, it is not easy to use Scrapy or Beautiful Soup to implement, but Selenium can.
However, it is important to be noted that Selenium will be much slower than the normal scraping libraries. This is because it actually initialises a web browser such as Chrome and then simulates all the actions defined in the code.
Therefore, when you are dealing with URL patterns and XPaths, do use Scrapy or Beautiful Soup. Only choose Selenium if you have to.
Data Cleansing and Transformation
I guess it is not necessary to claim how data cleansing and transformation are important in data analytics and data science. Also, there are too many outstanding Python libraries that do these well. I’ll pick up some of them which you must know as a Data Scientist or Analyst.
4. Pandas
pandaspandas is a fast, powerful, flexible and easy to use open source data analysis and manipulation tool, built on top of…pandas.pydata.org
I am almost sure that listing Pandas in this list is unnecessary. As long as you are dealing with data, you must have used Pandas.
With Pandas, you can manipulate data in a Pandas Data Frame. There are enormous built-in functions that help you to transform your data.
Don’t need too many words. If you want to learn Python, this is a must-learn library.
5. Numpy
NumPy — NumPyNumPy is the fundamental package for scientific computing with Python. It contains among other things: a powerful…numpy.org
Similarly, Numpy is another must-learn library for Python language users, even not only for Data Scientists and Analysts.
It extended Python list objects into comprehensive multi-dimensional arrays. There is also a huge number of built-in mathematical functions to support almost all your needs in terms of calculation. Typically, you can use Numpy arrays as matrices and Numpy will allow you to perform matrix calculations.
I believe many Data Scientist will start there Python scripts as follows
import numpy as np
import pandas as pd
So, it is sure that these two libraries are probably the most popular ones in the Python community.
6. Spacy
spaCy · Industrial-strength Natural Language Processing in PythonspaCy is designed to help you do real work — to build real products, or gather real insights. The library respects your…spacy.io
Spacy is probably not as famous as the previous ones. While Numpy and Pandas are the libraries dealing with numeric and structured data, Spacy helps us to convert free text into structured data.
Spacy is one of the most popular NLP (Natural Language Processing) libraries for Python. Imagine that when you scraped a lot of product reviews from an e-commerce website, you have to extract useful information from these free text before you can analyse them. Spacy has numerous built-in features to assist, such as work tokeniser, named entity recognition, and part-of-speech detection.
Also, Spacy support many different human languages. On its official site, it is claimed that it supports more than 55 ones.
Data Visualisation
Data Visualisation is absolutely an essential need in Data Analytics. We need to visualise the results and outcomes and telling the data story that we have found.
7. Matplotlib
Matplotlib: Python plotting — Matplotlib 3.2.1 documentationMatplotlib is a comprehensive library for creating static, animated, and interactive visualizations in Python…matplotlib.org
Matplotlib is the most comprehensive data visualisation library for Python. Someone says that Matplotlib is ugly. However, in my opinion, as probably the most basic visualisation library in Python, Matplotlib provides the most possibilities to achieve your visualisation idea. This is just like JavaScript developers may prefer different kinds of visualisation libraries, but when there is a lot of customised features that are not supported by those high-level libraries, D3.js has to be involved.
I have written another article to introduce Matplotlib. Check out this if you want to read more about it.
An Introduction to Python Matplotlib with 40 Basic ExamplesMatplotlib is one of the most popular libraries in Python. In this article, 40 basic examples are provided for you to…levelup.gitconnected.com
8. Plotly
Plotly Python Graphing LibraryPlotly’s Python graphing library makes interactive, publication-quality graphs. Examples of how to make line plots…plotly.com
Honestly, although I believe Matplotlib is a must-learn library for visualisation, most of the times I would prefer to use Plotly because it enables us to create the fanciest graphs in fewest lines of code.
No matter you want to build a 3D surface plot, a map-based scatter plot or an interactive animated plot, Plotly can fulfil the requirements in a short time.
It also provides a chart studio that you can upload your visualisation to an online repository which supports further editing and persistence.
Data Modelling
When data analytics comes to modelling, we usually refer it to Advanced Analytics. Nowadays, machine learning is already not a novel concept. Python is also considered as the most popular language for machine learning. Of course, there are a lot of outstanding libraries supporting this.
9. Scikit Learn
scikit-learn“We use scikit-learn to support leading-edge basic research […]” “I think it’s the most well-designed ML package I’ve…scikit-learn.org
Before you dive into “deep learning”, Scikit Learn should be the Python library you to start your path on machine learning.
Scikit Learn has 6 major modules that do
- Data Pre-Processing
- Dimensions Reduction
- Regression
- Classification
- Clustering
- Model Selection
I’m sure that a Data Scientist who has nailed Scikit Learn should already be considered as a good Data Scientist.
10. PyTorch
PyTorchAn open source deep learning platform that provides a seamless path from research prototyping to production deployment.pytorch.org
PyTorch is authored by Facebook and open-sourced as a mutual machine learning framework for Python.
Compare to Tensorflow, PyTorch is more “pythonic” in terms of its syntax. which also made PyTorch a bit easier to learn and start to use.
Finally, as a deep-learning focus library, PyTorch has very rich API and built-in functions to assist Data Scientists to quickly train their deep learning models.
11. Tensorflow
TensorFlowAn end-to-end open source machine learning platform for everyone. Discover TensorFlow’s flexible ecosystem of tools…
Tensorflow another machine learning library for Python that was open-sourced by Google.
One of the most popular features of Tensorflow is the Data Flow Graphs on the Tensorboard. The latter is an automatically generated Web-based dashboard visualising the machine learning flows and outcomes, which is extremely helpful for debugging and presentation purposes.
Audio and Image Recognition
Machine learning is not only on numbers but also can help on audio and images (videos are considered as a series of image frames). Therefore, when we deal with these multimedia data, those machine learning libraries will not be enough. Here are some popular audio and image recognition libraries for Python.
12. Librosa
LibROSA — librosa 0.7.2 documentationLibROSA is a python package for music and audio analysis. It provides the building blocks necessary to create music…librosa.github.io
Librosa is a very powerful audio and voice processing Python library. It can be utilised to extract various kinds of features from audio segments, such as the rhythm, beats and tempo.
With Librosa, those extremely complicated algorithms such as the Laplacian segmentation can be easily implemented in a few lines of code.
13. OpenCV
OpenCVOpen Computer Vision Libraryopencv.org
OpenCV is the most ubiquitously used library for image and video recognition. It is not exaggerated to say that OpenCV enables Python to replace Matlab in terms of image and video recognition.
It provides various APIs and supports not only Python but also Java and Matlab, as well as outstanding performance, which earns much appreciation both in the industry and academic research.
Web
Don’t forget that Python was commonly used in Web Development before it comes popular in the data science area. So, there are also a lot of excellent libraries for web development.
14. Django
DjangoDjango is a high-level Python Web framework that encourages rapid development and clean, pragmatic design. Built by…
If you want to use Python to develop a Web service backend, Django is always the best choice. It is designed to be a high-level framework that can build a website in very few lines of code.
It directly supports most of the popular databases to save your time to set up the connections and data model development. You would only focus on the business logic and never worried about CURD manipulations with Django because it is a database-driven framework.
15. Flask
Welcome to Flask — Flask Documentation (1.1.x)Welcome to Flask’s documentation. Get started with Installation and then get an overview with the Quickstart . There is…flask.palletsprojects.com
Flask is a light-weight Web development framework in Python. The most valuable feature is that it can be easily customised with any specific requirements very easy and flexible.
A lot of other famous Python libraries and tools which provides Web UI are built using Flask such as Plotly Dash and Airflow because of Flask’s light-weight feature.
Conclusion
Indeed, there are more prominent Python libraries that are eligible to be listed in here. It is always exciting to see that Python’s community is such thriving. In case if there are more libraries become one of the must-known ones for Data Scientists and Analysts, there might be necessary to organise them in another article.
Life is short, so I love Python!
Written by Christopher Tao, Principal Consultant@AtoBI Australia
Follow Christopher on LinkedIn Here
Article originally published on Towards Data Science | http://atobi.com.au/category/data-management/python/ | CC-MAIN-2020-45 | refinedweb | 2,102 | 54.42 |
One of the most beautiful things about Vue.js is the relative simplicity it brings to modern web development, building Single Page Applications has never been easier. JavaScript frameworks like Vue came with component based design patterns. Whole web applications are just a collection of individual pieces (components) sharing data, the bigger the application gets, the harder it is for data to remain consistent and be managed in each individual component. This data is commonly referred to as application state. For Vue.js, Vuex is the most widely used state management library, today we’ll go into adding and integrating Vuex into a Vue.js applications.
Not only does Vuex work as a central store for your application state, it sets rules to ensure data is changed in a way that is expected. Vuex ensures your views remain consistent with your application data. Don't worry if this doesn't make sense now, it'll all come together as we go on and build something.
As an semi-regular conference and event goer, I tend to meet a bunch of people, during our interactions I agree to do certain stuff that I most certainly always forget. So we’re going to build something literally no one else but me will use - a reminder (glorified to-do list) app.
Before we dive into it, here’s a few things you’ll need:
- Basic knowledge of Vue.js
- Node.js and Yarn installed
Alright!! We’ve already covered what Vuex does and why it does it. We need to setup our project, open your terminal and type
vue create <project-name> to do so, you’d need the Vue CLI installed. If you don’t have that installed you can get it here. Select the default project setup and once everything is done and we have our project initialized, run
cd <project-name> and
yarn serve. You should see your usual vue starter page
After getting this running, we need to add vuex to our project. In your terminal, type
vue add vuex and after, you should see your directory structure change quite a bit. As with most state management tools, Vuex has a central store/single state tree to store application state, ours is in the src folder, you get a store.js file or a store folder with an index.js file. If not you can create them and paste the following code in
import Vue from 'vue' import Vuex from 'vuex' Vue.use(Vuex) export default new Vuex.Store({ state: { }, mutations: { }, actions: { } })
You will also see a change in src/main.js, as we import the store. If not, paste the following code,
import Vue from 'vue' import App from './App.vue' import store from './store' Vue.config.productionTip = false new Vue({ store, render: h => h(App) }).$mount('#app')
At this point looking at store, you’re probably wondering what all the sections are for. We’ll briefly go over them before we can go deeper.
State: Application state is the data your application uses.
Mutations: Synchronous method of changing store state and directly commit to change state.
Actions: Commit mutations and give way for for asynchronous operations.
bonus
Getters: Computed properties derived from store state.
Don’t worry if it doesn’t all make sense now, we’ll get into building to make it easier. We’ve just added Vuex to our project, now we have to test it. We’ll start out by defining some data for our store. In your store, we’ll define a new data property called username by pasting
username: "danielphiri" into the state portion of our store. We want to make this show on our webpage, in HelloWorld.vue, clear the tag and paste the following
<template> <div> <h1> {{ username }} </h1> </div> </template>
In the
<script> section of the same file, we need to add
import mapState from 'vuex' and paste the following
computed: { ...mapState(["username"]) }
We should then see the value we kept in our store displayed on the screen.
Now getting into the core of the reminder app we want to build, we will need to be able to input task details and who we need to perform them for. We should also be able to dismiss all tasks or individual tasks. We need to conceptualize a data model for the state so we know what data we’re using up in the HTML portion of our application. In your store, paste the following code
state: { username: "danielphiri", tasks: [ { taskName: "take pictures", taskReciever: "mom and dad" }, { taskName: "email organisers slides", taskReciever: "myself" }, { taskName: "send resume", taskReciever: "dev job" }, ] }, mutations: { ADD_TASK: (state, task) => { state.tasks.push(task); }, REMOVE_TASK: (state, task) => { state.tasks.splice(task, 1); }, actions: { removeTask: (context, task) => { context.commit("REMOVE_TASK", task); }, }
In our state, we define a username and an array that holds our tasks and related data. We define two mutations,
ADD_TASK which changes the state by adding a task to the tasks array, and
REMOVE_TASK that removes a task from the tasks array. Lastly we define an action
removeTask that gives the option a remove tasks asynchronously with some custom logic. You will notice the
context object as the first argument in
removeTask, actions in vuex use
context which gives them access to store properties and methods like
context.commit() which it used to commit a mutation.
To get started we’ll create a component to allow us to input tasks and display them as well as remove them. Let’s call this Main.vue and we’ll paste the following code in the
<script> section:
Don’t forget to add your Main component to your App.vue file.
<script> import { mapState, mapMutations, mapActions } from "vuex"; export default { name: "Main", data() { return { taskName: "", taskReciever: "", }; }, computed: { ...mapState(["tasks", "username"]) }, methods: { ...mapMutations(["ADD_TASK"]), ...mapActions(["removeTask"]), addTask: function() { let newTask = Object.create(null); newTask["taskName"] = this.taskName; newTask["taskReciever"] = this.taskReciever; this.ADD_TASK(newTask); this.taskReciever = ""; this.taskName = ""; }, removeTasks: function(task) { this.removeTask(task); } } }; </script>
At the top of the file, you will notice that we import a couple of helper functions. They’re all pretty similar in functionality,
mapState for example helps us map store state to local (component) computed properties. So
mapMutations does the same for store mutations and
mapActions for store Actions. We go on to use
mapState to enable us display “username" and “tasks" in our component. We also use
mapMutations in the methods property so we can call store mutations as functions with parameters as we did when we defined
addTask() which we use to perform mutations while passing the newTask object as a parameter.
In the section of our Main.vue, we paste the following code
<template> <div class="home"> <div class="hello center"> <div > <h1 class="header-text"> Hi 👋, {{ username }}</h1> <h3 class="header-text"> Add a few tasks</h3> <form @submit. <input class="input" type="text" placeholder="I'm supposed to.." v- <input class="input" type="text" placeholder="for this person..." v- <button class="add-button" type="submit" placeholder="Add task to list">Add task to list</button> </form> <ul> <li v- {{ task.taskName }} for {{task.taskReciever}} <button v-on:Done ✅</button> </li> </ul> </div> <div class></div> </div> </div> </template>
We can directly interpolate our username from store because we mapped it as a computed property using
mapState, the same goes for the tasks. We use
v-for to loop over the tasks array from our store and display all our tasks their properties i.e
taskName and
taskReciever . We also use a form to mutate tasks to our store. On submit (
@submit) a.k.a when we press the button after filling in tasks, we call the
addTask method which then changes our state by adding whatever we input to the tasks array. Optionally you can add a style section by pasting this
<style> html, #app, .home { height: 100%; } body { background-color: #050505; margin: 0; height: 100%; } input { border: none; padding: 5%; width: calc(100% - 40px); box-shadow: 0 3px 3px lightgrey; margin-bottom: 5%; outline: none; } .header-text { color: #e9e9e9; } .add-button { border: none; border-radius: 2px; padding: 5%; background-color: #0cf50cbb; box-shadow: 0 2px 2px #fff; width: calc(100% - 100px); margin-bottom: 2%; outline: none; } .main { display: grid; grid-template-columns: repeat(2, 50%); grid-template-rows: 100%; height: 100%; } .center { display: flex; justify-content: center; } .left, .right { padding: 30px; } ul { list-style-type: none; padding: 0; } ul li { padding: 4%; background: white; margin-bottom: 8px; border-radius: 5px; } .right { grid-area: right; background-color: #e9e9e9; } .remove { float: right; text-transform: uppercase; font-size: 0.8em; background: #050505; border: none; border-radius: 5px; padding: 5px; color: #00ff88de; cursor: pointer; } </style>
Save your work and run it you should see this.
Right now, we have some basic vuex operations working but you can’t really tell why we use vuex, we’re only using a single component. Let’s create another compenent called Stats.vue, we’ll use this to display a few stats and show how vuex actions can be properly put to use.
For starters, we want to be able to display the number of pending tasks we have, in our store we can define a getter to do this by pasting the following text below the state object,
getters: { taskCount: state => { return state.tasks.length; } },
We then add another mutation to the store
REMOVE_ALL: state => { state.tasks = []; },
This lets us clear every task in our list. Finally in our state, we add another action to the store right below
removeTask by adding the following code.
removeAll({ commit }) { return new Promise((resolve) => { setTimeout(() => { commit("REMOVE_ALL"); resolve(); }, 2000); }); }
You notice we define a promise and use
setTimeout function to add a bit of a delay (2 seconds) before we commit our
REMOVE_ALL mutation. Thus the asynchronous nature of vuex actions. We’re free to play around with the logic that dictates how we perform actions, this could be used in a shopping cart, trading website, chat application - it has so many uses.
Back to our Stats.vue file, we paste the following in the
<script> section
<script> import { mapGetters, mapActions, mapMutations, mapState } from 'vuex' export default { name: 'Stats', computed: { ...mapGetters(['taskCount']), ...mapState(["username"]) }, data() { return { message: "" } }, methods: { ...mapMutations(['REMOVE_ALL']), ...mapActions(['removeAll']), removeAllTasks() { this.removeAll().then(() => { this.message = 'Self care - tasks are gone' }); } } } </script>
In Stats.vue, like we said, we wanted to be able to count how many tasks we have pending. We use the
mapGetters helper to display that computed property. In methods, we initialize our
removeAll action and
REMOVE_ALL mutations as well as define
removeAllTasks which remember, has a promise and lets us use the
then() prototype to display text once the promise is fulfilled.
In the
<template> section of Stats.vue, paste the following code
<template> <div class="stats"> <h3 class="header-text">Here are your numbers, {{username}} 😬 </h3> <p class="header-text">You need to perform {{ taskCount }} tasks fam</p> <button class="" v-on:Nope, can't even..</button> <p class="header-text">{{ message }}</p> </div> </template>
Here we have a button to remove all the tasks and a message that gets displayed when our promise is fulfilled.
Run your app and you should have a pretty nifty web app like this
Conclusion
We went over why we need Vuex, Vuex operations and helpers and built an app using it. We have a functional web app that you can test out here, we say how we can use Vuex to manipulate a single data source and avoid inconsistencies. We built a multi component app and shared data between them,
Should you want to dive deeper in the topic I recommend the following resources.
- Vuex Documentation
- WTF is Vuex? A Beginner's Guide To Vue's Application Data Store
- Architecting Vuex store for large-scale Vue.js applications
- Managing State with Vuex - the Guide I Wish I'd Had
Check out the full version this on GitHub or CodeSandbox. I hope you enjoyed this and if you have any questions or want to say hi, feel free to tweet at me. Till next time.
Discussion (0) | https://practicaldev-herokuapp-com.global.ssl.fastly.net/malgamves/vuex-why-we-need-spa-state-management-42cj | CC-MAIN-2021-25 | refinedweb | 2,012 | 64 |
What's the very definition of beauty? A grand Miró painting sat in an art gallery? A snow-covered mountain range sparkling before your very eyes? Your favourite Coldplay song sang by a choir of Yetis, perhaps?
The answer is actually none of the above. It's because the most beautiful spectacle on earth is... a robot moving around smoothly (of course it is!). Without a care in the world. Gliding around. Effortlessly.
It's true: we did have Rosie moving around... but (if we're honest about it) not very elegantly. We sent her simple instructions like: forward, reverse, left, right,
Not very responsible of her.
What we would actually like is a gradual change in direction, like when we drive a car gently around a not-so-taxing bend. Not - we repeat, not - a 90 degree turn into the awaiting hedges.
Yes, let's make Rosie the fabulous dancer she always longed to be. A masterful, class-y ballerina.
You will need to have these:
- Raspberry Pi 3 (kitted out with wheels and sensors and stuff),
- Abject, disorientated programming
You will need to do this:
- Modify the Python code to create our own classes for a motor controller, and motor
- Implement an algorithm to smoothly change motor speeds between different directions of travel
- Put on a robot show, of the utmost elegance and grace
What do you get after all this?Unfortunately, there is a dash more of our brain power required for this task. And a bit more of that Object Orientated Programming we came across earlier. We made our distance sensors class-y in our previous post using... erm... classes. Did we not have enough? Clearly not, as we now want to make our motors and motor controller classes too.
Because we want to have total control over each of our motors, and we want to come up with more
But what about the other cool stuff we said we'll do? The graceful, exquisite transition from one direction, to another? Remember?
Oh yes. For that, we'll create an internal method within our motor controller class to gradually change the speed of each motor as Rosie moves from one state to another. And we'll use an Algorithm (ooh, that's a grand word for just some logic and maths!) to work out how much we need to change the motor speeds by, in each step, to complete the overall change.
Do you feel a headache coming along? Get your aspirin ready...
Don't worry - it'll all be worth it. Because when we're all done, we'll wonder why we didn't do this in the first place.
This is simply too much detail:So do you remember that RRB3 library we were using before? It was great for simple movements. Like for making Rosie (suddenly) move in a direction. But we want to go a bit more NASA. Like we did with our distance sensors, we want to create two new classes. Why? Because we want to, and we can.
It's time... for some (rather unexpected) bullet points:
- Motor class
- MotorController class
All set. Let's go!
We begin our journey with the very low-level Motor class. Low-level, because it's the only bit of code that we'll allow to interact with the GPIO pins directly connected to the RasPiRobot V3 motor controller board. It's also not terribly sophisticated. In fact, it won't do much else other than to initialise the GPIO pins (during instantiation of our two motor objects), and send the necessary electrical signals to the controller board when instructed to do so by the MotorController class.
Interestingly, on its own, a motor won't know how to turn left or right. It can only turn in one direction, or the opposite, at a certain speed (which is actually what the Pulse Width Modulation (PWM) GPIO pin and signal is used to control). The logic to turn the robot will therefore be owned by the MotorController class, where it will have access to both motor objects.
As with all classes, our Motor class will have its special __init__ method. You'll recognise bits from the RRB3 library, but in short, during instantiation of our motors, we assign them GPIO pins, a description, and initialise a few variables.
Notice the self.current_speed instance variable at the end. This is what we will use to track individual motor's speed. We desperately need this to calculate our gradual speed changes for each motor (hence we can't track it in the MotorController class).
class Motor: def __init__(self, battery_voltage = 9.0, motor_voltage = 6.0, PWM_PIN = None, GPIO_PIN_1 = None, GPIO_PIN_2 = None, motor_description = None): self.pwm_scale = float(motor_voltage) / float(battery_voltage) self.PWM_PIN = PWM_PIN self.GPIO_PIN_1 = GPIO_PIN_1 self.GPIO_PIN_2 = GPIO_PIN_2 self.motor_description = motor_description if self.pwm_scale > 1: raise ValueError("Motor voltage is higher than battery voltage") gpio.setmode(gpio.BCM) gpio.setwarnings(False) gpio.setup(self.PWM_PIN, gpio.OUT) self.pwm = gpio.PWM(self.PWM_PIN, 500) self.pwm.start(0) gpio.setup(self.GPIO_PIN_1, gpio.OUT) gpio.setup(self.GPIO_PIN_2, gpio.OUT) self.current_speed = 0
The actual 'do-ing' of the Motor class is done in further two methods.
The first - _set_motors() - is used to send the required signals to the GPIO pins connected to the motor controller board. This is where we control the direction of the motor, and its speed. The method name starts with an underscore (_), to remind people that it's not to be called directly from outside this class. In other words, this is purely an internal method. There is actually an official style guide for Python (called PEP 8), which serious coders are supposed to be following*, specifically for advice like this.
*Yes, we've ignored much of it to date. Yes, we'll go and stand in the naughty corner.
def _set_motors(self, set_speed, motor_direction): if set_speed > 1: set_speed = 1 elif set_speed < 0: set_speed = 0 self.pwm.ChangeDutyCycle(set_speed * 100 * self.pwm_scale) gpio.output(self.GPIO_PIN_1, motor_direction) gpio.output(self.GPIO_PIN_2, not motor_direction) if motor_direction == 0: self.current_speed = set_speed elif motor_direction == 1: self.current_speed = -set_speed else: self.current_speed = 0
There are two things here that might interest you (if you haven't got much else to interest you, generally). We have a bit of code to make sure no miscreant can send a speed of more than 1, or less than 0, to the motor. These values are effectively capped. Having this fail-safe at this level makes sure that whatever mistakes happen at the motor controller level and above (like an erroneous speed of 1,987,657), it won't impact the motors, at least physically.
You'll also see that after the GPIO pins are set - and motors begin doing their thing - we set the instance variable self.current_speed. We can now track this value from outside this class, for example from the MotorController class, and keep tabs on what speed (and direction) a specific motor is. Here, you'll notice that we use a scale of -1 (reverse) to 0 (stopped) to 1 (forward), as this allows us to nicely calculate speed differences in the MotorController class. We can also tell the direction, from a single variable.
We then have our actual method that we can call externally from the MotorController class. We've been very creative, and called it... move().
def move(self, requested_speed = 0): if requested_speed > 0: self._set_motors(requested_speed, 0) elif requested_speed < 0: self._set_motors(-requested_speed, 1) else: self._set_motors(0, 1)
What does it do? Not much actually. It just receives the call to move the motor between -1 (reverse), 0 (stopped) and 1 (forward) and converts this into a language that the motor understands in _set_motors(). This is necessary, because rather than just use values between -1 and 1, the motor controller board requires values in two forms: speed between 0 and 1, and motor direction as a 0 or a 1.
We can now move onto our grand reveal: the MotorController class. During its initialisation, it actually instantiates the two motor classes, as self.m1 and self.m2. It also configures two instance variables, to track its current speed (for the robot itself, not the individual motors) and current action: self.current_speed and self.current_action.
def __init__(self): self.m1 = Motor(9, 6, 14, 10, 25, "Left front motor") self.m2 = Motor(9, 6, 24, 17, 4, "Right front motor") self.current_speed = 0 self.current_action = None
Rest of the class is a little crowded. It contains two distinct sets of methods. First batch of methods, allows the motor controller to receive instructions from other parts of the application, and move each motor appropriately. Like forward, reverse, left, right and stop. The usual. You get the idea. Here's an example for the forward method, forward():
def forward(self, next_speed = 0, gradual = False, transition_duration_s = 1, transition_steps = 10): if gradual == False: self.m1.move(next_speed) self.m2.move(next_speed) elif gradual == True: self._transition(self.ACTION_FORWARD, next_speed, transition_duration_s, transition_steps) self.current_speed = next_speed self.current_action = self.ACTION_FORWARD
If the gradual flag is False, it instructs the two Motor objects (self.m1 and self.m2) to immediately move the motors at the intended speed. This was the only behaviour up until now. You know, the not very smooth one. And it's also still quite useful, as sometimes, we just want to apply the emergency breaks, or speed through our day, dangerously.
The bulk of the new code, however, is invoked when the gradual flag is set to True. This is when it steps through our internal _transition() method, where the real magic happens.
Are you prepared for some more bullet points? Good, you're going to get them.
The overall purpose of _transition() is to use the following information (inputs):
- Current action (or direction) - self.current_action
- Current speeds of each motor - self.m1.current_speed, self.m2.current_speed
- Next action (or direction) - next_action
- Next speed - next_speed
- Duration (in seconds) to move from current action to next action - transition_duration_s
- Number of steps (changes in speed) we'd like to make - transition_steps
...And from this, work out (outputs):
- How long each step should last for, stored as _step_time
- Planned sequence of the changes in speed for each motor, to get us from current action / speed, to next action / speed. We'll store this sequence in a Python List variable (_control_sequence), so that we can iterate through it, line by line, to instruct the motors.
So for example, if both motors are moving forwards at a speed of 0.5, and we want Rosie to stop in 10 steps, our _control_sequence list for this transition will probably look like this. As you can see, both motors are losing speed, together.
(0.45, 0.45) (0.4, 0.4) (0.35, 0.35) (0.3, 0.3) (0.25, 0.25) (0.2, 0.2) (0.15, 0.15) (0.1, 0.1) (0.05, 0.05) (0.0, 0.0)
So over a total of 1 second, we will reduce each motor's speed by 0.05 at 0.1 second intervals.
Things get a lot more interesting when we need to reverse one motor, or both. This is Rosie changing from turning right at a speed of 0.5, to moving forwards. You can see the right motor gaining speed at increments of 0.1 which brings it on par with the left motor (which doesn't change speed).
(0.5, -0.4) (0.5, -0.3) (0.5, -0.2) (0.5, -0.1) (0.5, 0.0) (0.5, 0.1) (0.5, 0.2) (0.5, 0.3) (0.5, 0.4) (0.5, 0.5)
And all we're doing to work this out is simple maths. Using current and next speeds for each motor, we can work out the total change in speed required, then divide that by the amount of steps (transition_steps). We then know, for each step, what change in speed is required by each motor, incrementally. This is the example when the next action is a 'stop'.
if next_action == None: _m1_change_speed = float(0 - self.m1.current_speed) / transition_steps _m2_change_speed = float(0 - self.m2.current_speed) / transition_steps while _count < transition_steps: _control_sequence.append((self.m1.current_speed + _m1_change_speed * (_count + 1), self.m2.current_speed + _m2_change_speed * (_count + 1))) _count += 1
Here, we simply work out what the incremental changes in speed need to be to bring both motors to a standstill, from their current speeds. Then we populate our list _control_sequence, using the append() function of a Python list and a while loop, with a list of planned motor speeds, starting with step 0, to 9.
Finally, after all of this, we simply instruct our motor controller to read our list, line by line using a while loop, and instruct each motor to travel at the determined speed at each step. Notice that len() is used to establish the size of the list (which should actually be the same as transition_steps), and brackets - [ ] - are used to access actual values in the list. _step, in this instance, is being used as the index (or step number in our case), with the second [0 or 1] used to indicate the 1st or 2nd values at that index (m1 speed, or m2 speed).
while _step < len(_control_sequence): self.m1.move(_control_sequence[_step][0]) self.m2.move(_control_sequence[_step][1]) _step += 1 time.sleep(_step_time)
The entirety of the code, which we bundled up in a file named rosie-web-gentle.py, is presented here:
And don't forget, where we now call the motor controller into action, such as in our Flask 'control' HTTP function for our web page, we do so using the flag. And we all know why now. We are happy with the default transition duration (1s), and steps (10), so we don't provide them as arguments. You could experiment with these values to see what happens.
rr.left(0.5, True)
Of course, don't forget the steps in Supervisor that we configured before when you are deploying this thing, so that this application auto-starts.
First, stop the current rosie application in Supervisor.
sudo supervisorctl stop rosie cd rosie/rosie-web/ nano rosie-start.sh...stops the current supervisor-managed 'rosie' application. Then let's edit the rosie-start.sh shell script, using nano, to point it at our new rosie-web-gentle.py Python application with all the goodies.
Then, let's start the 'rosie' application using Supervisor (now pointing at rosie-web-gentle.py), again.
sudo supervisorctl start rosie...starts rosie application using Supervisor
Now, navigate to the web page and enjoy the gentler results. And as this Python application is now registered in Supervisor (via the shell script), it will start-up automatically when the Pi is powered on.
This is by no means all that's possible with our brand new motor controller class. You could work on an algorithm to overcome the initial resistance encountered when the motor initially starts moving (and not make the speed changes so linear). Or you could make your robot go through a long list of pre-planned motions (like... a dance routine!)
With your own motor controller class, these things are now all very much in your reach. But for now, enjoy a much improved robot gracing your dance floor. And a group of Yetis singing Viva la Vida is very much optional. | https://www.rosietheredrobot.com/2017/09/rough-around-hedges.html | CC-MAIN-2018-09 | refinedweb | 2,570 | 66.33 |
Board index » C Language
All times are UTC
e.g :
00 - FF should become 0.0 to 5.0.
Anyone able to help me?
>e.g :
>00 - FF should become 0.0 to 5.0.
-- -hs- "Stove" CLC-FAQ: ISO-C Library: "It's specified. But anyone who writes code like that should be transmogrified into earthworms and fed to ducks." -- Chris Dollin CLC
-- Mat..
Like this: int iADVal; iADVal=reada2d(); iADVal<<=1; printf("%01i.%02i", iADVal / 100, iADVal % 100);
This will print values from 0.00 to 5.10, so it'll be off by just a wee-bit. 0=0.00, 1=0.02, 2=0.04, ... FE=5.08, FF=5.10
If you're willing to dedicate more code to it, then this is the way to convert it for real.
long lADVal; lADVal=reada2d(); lADVal=lADVal*5000 // multiple by total number of millivolts, +2500 // plus a half-way adjustment, +128; // plus a prerounding adjustment. lADVal /= 256; // divide by the total number of readings possible. printf("%01li.%03li", lADVal / 1000, lADVal % 1000);
All that messy float looking stuff, done with integer math. 0=0.010 (Remember, an A/D zero just means it's less than about 5V/256=19.53mV, so we split the difference). 1=0.029, 2=0.049, ..., FE=4.971, FF=4.990
Is this what you were looking for? -LZ
> > First you'd better tell us what you mean by "hex value" and "dec value". Normal > > C variables simply store values, with no base implied.
#include <stdio.h>
int main(void) { unsigned x; for (x = 0; x < 0x100; x++) printf("0x%02x / 51. = %f\n", x, x / 51.); return 0;
What one knows is, in youth, of little moment; they know enough who know how to learn. - Henry Adams
A thick skin is a gift from God. - Konrad Adenauer __________________________________________________________ Fight spam now! Get your free anti-spam service:
??
You want to return a double, which represents the equivalent to an unsigned char, such that (uchar)0 ->(double)0 and (uchar)0xff ->(double) 5.0
How about writing a function? double GetVolts(unsigned char c) { v = something_to_do_with_c_that_turns_255_into_5.0 return v;
Mark McIntyre
C- FAQ:
Cheers to all for the help....
1. BIN HEX DEC conversions...HELP!!!!
2. Text to Hex to Dec conversion
3. dec to hex conversions.....more
4. String Hex to Dec conversion.
5. HELP: Character to Hex conversion
6. Help with a hex string conversion
7. Help needed on HEX to Decimal conversion
8. converting hex to dec (from a file)
9. hex to dec - strtol works best!!
10. HEX to DEC IMAL problemo
11. Converting from hex to dec
12. hex to dec function? | http://computer-programming-forum.com/47-c-language/ee640e38f323e131.htm | CC-MAIN-2018-22 | refinedweb | 448 | 79.56 |
: June 30,161 Related Items Preceded by: Gainesville daily sun (Gainesville, Fla. : 1954) Full Text . I , ; .. J ;:" ". "'fi. g. i')1.. , .... J) 1 "- r' Budget ; ': : : 'MDetails , ( 2). afut5ui. Chief ResignsTALLAHASSEE e ry j NEWSSTAND PRICE lOc "' ( (AP-State Budget Director Harry G. Smith Vol. 88 No. 308GAINESVILLE FLORIDA TUESDAY JUNE 301964soup . resigned today and the State Cabinet named Wallace Hendersonto ONE WEES' DELIVERED DAILY AND 4Se SUNDAY ,'It . succeed him. 4 Smith, A 55-year-old native of Ocilla, Ga., served as budget director since March 1953. Smith began working for the state in 'February 1933. ., : H dsoSmith's assistant .... . " ' ; 17 Feared Dead for the past seven years, had 1 1( ;1*." .," .. -. 11 years service with the budget What's : .; . Commission.The - . \,.i ; -C Cabinet appointed him . to the $15,500-a year job upon Up? ; : recommendation of Gov. Farris . In Oil BlastSurvivors Bryant resignation.Smith, who. announced Smith's Rig who said the effective ' date of his resignation would be ) , July 1, said he planned to loaf I J . for a while and then go into Firemen raced to the icene -, .I ... private consulting work. for, the second time in two days : Castro: Sister The racial problem at St. Au this morning in the 400 blockof gustine came before the Cabi- SE 2nd Ave., where the new net in the form of official praise federal Burned In building is under con- by the Cabinet for the state em- struction. Flees to MexicoMEXICO (See SMITH on Page 2)I About 8 a.m. today a weld- Gulf Mishap s er's torch lit some tar paper ,1 iaidr F' tM a CITY (AP-Fidel Castro's sister Juanita has de- j . I: ;: ; 1 i " MORGAN CITY La. AP ) t:. '44 covered insulation afire on the ( fected, charging that the Cuban prime minister betrayed his revolution f ' roof of the four story structure :An explosion and fire roared and sold out Cuba' to the Soviet Union. 4 that will house the new post of- through a floating'' oil rig in "The people of Cuba are nailed to a cross of torment imposedby office. pre dawn darkness today, international communism," Juanita Castro Ruz said Monday plunging the multi-million dol- night in an emotion-charged statement to Mexican television com- Gainesville Fire Chief L. C. lar apparatus into the depths of mentater Guillermo Vela. Nicholson said the fire was ex- =i the Gulf of Mexico. At least With tears in her and her voice WtA1 eyes tinguished in about 30 minutes, four persons were killed. i breaking, the 41-year-old woman read a t r with little damage. Yesterday, a Another 13 or more persons : 'PrisonRinged ' six-page denouncement of the Cuban re- small fire occurred in a crane missing. Iii I- were gime headed by her brothers Fidel and f outside the building.As Twenty-five survivors were Raul. } , brought to ,Lakewood Hospital firemen fought today'sfire Miss Castro, one of seven Castro brothers - here. Some were burned but a unconcerned workmen and 'sisters, refused to how she J con- hospital spokesman said all say By Waler' came to Mexico from Cuba. Her sister tinued on their jobs in other condition.The . in satisfactory were .. Emma has lived in Mexico since her parts of the building. '" dead were not, immedi- City -, ,,'. marriage three years ago to a Mexican engineer. "They had a lot of confi- ... ately identified.ferried the survi- Miss Castro said she had supported her brother's revolution ,' .< Helicopters : dence in their fire deprtment, .,.rpA vors to this coastal fishing town against dictator Fulgencie Batista by collecting money, arms r assured Chief Nicholson. ... about 70 air miles west of New and medicine in Cuba and abroad. After his victory she dedicated g SMITH Orleans. herself to building schools and hospitals, she said, but she soon i The rig sank in 180 feet of realized Castro had abandoned the ideals of his revolution and , about 15 minutes after "we were being deceived." , water , DowntownDevelop Moon Rocket Test Typhoon the explosion and wind-whipped She said there are now 75,000 political prisoners in "Cuba and ! flames blanketed the vessel. the island is "an enormous prison'surrounded by water. Some of the first survivors to Deteriorating conditions in' the last few months finally forced . Pummels arrive at Lakewood Hospital her to flee, she said. here were unconscious. Others She reported the Cuban people lack food, clothing and other Is Partial Failureblasted were able to walk away from essentials and wonder, what happened to the $63 million in medi- Meet Called Manila the rescue helicopters.At cines which Castro received in exchange for prisoners captured in least 42 men were aboard the 1961 Bay of Pigs invasion. CAPE KENNEDY, Fla. (AP) from Cape Ken- away Downtown landowners and MANILA, Philippines (AP- the twin-hulled rig, which was Premature shut-down of the nedy at 9:04: a.m. and performed - - this businessmen have been invitedto Typhoon Winnie paralyzed operating 78 miles southwest of a downtown development second-stage engine prevented a flawlessly during the first- city of two million people to- Morgan City in the area knownas Post Office Plan meeting on July 7 sponsored by high energy Atlas-Centaur space stage Atlas flight. day. At least seven persons Block 273 of Eugene Island. S . the Gainesville Committee of rocket from hurling its second The second stage ignited on were reported drowned. Scores The 260-foot long rigactually - stage into orbit today. schedule. It was to have burnedfor more were injured. a drilling ship-is owned by 100.Howard The failure could further delay 6 minutes 17 seconds but Hall Is chairman of The storm's winds of up to 95 Reading & Bates of Morgan Praised ShelvedBy development of Atlas Cen- radio data showed a shut-down the r the Chamber of Commerce miles an'hour tore through City. It bad'moved to ex- , taur problem .child of U.S. after about 4 minutes. This prevented pop- committee. site Monday. plosion only v ulous central Luzon Island before - Purpose of the ,meeting is to .rocketry.The' the. 8,200-pound' stage 'dawn, demolished thou- Half the men on the rig, the JEAN CARVERSun %. coordinate the central business rockef 1$being developedto from recrebing intended, orbital sarids'of'shanty' homes and left t C. P. Baker, were asleep when Staff Writer Additional City Commission - district redevelopment effortsof .launch unmanned project speed of pfBOO miles an hour. Manila without light, the explosion occurred. about landowners, businessmenand surveyor spacecraft to the moon Tracking instrumentS:indicated and power public trans- 3:30: a.m. Members' of the Gainesville stories on Page 13. newspapers governmental agencies. next year to make measure- the Centaur stage plungedinto portation. The first survivors td reach City Commission didn't make _.. ,-. . Speakers include Planning ments and to scout possible as- the Atlantic Ocean several here said the on-duty crew hita any commitments on tlie'pro - Director David Godschalk and tronaut landing areas. The fail- hundred miles west of the Cape Unofficial reports said seven shallow high pressure pocketof posed renovation of the Post Office renovation can be done for about businessmen who have modern ure was the second in three Verdi Islands, which are off the persons drowned in swirling gas while drilling in the Gulf building-for a cultural center $78,000.No . ized their downtown'stores.A test launchings for the vehicle. West African coast. flood waters in the Manila area. (See OIL RIG on Page 2)) last night, although they estimates have been plan for using private capital But the National Aeronauticsand The second- stage insulation The communications blackout were enthusiastic In referringthe made about what price the Gen- to revitalize downtown will Space' Administration panels, which had contributed to delayed word of casualties and proposal to comittee."It eral Services Administrationhas be recommended by the Com claimed some measure of success most, of the program's delay, damage' in the provinces. Refrigerator sounds like a good, ideaIf put on the post office mittee of 100. The program also for today's mission when worked today as planned, for Rains continued but winds we can hurdle the monetary building which will be vacatedin Includes reports from financial two major objectives were the first time.Another had subsided by late Tuesday Story With obstacle, budgetwise," Mayor October when the new Fed institutions, tax specialists and achieved. goal was achieved morning as Winnie moved over Howard McKinney noted. eral Building opens. building construction represent. These were ejection of second- when the boost pumps of the the South China Sea toward the Happy Ending The commission was asked to atives. stage insulation panels and the second-stage engines were restarted China mainland. pass a resolution endorsing the The meeting will be held in restart of the Centaur-Space en- for ,50 seconds after the The Weather Bureau said the PLATTSBURGH, N.Y. (AP) plan by the Gainesville Fine Speakei'Named the Courthouse east courtroomat gine boost pump. Centaur stage had burned out. eye of the storm passed directlyover -Thomas. Miller, a', city em- Arts Assn.' 8 p.m. on Tuesday. The 112-foot tall Atlas Centaur They were restarted by a tim- Manila.- The winds tore off ploye, was enjoying a,day, off at In action related but not com- .-. ing device aboard the rockets. roofing, knocked down stone home Monday when a woman mitted to the post office reno- For There was no immediate in- and brick walls-and uprooted knocked on his front door., vation the commission agreedto Premier rAdoula dication what caused the early huge trees.Hundreds. "Your little girl is standing have a committee study the shut-down. of cars and buses up on that old refrigerator by proposed formation of a fine July 4 FeteHouse Because of the test nature of were stalled in flooded streets. your garage," the stranger told arts and historical board, similar - the flights, no scientific 'payload Telephone poles were knocked him. "That could be very dan- .to the library and recreation, Speaker Mallory Resigns: in CongoLEOPOLDVILLE was aboard the 8,200-pound down and news services gerous, you know." boards. Home Tallahassee, will be the package intended to go into or- blacked out. Radio stations Miller thanked her and ran to Commissioner James Rich- 'speaker for Gainesville's third bit. The trial had been post- '.. .were silenced when their trans- the garage.He ardson suggested the new board annual "old fashioned" Fourthof the Congo reconcile 'wJth all leaders ex- poned four times because of \mitting towers were blown found his 2-year-old daughter to work for the establishmentand July celebration Saturday . (AP-Premier) Cyrille Adoula cept Joseph Ngalmula, who sup- various technical troubles. down. Kelly, playing on top'of the operation of a cultural cen- evening. resigned today as the Congo planted him in South Kasai. The flight plan was similar to Manila International Airport's airtight, wooden ice box. .As he ter.He A project. of the Gainesville marked the fourth anniversaryof Tshombe said'he also has the second Atlas-Centaur flight, control tower was unusable, lifted the child to the ground, said he felt the fine arts Kiwanis Club, this year's cele- its independence and the last which was successfully executed grounding all international and he heard a muffled cry from inside group has proposed an "ex bration is again scheduled for U.N. troops left the country. been promised support by An- last Nov. 27. The first rocketin domestic flights.'Fcrris the refrigerator. tremely] fine idea for the com- the Univeristy of Florida's florida - dre Lubaya, former provincial the series exploded May 8- munity, the only problem is one Miller yanked up the lid and Field and begins at 7:30 Kasavubu of Kasai. " President Joseph president Lubaya was of dollars. Wheel found his two other daughters, announced he had a c cep tedAdoula's sent across the Congo River 1962.Because "Mrs. Jean Mitchell and Mrs. p.m.Master of numerous development 5 and Kim, 7 huddled resignation. He saida from Brazzaville by exiled ex- Karen, Glen Hass presented the cultural of ceremonies for the and management prob Kills together, their faces contorted, 1964 program will be Pierre Be- new government would be tremists politicians who call lems the Plunge center proposal for the asso- Atlas-Centaur'j'pro-[ for breath. jano. formed In a few days. themselves the "National Liber- gasping ciation, noting the community'speed Providing patriotic music There was widespread expectation ation Committee" and have been hind gram schedule.is more than a Yj\be-; Tot Hurts The girls recovered their for facilities for art and for the affair will be the 22- breath and were pronounced in piece Jacksonville Naval Air that the new government trying to overthrow the Leopoldville would seriously ] ,cultural activities. Station Band under the later the f condition direction would be headed by Moise regime of Premier Cyrille plans to gather data about HUNTINGTON N.Y. (AP)- good by am- "There is a real hunger here of Chief David A. Blair. - Tshombe, the secessionist whose Adoula. moon conditions in advance of A ferris wheel accident has ily physician. for the opportunity to see paintings defiance of Adoula's governmentwas manned lunar landings SChed- taken the life of a ,2-year-old and work in (art) classes," Capping off the program this ended by the U.N. Congo Tshombe said Lubaya told him uled late in this decade. Mrs. Mitchell, a former art professor year again will be a display of girl.The force early in 1963. the Brazzaville ommittee was Next after three more child, Deborah Shaw, WHERETO at the University of Florida fireworks, handled by Lt. "prepared to back all. my actions year Courtnay Roberts Gainesville Tshombe returned last week test flights AtlasCeritaur'rockets died Monday nearly 24 hours explained.Mrs. , from self-imposed exile in without" putting forward are to begin propelling after: plunging! feet to asphalt Hass said that In previous Police Department. Europe and embarked on a reconciliation conditions. Project Surveyor spacecraft to pavement. Her parents.Mr FIND IT shows sponsored by theassociation Kiwanis chairmen for this mission to bring together If Tshombe succeeds in his land on the moon's surface,, dig 'and 'Mrs. Robert Shaw of there have been 75 year's celebration are Joe the still turbulent Africancountry's of lunar landscapeand Commack N.Y., who fell into Comics . . .11 exhibiting artists, indicatingthe Richardson and Frank Watson. peace-making role, he is givena up samples feuding politicians.The astronaut another seat on the wheel, were Classified 29-31 local interest by area art- The program began three years scout , good chance to succeed Adoula possible Entertainment 29 . in serious condition. as a focal for ago point former president of Katanga whose regime had been doomedby landing areas.. f ists.Mrs. C Opinion Page 4 Police said the Shaws' seat Mitchell explained that the local observance of Inde- Province announced Mon- his failure to stem the Later the rocket is to rising carry Sports . :_ 25-28 apparently tipped over when it estimates by a local contractor pendence Day and to provide a day night that Antoine Gizenga, tide of tribal war and rebellionin probes headed for Mars'fand jammed and did not swing Women's . .: 6 'and architect (Ray Tassina- safe way of celebrating the of Stanleyville's 1961 head breaka- the eastern and southwest Venus. freely. ri and Dan Branch) show the traditional holiday. Communistsupported Congo.A . way government, will be freed " from the Island prison national referendum is under - soon years.With where. he has been held for 2tt that way probably on a will new result constitution in"anew ; !.: \ Slave Market 'Victory' March : I Gizenga's return, all surviving central government. political leaders at the The U.N. ended its militaryrole - outset of the Congo's independence in the former Belgian colony ST. AUGUSTINE (AP) They echoed to .jeers and epithets as preach .a message of white su- will.be'' back In the political today for lack of money. got into the water on the white the Negroes and their helmeted' pfemacy and promise that come arena.' There,were no parades 'or cere- beach and marched completely ,Negroes Jubilant guard of state troopers marched: ..the! 4th of July they would pee Gizenga claimed to be Patrice monies to mark either the departure around the Old Slave Market, around. "hundreds of men marching Lumumba's successor when he of the ILN. troops or and the'Negroes of St.' Augustine Over; Police' Protection The segregationists weir silent through the streets of St. Augustine - his regime in the north- the independence' anniversary: felt they'scored a victory. now and talked mostly of in' the glorious regalia of set up Lumumba the The victory ,was'u neither"that, ___. what a shame It had been that the Knights of the Ku Klux after A Canadian air force Congo east n transporttook they had gotten wet.norlhat, the troopers had protected the Klan." Congo's first premier was murdered off with 58 members of a they bad walked -1mh Ded.* alley sang and clapped Young body," and chorus after rythmle 'Negroes. Lynch had Tefused to say in Katanga. Canadian'army signal unit. A Their victory was':amply*that. Negroes marched Also back in the picture is AlBert few minutes later a chartered; they had received police protection line around the church Old Negro III be buried in my grave and shouted during the march. "I he said in an'interview t that be v Kalonji" self-styled god-em DC6 left with 85 men of the Nigerian -: for,their.dononstratioa i.j ,women .satin, ,"the pews and go; home to myLord and,be guess'you police are,'real proudof would consider-. t an ;boboiifi - Province Kasai peror of South army's 1st Battalion. This time dogs snarls at jeer. kept time with paper fans. Up Free." yourselves!" people assumed.he was.lkl6ndayv Nnight who came out of exile the day The last man aboard was the lag white people, not Negroes front, Hosea Williams, who led A quarter :of 'a:mile away, 'Before the march began several he wore a", e5\ Spade fcfXV'Confederate . after Tshombe returned to the U.N. force's last commander, and Monday sight back at Trinity .the;;march, now led the triumphant white segregationists still lingered .; hundred segregationists flag,..the-star:,studded V CeBIO. Maj. ,Gen. J. Aguiyi-Ironsl oJ Methodis Cfaurcb the,dlaa- singing. on the grass of the centu- gathered around the pavilion to bars crossing'diagonaDy in 4 Kak aJ1I11d he was willing to Nigeria onstraters IrtrrJubilant.: :They sang "We Love-Every- ries old plaza which earlier had bear The ,Rev. Connie Lunch franc ' Ii \ { 4State Fl J 5.P .-.. 7 ;: '" -1 ::: . ' ? 1 e - a ( .. '\" ! "Gcd IYiuej uts Tuesday June 30 1964: '< w tier ,Roundup :Name KingIn More About Melon Civitans Zindber, Choral Union a '-"''.....-. .... .,..;, ,. Minors: SmithFrom Report Told Member Featured VF Concert I i h -- ; Total i T74 Page 1 THOMASVILLE, GA. The RisingOutgoing The University of, Florida phen Foster, ,Santa Ana's Re- :;;.;..'::; ,..... ........\ Charge ployes. working there, to main- watermelon market in South!I Civitans President Summer Choral Union will be treat from Buena Vista; a IwGY+4 \ ...... tain order. Georgia and North and Central Robert Hancock told the club featured with the Gator Summer medley of songs from the pen - YOKES -. C \1. ST.The AUGUSTINE, Fla. (AP) Civil rights demonstrations in Florida points yesterday 'was:.yesterday at the, Holiday Inn Band in the twilight con- of George M. Cohan entitled A Partly tJOUdy"fhrglpI Wednes racial controversy in St. the ancient city have resulted in slightly weaker, with, demand that membership' increased cert Wednesday at 6:45: pjn., Star Spangled Spectacular; and day, scattered *jmportanf sHowef arxJTthumjer temperature t '!!woe- Augustine, took a new turn whena repeated violence, forcing the good, the Federal-State Mar-I.from 27 to 40 during the last on the Plaza of the Americas.The standard military marches.The . X juvenile change.sLow tonlflOIJQ) 1O6..ttah.wed-' a counselor charged governor to send 230 state law ket News Service reported. year. Choral Union concert is to the IleSday \ & other leaders of the integration directed open , BC E'F'H :.-Partly: *, doudy- \ t a alrA movement' with contributing to enforcement officers to St. Au- Indications were .that volumeis He said the club spent $6- by Guy Webb, will sing two public without admission' through : : ,: w'F: : gustine to prevent violence and WednesdayScat- < : numbers with band charge. "E the delinquency minors. tapering off in the Gaines- 880.26 during the year, more accompa tered show ers, ,,"" 'In1"'f''Y''t'4'; ., X keep peace. than half for niment. Canticle to Peace is a Warrants i charitable T .s g JLC d by ,FredBrinkhoff ville area where the shipping pur- Gen. James said ernoon and ,early 'even1n-g':: h.. %T .,w Monday.named King; Atty. 'Kynes season has been prolonged by poses. The club is active in setting of the John Greenleaf 12 Slain hours. Lo w'..,."Jonight>, 'in, Jow;,". -' .\.' t Dr. R. B. Hayling, a Negro dentist cial members of the force Governor's spe- replantings of melons that were youth activities and contributes Whittier poem, with music by Boy, , I police performedtheir 70s, high Wednesday.:.to; 4i. 1 ; the Rev.John Gibson, and killed by a late frost last to the exceptional child pro- Lloyd Pfautsch. The Gilbert the call of 95. Easterly: '!'*to0"15 'mile-*,... J.J3. Jackson. duty beyond spring. I gram at Sidney Lanier school. and Sullivan Festival presentsfive As TrespasserBOYLSTON routine sacri at great personal ' winds. C" a .The,:four 'were charged with favorite melodies from the James H. Bockler " D Part hCloudy"_with .1: : FOB prices hundred- acceptedthe Mass. CAP) - icatlered i per , using minors who wards of fice.Kynes Pinafore The MI- showers through.doasday-.Lowto., .. weiw were said his office would gavel from Hancock as new light opera , weight for Charleston Gra , night middle 70svl i9h Wednsday-.M the y s The 12-'ear ld pitcher of a Lit. Juvenil: court integration kado, and Iolanthe, and displays - to 2. file president. EasterlyilO t 20 mil* Minds.C ( more felony charges against Garrisonians and Can- Congos, i J K Farlly.tloudy"Mrough '. ""frfc8** [marches 'through the.'city. the solo voices of David tle League baseball team was at St. for people Augustine attacking - Wednesday. Few brief showers 'most - ", 0 U.S. nonballs ,this morning: 16 Ibs. likely during late 'nigh and early DiskJudge Bryan Simpson Gorson, tenor; and Sandra members of the shot to death trespassing on morning hours.' Low tonight 75"t.'III, in Jacksonville, specialpolice' and under, $1.50; 17-23 lbs., Boys' Club I GAINESVILLE WEATHER was readyto 1 Smith, soprano; as well as the high Wednesdayto , Easterly force. He said charges elderly ,man's property, $1.75 few at $1.50 24-26 Ibs., an police to U mile winds." :rule today in a suit by inte- ; full chorus. TEMPERATURES. ELSEWHERE Municipal 'Airport readingsfor would be filed against 8-12 peo said today. grationists'to overturn, $1.75 to $2; 28-30 lbs., $2, few Sets Carnival a Nigh Law Preclp. 24 hours to 8 a.m._today: gover- ple. He did not go into detail. Peter Zinober, euphonium H L. Prep. nor's_,ban ,on night marches. higher. Richard Beauregard was ,High 89 at 12'noon low 75 at : I JacksonvilleMiami e6 74 M The Cabinet approved releasing ist, will also be featured, playing - Tampa .1d0 .42 71 5, 6 ajn. Rain .08.inches. Among' the' issues_before Simpson $7,500 from an emergency Florida shipments yesterday: Independence Day celebrationwill the solo by Herbert'Clarke killed Monday when hit in the New .. *7 44 was a charge of contempt account for the attorney gen- Truck, 356; rail, 6. start early this week at the entitled Stars in neck with a slug from a 30-30 a Velvety Sky. Boston Orleans 77 14 72 1.5J Sunset today' .ALMANAC..... ...... 7:34 p.m. action against Gov: Farris Bryant eral's office for expenses incurred Boys' Club, with a Penny Carnival rifle. New York 8M Sunrise tomorrow ;..r.. ... 5:32 jn. resulting from his executive Georgia shipments yesterday: As the overture of the eve- Wednesday at 1:30 ton ......1....... in the St. Augustine troub- p.m. Carl Anderson, 67, a retired WashingtonChicago 96 71 70 Moonrise Last Quarter tonight.................11.42.. July p.m.2 [order in the face of an earlier les. Specific of the Truck, 290; rail, 4. Contest booths will be set up in ning, band conductor Richard I use money merchant seaman charged was Denver Kansas City 15'7,, 51 61 Venus little before the brightest sunrise. Now planet about, rises 28V a* federal ruling revoking a police!was not designated. Florida shipments to date: the gym and will include dart W. Bowles has chosen RalphiHermann's with murder. , Ft. Worth '4 72 million miles away' Venus will be a I.ban on night demonstrations. I Last week, the Cabinet assur- Truck, 20,832; rail, 2150. games, ring toss, milk bottle, North Sea Overture, Los Angeles S2 50 morning star for the next 7 months. Seattle' 71. 51. MARINE FORECAST The integrationists claimed ed state, agencies ping pong, ball toss, and many which pictures musically the Police said seven boys includ- q EAST GULF; Variable mostly easterly progress in their battle againstrace emergency other games. ,restless movement of the sea ing Richard and his twin brother CEDAR KEY TIDES winds 5 to 15 knots through funds would be released if their I Wednesday High at ':25 em. end Wednesday. Scattered showers afternoon discrimination Monday insufficientto At Vienna's Spanish Riding The charge for playing ir a :in calm and storm. Robert, were on Anderson's S 37 appropriations were PLow at 12:03 p.m. and evening. ; when the state put into effect pay for the additional expenses -School old Lippizaner stallions penny each time. The center of I Other selections include the property near the victim's home. $ new and tougher measures to of maintaining their teach fledgling riders. Veteran attraction will be the dunking Suite of Old American Dances, Anderson had complained to police - control violence. share of the special police forceat instructors school the young machine. Prizes will be awarded by Robert Russell Bennett; a recently about boys trespassing - Ii, Hunt 12 Fliers. month-long For the series first of time demonstra in the St. Augustine. horses. to winners in all contests. little known filing tune by Ste on his land, they said. .J tions officers pushed aside an- After Collision gry white segregationists to al- ) low demonstrate.The integrationists. freedom to TOMORROW ONLY HAMILTON, Bermuda (AP-) Force .photographers in small whites integrationists them a few I U.S. boats and planes 'were boats below were shooting apararescue among rompedin the surf at St. Augustine 4 searching off Bermuda's south training film. A beach, protected by more than I Ii coast today for 12 American air- Gemini capsule was in the Water .[200 officers. ' men missing .after the collisionof below, and ,the planes were Officers stood shoulder to two Air Force planes duringa dropping meA to simulate its re, shoulder in,City Square Monday space training mission. covery.A night to provide) a protective ! The planes plunged, into the spokesman at Kindley Air corridor for .integrationists engaged ! Atlantic Monday parachuting Force Base, four miles from the in the customary night 1 fTTT3FT11You airmen were'running a,tesf rescue scene, said there were ''indica- march to the old slave market.As . operation.for 'the,two-man cations all ,seven surVivors had ,usual, there was a shout- A Gemini space: project. I jumped before the crashes part ing taunting crowd of whites , There were 24 men in'the two of. the scheduled test-rescue op- waiting in the square, but no planes. Seven "were. J'escued.1Five eration., violence. Previously, officers ' bodies had' beenrecovered, 'The planes were flying at stood by until trouble started. don't need eash at Monday night.. about 1,500 ,feet on the same The survivors were .reportedin course when they touched, a I Charge It! Fields Just. good condition.. witness said. ; CapitalNews I J. M. , The two planes, each carrying Each,,was a duo-engine. ,, pro- : ill 12 men, brushed wings as Air peller-driven plane. E " t I . i I J n ' Oswalds Diary '. 0QUAllir . Today ,in WashingtonBy 3 3I . | Stirs Up Furor WASHINGTON THE ASSOCIATED(AP-In) PRESS the DISCOUNT' iii d'L o news,from WashingtonWASHINGTON'AP... : \ : i iJ \ .< [j I T1'L ,. , rtm ' WASHING T ? L..DisI oEits, .ability. -: ) -'After o. : turbed by publication of la major I The stories in the News contained two;busy months of travelingand \\f : b [ item of evidence in its investigation 'quotations from the.,Os ,speechmaking, President t1 of Presjdeg jJphjcE, .Ken wald*diary.which-expressed"the JtrfpsoaisCexpectedT.fo: spend t m Giant Size i f assateiMtion wrath of the Marxist ex-Marine most f the nedy's :tjw Warren rt> : July :at White Commission"asked a at having been denied Soviet House. Breck HAIR SPRAY iI : = full FBI investigation of how citizenship. Rankin said the There are no ,travel plans on ( parts of Lee:.Harvey, ,Oswald's commission was seriously concerned his announced schedule for the 1.57 : diary got intQprlnt.: : over the breach of secrecy month, and aidessaid'only two : . It wants tQflnd W-how: the on materials under its con- pr three out-of-town engagements 2.50 List Price .. 1 1'a diary of the::sharpshooter 'accused trol, partly because of fear thata are being discussed. The Regular and hard to hold. tY = of assassinating,Kennedy piecemeal disclosure of the President may make a brief B in Dallas last' November ""was evidfencemight be misleading to trip to his Texas ranch for the li, t wi ,waaim. ".... obtained and' whom it was ob- the public., July 4 weekend. :Jl r tained from" 'before 'it was One factor: that may be influ- ffff ! I BACKYAflAll D "GYM quoted over' 'the weekend in More About encing the President's travel 1r copyright stories in the Dallas plans is the Republican National :. . Morning News. Convention, which opens in the fun of a big playgroundtheir -right tan., The probe was' announced Oil RigFrom San Francisco July 13 and will rr 0 own yard-where you can keep>watch! I Monday night by".1 1.:Lee Rankin,, likely,dominate.the news for at r Big 6-foot slide that's a full 13 inch es wide $ . chief counsel of the"presidential Pa<*e ] least one week.- Associates say 1I Plus 2 swings Airglide, gym rings,trapezeenamel:j 15 _ commission headed by' Chief: it is .only a ,coincidence that steel Heavy red yellow ; Justice Earl Warren. Rankin of Mexico at 640 feet. The gas Johnson has no speaking dates green a ' hinted strongly that the com- began seeping up into the rig. during this period.WASHINGTON finish II I mission suspects the journal of "The floor began to buckle . Oswald's two years in the Soviet and we knew it was time to get (AP) Pres- : : ': Union got into print through off," said one survivor. ident Johnson's signature has t the Dallas police department. Some had gotten on the Delta put the temporary national debt . i Rankin also told reporters Service, a workboat alongside, limit at' $324 billion .- until a '. I that the commission's report- when sparks on the rig touchedoff year from today.If'Johnson .1 which the investigators had the 'explosion.Those had not signed the '. . hoped to have ready for Presi- on board were trapped bill Monday, the limit would . dent Johnson by todaywouldnot momentarily by flames. Wind have dropped automatically to . be issued until after July 18 whipped the flames away from the old temporary limit of $309 A . : at the earliest. one side of the rig and some of billion today and to its permanent x e .4." . y Following Rankin's announce- the men were able to jump into limit of $285 billion at mid- . ment of the probe, Jack B. the' water. night tonight IUo1WI- Kreuger, managing editor of the "It stood up on its end and ; Ii The actual federal debt now Dallas Morning News, said: down she went," said another stands at $312 billion.WASHINGTON . "The Warren Commission has survivor, describing how the : . every right to make this requestof drilling rig sank in more than (AP) Total . the FBI. The FBI has a rightto 100 feet of water.A federal STURDY ALUMINUM e employment dropped ask us what it will under the spokesman for Reading & S REDWOOD PICNIC proper conditions. Bates here said the C. P. Baker, 3,555 in May compared with LAWN CHAIRS Cut fir Trim Lawn Fast-Rotary = April, a Senate-House committee TABLE BENCH "There are other rights In- built last year, cost about $6 reported today. LAWN MOWER volved. The American people million. He said the firm, has . have a right to know, particularly four other rigs operating in the = 2.77Adjustable 4.84Weather . any facet of an assassination Gulf. JSchoolAccreditation 34.87 = of a president of the The crew slept aboard the rig, Folding California redwood. United States. The American with each shift having separate Chaise . .. . .' 5.97 21" high.resistant 35" long 35" wide. Pretty Save 20% on this 20" 3"horse power . press, large and small, has an quarters. The men have 12-hour Folding Rocker Pincor ONE DAY ONLY ...... . 4.97 and practical. mower. . ) obligation to tell them. This obligation tours. Is RenewedThe - and right is enunciatedin Louisiana's coastal waters are . the First Amendment to the I dotted with oil rigs and offshore University of Florida today a . Constitution. 'drilling platforms. received word of renewed Buy wardrobe of themMen JT . "The Dallas News Is going to I Some of the wells are drilled accreditation for its School of Cool crisp..LadiesCOTTON Ht-Fasbion Misse? . report every piece of importantnews :from stationary platforms built Journalism and Communications. = SWIMSUITS & to. its readers to the limit :on the floor of ".. Gulf Othersare . brought in by floating rigs, The American Council on Ed- = S. S. SPORT SHIRTS BLOUSES SWIMSUITS E Er Gainesville Sun like the C. P. Baker. ucation for I Journalism approved i Published evenings except again the University's 'Ad I UF Saturday and Sunday mom DairymanGets vertising, news-editorial and ings by the Gainesville Pub- PhD general radio and television S-C 4FOl5 $5 ! lishing Company at 101 SE DegreeDr. = 2nd Place. Gainesville. Florida course sequences, according to . and entered os second class Barney Harris Jr., as Baskett Mosse, executive secre- 0 r matter at the Post Office ct sistant dairyman, Florida Agricultural -tary of the accrediting commit-. Outstanding value! This Season's best-seller Breeze-coot sleeveless faltered style In a The styles you've seen In the chic Fashion r Gainesville Florida.CIRCULATION : Extension Service has tee.The swim trunks in cottons & stretch! Short-sleeve variety of fast-dry cottons All the Summer magazines! One end 2.plec., blousons, boy r RATB tYCARftllR received his PhD from Oklahoma committee evaluates cotton sport shlrtsl Save pastels big size range! legs-morel In knits and kneW Save . OR MAIL 1 Week .45 State University. His ma- journalism schools over the . 3 Me*. $5.15 jor work was in dairy nutri- country every five years and approves or withholds accredita All mail subscriptions mm tion.Dr.. Harris had all I OPEN 9 A.M. TO 9 P.M. SUNDAY NOON TO 7 P.M. be paid In advance. completed QUALITY ttsle eni,sue tion.Masse IT! fRotar* Member of ,Audit.' Bureau of requirements for the PhD de- also announced the I GAINESVILLE Acres of Fret ; rki"I' CHARGE, a rL 4'' 'q'h* |ur fltt'4 AINAT* jt Orculotion gree just before coming to Florida election of Rae 0. Weimer, director I ::: ;-- DISCOUNTS that m'I'tbtntClSh, I & 41 NORTH AT' 23' BLVD. PHONE 376-8297 :mtp fuvvnfctd+ All material contained herein It as assistant Extension of the School of Journalism U. . the property.CtmpMy el In* (CatneavfltoPuUbhina O 1M4" dairyman in October, 1963. The and Communications at the Reproduction" ". ki whole. or 'toIs part official awarding of the degree University of Florida to alter n (JCrr was.deferred until the-next rtg- nate membership on the ac- ,', .,' " cosaffleacemenL. :cze 1IWsc oonmitiet.r ,:.. -- ,. I. I'. . , P .... -,. .._- "" _+ ", .r _. . :, :r .. : -- .-.-- .__. .- ""'" -= ... ... . "II'r ,...." It'}, >If' . ( ;. _!" -*' . a Tuesday, June, 30. 19 4 rj :- j h1p t 1 4a yq0.t I(: I GC Y : ,. H. . : t -, ' .1 .. , R Rii : .a. t l a rr - t. . 4. mt.vxvm Px : : R a. uwt,1 ? i P: JQ\ ,iDQhR ra , r. C r :, ar3k I If It R t .a i Ii ;.w.,. at F \ ;' > \ \ I t f +t r.u' , "* ! # I ! 3vv.i: a iI I iI } : ,ijVk kQ. : r +:' ?; ?"?;an. I .J j \*' i ;m.ef. ??,a:} ... at K xkuy'GyJa iI I :f i., v6't'W. : :.. y ! 'Y. n . f : xt A tx 'x n'; eca+' :jr $ ra ; r% 'a $l 3? .. + . " x" ? . : : + aae1\ Y.ptr.go w:r }r '': :: .} :; k \fixQ''p;,>M xk :G.n; ; rn$: ?; r \ ,q Ak, } M : nn } :$ acy h Nr3: ) w.q.. v nL rf ti"L a.ar; *o.T b.., a 4. % !t ''YV Siro. + \ rYyy Y w} } -cy t'rhi ix' ...@ ': , ,C fie y ??%!(f h},'k'i? ct: "" :} .. . aw k CSoti? : yya a ) ., . aw Q.$ ; { Li x. 'A. ;a1 aL hr +?:Rxi CN? ' ,: 9v'.e) { n dr .W.. ,;.;)af..ot,.. "#7!:'Fn.&a "a.'. 'T/ 1 f. ;:: r t R,TP+w3.a a } t h yA?:+7i? :}ir:ps, ( x!,. 4 .,; Y \ f , 5 a + ARr " A ::: A W \ \ .a a. " r \ \ , ,w t .a Rr, : t o ;.y a OV $ a .. \ .. .. . I o o !{ : ,ar an Qq .da: ra R ;ai a, k'r. r $. der h'" P a :x'Ywi ka ':6r :r lu ?k t'OA, tpfn f' a4 4 C l W W.V t"o % r' L '' A B. s 4' "2F t 6 :Ky : ,. x Rh q >vF X>>3 "'k.a . AR;? d a .: j q YwC eV'n a 1 \ aY.M'Q {? 'r +r 1, f kySStPO { . r' 'k Mdn' (iRr a ?et a r + irR 0 S frlf: 5 :, iAfiy.Q:" t.. r ; r "A. gxa P Q Avi af'pM>3:} 0 r L Y.QQ. yc ! ;iA 3: .. J' . AP3 ,.q x r Y :' ;1n G ?,w@CXB ' ..Kif'"r'fi', a b'ht'i:x}: J .:y.r.v. ., nitna, ,( fi .m r. a qQ : ; ":4 ,' 9a ,taFw, k .. .r , y . $ aS 3; AG:{ asr; y c S. r .1 ya d aq a. E +y " ,( .>. A First National Loan : _, ) ' ,,. 'v i j, ;to' :- "I : . l' : 1." Don't make the mistake of overlooking the easiest way of all to save money on the car you plan to buy whether ; '. / -TJ j .i it be an 8-cylinder "Super Dooper" or a 4-cylinder "Pee Wee"! ___ ''' 'I tIf. If. ,: l'A. First N National Auto Loan can save you money because bank rates .are lower! Easy.; to manage once-a-month payf) . I. > ', ments or other terms, if you wish, are available because bank loans are flexible No red tape reputation fk - -** ?. *:V: for paying bills on time is all you need. Let us show you how to shift into the car you. really want an economy . s *U., J. car because of a low First National Auto Loan. _. ... I -' '. .7. .... *.q''j Ji ",.V.;. ."..:. ;a.It't' *.- . -"'"1 j..r ; ' : , tyal111f.J 11(1 'j" ff tr!#' \ >* s tr r- :41 ra _ ?"* : If you're unable to come to the bank, call FR6-5351 for full information.! ; :':' : 1. .... -_ ... ... lCi". .., .. ',> . , i \ ) : . .YS -4 .'\ ... 't44 .. .. J .... ., ". .' ..f. ... I .. .. .. .... , ) t .' <' -: J,,.....;;'" .t7t. ... ,., ; ' t i '< .. :. .' .; < .-. ., -.... ..._. .............. ._ " .. .. :)" -_ -1 'J .d.. "ti.IMln ,. ,) .'L... .< ... )0." -u '. ..\ .. r'T'P'. .. .', j ( '' ; : ,' : : : : ;; ': 1 ; ...: : _. : : .. ; : r : : : Ee ;..- 'iteIJ J/r'lir".. : ;;:t. -;-Y. 2.t' loA \ ? .' : ... . .4 ,"' - < ::;-.j .t; itJ.. ::.. : :...: : 'J' r".1 :. 1.. .. . .1 : .. ... . ST ; .. .. ,......". .v'7 :.# .;, ....,.....J. -*;'a""' .--.t.. <.It . t NATIONA1BANK ; kili q. _+' . 4:3 l '_.:,:.: ... .. ( ; ... -ri.--... f .." .... ... :. .....1, f." _.. .."_"" ,'.a."'....It I :"-,,, _. : $<<"; .f"I!'"_.-..-"" I .. ,, -..= ',:'. .,... -r' : .. ... .. ... .. ... -- . # :' :'J' -rr , .4t OF GAIN .__ __ _A .g "' c ; ,\ 1;- 'O.- ; ; { ... i '''irM- ,: ... ; ; -.--.. ...........,.. .... 'I .... .. .' .......Cl !. ,. . .' t .. ,.. \ -- - : .a ESTABLISHED 1888 v .*+ ,. n i 'p" >A.-1 'r. - 5 . !_ : : p'"c"' : -. ': ; : ' : : E:2: : : ; ; ... : w ;It .p- ., J .' .... fa .r .. .:.,' 'fit ) .. :. .':' '# 9; < '\.li ;' 3"l-' }1 ;:; ':" "! : '.. ; I' :'- Member of Federal Deposit Insurance Corporation Member of Federal Reserve System.; f" : '''.-'ff.' >, .,,.. : f. t .: , ." ,' -... .. -, ,- ..-. -- ::::. '-:- -"-. , r. :.,,t;I ... :..\, .. i!oI .' ., \" .. :: THIS IS THE BANK TO. GROW. WITH .' I c. .. .'.... .. '..". ;.., ,',. ... I :.' 1c',1.. t'*: , ____ .. h IV Ij I ' - ) ., a. - F.x - ' . . e ',:-i-- 1YMX Y,nr .: .4 Goinc ville% Sun Tuct Joy. June 30' 1964.Florida's . IT'S HUMAN AND CONFUSING -. j itttsuilk ittn-' ; CONSCIENCE OF f Making Foreign Policy THESOUTH w And inside the State Department the work of the coon C 2ff m'fork Ftmro( dinators themselves is supposed to be structured neatly be- . ,, By MAX FRANKEL neath the secretary. JOHN R. HARRISON PresMentPvMlsltcri ewe ... .. PAT COWLIS VkO4ntj Pre, WASHINGTON Out of the State Department last week Aid In v' THIS STRUCTURE is duplicated in the Foreign , .< JOHNSON Vke President there came a secret, a phone call a book and a murmurof ,Beautiful r 'M litcvtive Eerier. W. O. elut. complaint little symptoms of a big problem: The formation and Central Intelligence agencies, in smaller ver- University City' ,, EBERSOLE VICI FresWtflt .M A*, By RALPH McGILL unordered process by which United States foreign policy is sions at the Pentagon and some other departments and, in vertistofl" DIracteri 101 TARTAttLIONf. F.IiUtr Prfa Wtamtaj FikUskerOl most compact form, on the President's personal staff. Many f Vice PresMent. m* Circvietleii. M........ Ik* AlUaU, (Ga.) ceeruteuee determined.The . secret, plucked out of the Washington air by a colum of these separate bureaucracies have their representativesat -" THE SUN'S'POLICY State Dean Rusk many of the 274 U. S. embassies missions and offices of the ., A nist, was that Secretary was un- "n Boon abroad. , mentioned author of unwritten talk at unmentioned Report"tht dews In the news columns. an an 1. fully and Impartially , luncheon which made headlines around the world about The State Department in terms of telegraphic traffic alone, 2. Express the opinions of the Sun In-but enly In- tor'ala.' press 3. Publish all sides of important controversial Issues. the possibility of war in Southeast Asia. It was a accounts for a daily flow of 1,500 incoming and 1,500 out- familiar but still startling way for the government to communicate going cables .carrying more than 400,000 words. Secretaryof .. ...L The Sun's telephones: All Departments -372-8441 :,. : Not ATyranny some of its most carefully weighed words to a State Dean Rusk receives only a handful of these, but .. w Wont Ads-. 376-4672 :: ',: potential enemy. he was told much of the story of political. managementin this simple illustrations: a THE PHONE CALL, by a high official to a newspaper, "Wbsn I read a telegram coming in in the morning, it t Upholding Individual Rights sought some information originally obtained from the of- poses a very specific question, and the moment I read it s -t ficial's own subordinates. It was a vivid demonstration of I know what the answer must be. But that telegram goeson Three recent decisions of the always has been made by those who how government does not dare' to rely upon its own resources its appointed course into the bureau, and through the ' office and down to the desk. If it doesn't down there, .. decisions of the court from and how its different layers often communicate through the go United States Supreme Court ,have oppose A rural legislator, angry be most unorthodox channels.The somebody feels that be is being deprived of his participation - John Marshall's day down to the cause of the U. S. in a matter of his responsibility."Then . shocked those who believe the court Supreme book, by the admInIstration's'princIpal policy planner present. Since members of the court Court order for reapportionment Walt W. Rostow was meant to satisfy the public clamorfor it goes from the action officer back up through the .. should confine itself to strict legal l are appointed.for life, it is said the attacked the court as concise definition of American foreign policy. But manyof department to me a week or 10 days later and if it isn't interpretation of ,the Constitution court can improve its ideas on the being composed of nine tyrants his colleagues found it so general as to be almost irrelevant the answer that I knew had to be the answer, then I who reminded others cited change it at that point having taken into account the advice a and avoid decisions on moral and nation without checks or balances. him, to their daily tasks while, great dispute , somehow, of Hitler. within the government even abouUhe generalities.And that came from below. But u"uslly it is the answer that social questions. The uproad may be- the murmur of complaint was about the assign- everybody would know has to be the answer." ti '. come almost as loud as that follow This is' not accurate. The court's The legislator comes froma ment of Deputy Under Secretary U. Alexis Johnson to South When the government must deal with the routine visit of = ing the famous 1954 decision hold decision can be over-ruled by later county where one vote is Viet Nam, depriving the State Department of its firmestfoe a foreign dignitary or instruct an ambassador to deliver a I ::: ing racial segregation in public courts 'or by constitutional amend- much worth as roughly'one vote 30 in his times state's as of administrative chaos and principal link to the militaryand routine message, this sytem functions reasonably well. \ : schools unconstitutional. The court ment. The current court over-ruled most populous county. The tyranny intelligence agencies that can row with, or against the BUT AT THE FIRST SIGN of trouble, precisely because i : held that: a whole series of earlier decisions of this inequity had established policy course.SIMULTANEOUSLY foreign policy cannot be planned or codified for even predict- able the fuses and the normal flow of bu- i w not troubled the legis- contingencies, pop that the Fifth Amendment not angry .. did out of Congress last week, there l reaucratic is disrupted. No two emergencies or lator. He liked it that energy : 1.' Representation in state legisla- apply to state courts. It also upset way came the latest of a series of serious studies of the management crises handled in the and wished to it. are ever same way. perpetuate . .. be based on districts sub- the 1896 court's ruling that "sepa- of national security operations. It found that an American tures must So wishing, he damned the Even when the expected happens, officials all over town ambassador abroad like the of state at home stantially) equal, in number' of people. rate but equal" treatment of Negroes court's determination to up- secretary from their separate perspectives, will weigh American power - not the' master of his organization nor as in- was really , to both hold the Bill of and interests against reactions near and far. They may + The court said this applies satisfied the equality 'requirements Rights and to tended, of the many arms of government that wittingly and : houses. It declared that the "federal of the Constitution. The guarantee, each citizen equal otherwise'make" foreign policy. .. 'then act on the predetermined aspirations, but they will be and guided by a momentary set of priorities, pressures and .. system", in which one house represents court once outlawed the income tax, representation the law protectionof His But the report of the Senate subcommittee, headed by Sen. preferences.Even . and the bY'the Sixteenth as tyranny. Henry M. Jackson, D-Wash., was careful to point out that equally and this population was over-ruled . advantage of 30 to 1 somehow was'chronic in its most imaginative acts, government reacts. disorder and common to all recent admin- other "area" or government. jinits Amendment. .had come, to be something Decisions to act, or not to act, are forced upon it by events istrations. The trouble, it found, begins at the very top .. (the states), cannot be applied to which the 'Founding Fathers because 'a president needs flexibility, that is freedom to and schedules, by the need to compose a budget, make a had established, and which speech, answer a diplomatic note, recognize a new govern- i state legislatures. But there is, no doubt that the' improvise, while officialdom needs stability, assurance of tyrants were changing.The ment, respond to a threat or resist an attack.It JI court has great power, and the Warren regularity.And .- . is impossible, therefore, to speak of foreign policy as a I .. 2. The U. S. Constitution's Fifth .court has used this power broad- voters jn ,cities,-. where out of the White House last week there came a fair single will or purpose, or even as a series of fixed and J 'amount evidence of'president's customary style of Amendment guarantee against self- in defense of individual liberties. It the really urgent problemsare op- indentifiable, objectives. There are aspirations and there are I erations: tough and personal conversation about Cyprus with because cities are where ,to, state aswell actions intents and events and thousands of decisions and ( incrimination applies has not hesitated to overthrow precedent , most of the people are, will the urgently summoned leaders of Turkey and Greece; sanctionfor : federal legal ,proceedings, and to take action in behalfof non-decisions the account of any ope of which would be a , as not think the court is tyrannical. the attorney general to move into the sensitive capitalsof unto itself. : and neither state nor federal government individual rights when the political There are rural counties West Germany and Poland; a cagey minuet with a prom- history \ an individual's where one vote is worth more inent Republican' resigning as ambassador to South Viet can use process was not getting the job .. which has been compelled than 600 times as much as a Nam; some guarded public dialogue with the Chinese Com- = ON THE RIGHT testimony done. _ city vote insofar as represent- munists; a desalination agreement with Moscow after some I by the other in return for :a secret with Premier Khrushchev.NO . ation is concerned. This disparity more correspondence grant of immunity. The .historic The Fourteenth Amendment ranges down to 30 Who Owns Ft1 guarantee of the English Common states that "no state shall make or times as much in the county ONE REGARDS a president's maneuvering as improper - Law preventing government from enforce any' law which shall abridgethe where the legislator felt only or unwise. Some of it is planned. Some is highly personal. - a tyrant would even up vot- The point is that'the mechanics of government, the dis- .. prosecuting a person on the ,basis privileges or immunities of citizens ing parity, and to two or tribution of power, the pressure felt at different points, and The ? of his 'own forced 'testimony thus,, ;of'' the United States ." three times the value of a the great influence of individual personality and talent ren- Body .4 : for the first time, clearly'applies city vote in others. der almost meaningless the oft-heard question, "How is .. the whole United States in all legal This is the foundation for the decision Here we have an exampleof foreign policy made?" By WILLIAM F. BUCKLEY JR. .., of officials and observers local failure. The testimony thoughtful suggeststhat I' actions. that the Fifth Amendment .. foreign policy is not really made at all, only managed, The lady is a member of might that the odds reason applies to. state legal proceedings, , ,. THE,LEGISLATURES have on an ad hoc basis at best. It is buffeted by the colliding : 3. A local government must'raiseL though the Fifth originally was insisted ,persisted in maintaining an visions, gripes, talents, fights, fears, errors, powers and pres- Jehovah's Witnesses, and being tion in favor of the opera- i have eo the taxes and provide for its citizens upon by the; states as pro- inequity in representationwhich sures of hundreds of people and dozens of institutions, of don't let that put you off: mit, to you it? Does a duty the to state sub- public schools available to all. This tection for their citizens against the!! was at once unconstitutional politicians and scholars,' businessmen and newspaper men, her religion, however unusual have the right to snatch u .i 7 Pan was the ruling .thaJJ;rjnc .,Edwarji .....powerful ,central government. The and unconscionable.Their foreign and domestic. you may find it, the reason- alcoholic who is neglect- : that led to her failure to act Even less secure is an official's claim to status or influence ing acceptanceof County, Virginia, could: fccT longer same philosophy lies behind the de- court to do so.compelledthe The Bill according- the neat boxes of Washington's organization it, is okay by us, says the ing his liver and stow him circumvent the 1954 school decision cision that a county or a ,state cannot of Rights and the amend- charts. First Amendment quite rightly away in an asylum? I war- # ; rant there not doc- by not running a public school system. deny some of its citizens the ments to the Constitution lay By these charts, foreign policy is determined by the provided her religion are many 1 tors who that President with the occasional advice and financial support doesn't call upon her to shoot agree Lyndon stresses the right to equality in public schools. major on rightsof Johnson's regimen is that the individual citizen, in- of the Congress and with the more regular counsel of key you, or anathematize me, one Nor state give weightto leads to can a more longevity might : of Cabinet members, notably the secretary of state. or otherwise swing her fist These decisions probably will l lead one class of voters than to another the cluding law and equal equal protection representation. The secretary, his deputies and the ambassadors overseasare past the point where our they some day, by a fugitive to a renewal of the movement for in its own government. To do It hardly seems fair supposed to be, in their separate realms, the overseers noses begin. The lady is extrapolation of the logic of. restrictions: on the power of the otherwise is to deny equal protec- and assuredly it is not reasonable and coordinators of the work of all other interested agen- pregnant, and was told by the pregnant him lady's court, instruct court. Constitutional amendmentshave tion of the law to all citizens.In -to accuse the nine cies, especially those dealing with military affairs, intelli- her doctor that she ought to wake as to how when he gence, finance, commerce, foreign aid and propaganda. have blood transfusions. She may up; many , of for been proposed that would bar justices being tyrants whiskies he may drink, how ' refused them, on the groundsthat the urban such matters as the makeup of all these decisions, the court is equalizing vote BELOW OLYMPUS By InterlandirTIJ her religion opposes the many he must pass up; how .. with the rural vote. state. legislatures from: court action, saying that the protection against id!!a. A local official, in behalf fast he may drive in his car, give a "court of the states" review unequal treatment in the federal The Founding Fathers, so of the lady's health and under what circumstances - Court decisions often. quoted, did not set up takes a petition to court, and ? power over Supreme Constitution and the rights of individuals such inequity. As a matter of the court decides that she : and give state legislatures greater cannot be set aside by the fact, the Constitution of 1789 must submit to the transfus- EVEN LAWS against suicide - :.. power in amending the U. S. Con states. These ,are decisions which requires of each state that it are of doubtful wisdomin = sUtution. declare that the United States is guarantee its people a repub- ions.The a free society. Fr. John reasoning Is heavily Courtney the Jesuit Murray, lican, or representative gov- one country and that individual fri J'nI based the matter of the ernment. As populations have on priest, brilliant student of = Critics of the court charge that rights are superior to state rights. shifted to urban areas the unborn child, and the derivative church and state relation1 = the Warren court is "legislating", states have had less and lessa damage that would be ships, points out that no law .. getting into politics and ordering Ultimately these decisions like truly representative formof done to it if the mother persists that is truly unenforceable is :: changes in institutions over which all actions of government in a democracy government. in refusing blood; the a sound law. The example he lady appeals to the Supreme once gave was Connecticut's it has no power, or should have no will stand fall ,or depend Court but the Court REAPPORTIONMENT and (Douglas law, passed over a centuryago : power. They say it is "amending instead ing on public opinion. We believe civil rights legislation, one dissenting) refuses to hear by the Congregationalist : of interpreting the Constitu they represent the true spirit of this by the courts and the other her appeal. Our sympathygoes majority in Hartford, kept on :- tion. This is the same argument that country and ,will stand. by'' Congress, both became I PtyIMSU SS out easily to the child the books by existing pres- necessary when local govern- and we are tempted to dismiss sure from the Catholic popu- } ' ments failed to protect the the matter from the lation, forbidding the prac- , rights of the individual Amer- mind, but hark, simultane- tice, mind you, of contracep. :1 I ican citizen. It is regrettablethe ously another lady, from an tion. Any law the enforceI Voice of'the PeopleI court had had 'to fill thisvaCuum. other state who is not evena ment of which involves the I But it hardly seems little bit pregnant, also hasa violation of higher rights-in 1 : reasonable to charge "inter medical problem also is this case the right to privacy I ference" or to say that main- told by the doctor that she -than the law itself seeks to : I ; The Sun's Opinion Page.Opinions ==== taining the integrity of the needs such and -' such min- regulate, is not easily defen ; Constitution is "making istration in order to survive, sible. By extension, any law It I :.. and comments of Sun readers are welcome In the Voice' of the People column. Utters law." "You've been drinking!" refuses the medicine, the that pre empts the In- 1 s E I must be signed and beer the writer's address. Homes will be withheld if requested. A letter should doctor goes to court: and she dividual's own right to decide I not exceed 500 words and must be written en only one side of the p.p-,. Poetry canned .be used. The An increasing number of too, where no child is involved about the use of medica- : See reserves the right to reject say letter or to shorten it, without chenein the writer's meaning ,state governments are show- is instructed to submit to tion aimed at preserving his i = latent. ing signs of sickness. Most of the medications prescribedby health is .t Memo own body an unnecessary - Washington t I n Teacher Quality be anything better t han a salary to attract? Dedica- this undenied illness grows her doctor., and therefore a out of the semi-paralysis of teacher. tion is a fine thing; but can bad. law. government produced by in- Cowles Washington Bureau "I TRUST YOU hor- American traditionally are as The way, r Public it for dinner? Up to Wha1sTong with him is you serve in . equities representation.This " OLD FRIENDS: Sen. Everett M. Dirksen, R-Ill., was rified as I am, a professorof is to wait for gross the same thing that's wrong In our community, increas- malaise is national in sociology the keen abuses before rising : EDITOR, Sun: Each day talking about the importance of making new friends and among up on : "Teach- with a minister. Peace Corps ingly more children come scope. In Vermont for example hanging on to old ones. A men who had led a profligatelife est men I know, writes me, our hind legs and telling the since your headline : : worker, missionary or country from: ,broken homes, grow up a town with less than was about to die, Dirksen said, and the priest asked "at this clear departure from courts, or the Government I er's Sa1 rl S"May-beCut' ,doctor-he's. a dedicated, 100 residents has the same traditional and straight to Hell with the restraints of citylivrlngand'have "are 'OU'ready to accept God and renounce the devil?" the larger un- to go (the 1 we have been searching The worker who's goal 1 is to serve. representation as the state'slargest "I'm ready to accept God," the man said, "but in view of derstanding of habeas cor- only 4-letter word that nowa- : paper expectantly await- others, rather than gain power -- ; ; crime;sex, vio- city. In New Jersey, my past history I'm in no position to renounce the devil." pus." The individual does Indeed days shocks the courts). Pre- ing outbursts of publfcprr> ..and prestige for himself. lencet death ,and destruction rural pressures have main- e own his own body, and cisely the reason why the test. No protests: No .cd nail "He cares about kids, and What, ,thrust_'.at'them.from, ; the time tained inequities. Cape May, BIG SHOT: At a recent dinner for civil service workers although the Christian reli Connecticut law lingers on ments even. Well thar.ksfor happens to them. He often they can watch a TV set. You with a population of less than here, Sargent Shriver, the Peace Corps director got a facetiously gion, or at least most sects the books, Fr. Murray observed the mud in the face. Finally works a 12 to 16 hour day with ask more and more of your 40,000, has the same repre- : high-flown introduction as a Nobel Prize winner, within it, proscribe suicide is that it is an un- this evening there was an edi- them?and for them teachers. sentation as Essex County championship automobile racer, scientist artist and scholar. and self-mutilation it is very enforceable law, happily un- : torial by The Sun.It's-a start. Sure; there are ineffectual with almost one million re Shriver gravely admitted to all these distinctions adding: reluctant indeed to proscribesuch enforced. Some day a judi- , My husband is a teacher. teachers' in the-'Schoolsys-, .Do you cafe .if ;they. live sidents. Similar illustrationsare "It reminds me of an introduction I once got from a woman inattentions to the bodyas cial zealot will inform a lady I Stand jjinj, up;: in Jront of a tem..lt.s a wonder there decently or not? You should, to be found in other who had heard that I liked to play tennis. She introduced me may in fact lead to physical :- that she has to have her ap- class resplendent in" his I aren't many more than thereare$4050' because a college graduateand areas. as one of the finest racketeers in Chicago." death. pendix out or she will die, I Army uniform* with .cap- dollars a year respected professional All these inequities per- Suppose the doctor tells and we will all be up in tain's bars, pHo5 pings and isq' much incentive as a beginning worker is much more effective petuate special interests and you that you have a 60-40 arms over it, and maybe - medals agti;hg will:be gap- :salary and you in his work,' thana make impossible the honest ka ;. chance of being cured if you maybe, I say because grad ' ed at with resp6ctan>', ct awe. think teachers can take a downgraded public servant rewriting of ancient outmoded will submit to suchandsuchan ually we are inclined to for- Stand him up in front of that "cut"? Your confidence in Which do you want for your constitutions, tax laws andso ,' operation? Up until now get that effective protest is class dressed casually and 0 1. The U. S. ; ', ." it has been established available 1 our ability to survive is not children and your commu- Supreme >fl1 :k r- Mt\MJtf prac- still to us-we win ''l with a textbook rfh his rand -:hand, reassuring.Just nity? The choice is completely Court now has ordered reap- : ; tice that the choice is clearly conclude, like Dickens' ) the lass tbackjthinking and entirely up to you. portionment. Their decision is J tJil V yours. Is it now yours, Beadle that very often the fr' :JI ,.-"Now, what's wrong with what. kind,,of teachers a,boon to the people-and.the but subject to the acquies law is "a idiot, a ass," - ackr L.bc..an't.; do :that kind of .-., ANN.E. BRYAN ! 'jIJJIIJJ.iIJ, .. _you, expect< > states-not a tyranny. cences o the courts-which and do something about it " '" , 1, i -1 . 4 Gainesville Sun Tuesday, June 30. 1964 I COLOREDNEWS IT'S HUMAN AND CONFUSING I.I.kfnrzuiIk iUll: Colored B. F.News Childs Editor, M :-king of Foreign- Policy- And inside the State Department, the work of the coordinators CHURCH & fork Star ANNOUNCEMENTSChurch flU B themselves is supposed to be structured neatly be- of God in Christ By MAX FRANKEL neath the secretary. JOHN R. HARRISON President Mid Church School 10 PuMMtcr; PAT COWLES. Viet Pres" ajn.; morn- WASHINGTON Out of the State Department last week Florida's Beautiful .dent; Etf JOHNSON. Vic President ing worship, 12 noon; YoungPeople's there came a secret, a phone call, a book and a murmurof THIS STRUCTURE is duplicated in the Foreign Aid, In and Executive Editer W. 6. teal Willing Workers' Meeting complaint little symptoms of a big problem: The formation and Central Intelligence agencies, in smaller versions - EBERSOLE. Vice President and Ad- 7 p.m.; and evening wore at the Pentagon and other and inmost University City' remising Director BOB TARTAGUONE, unordered process by which United States foreign policy is some departments l\ Vice President and Circulation MM9tr. ship, 8 p.m. Bishop H. Williams determined.The compact form on the President's personal staff. Many ' pastor.. secret, plucked out of the. Washington air by a colum- of these separate bureaucracies have their representativesat 4 w .,' THE SUN'S POLICY St. Paul C.M.E. Morning nist, was that Secretary of State Dean Rusk was the un- many of the 274 U. S. embassies, missions and offices J I 1. Report the news fully and impartially in the news columns. .' worship, 11 a.m.; and evening mentioned author of an unwritten talk at 'an unmentionedpress abroad. t 2. Express the opinions of the Sun in-but only in-editorials. ( .: worship, 6:30 p.m. Rev. B. F. luncheon which made headlines around the world about The State Department, in.terms. of telegraphic traffic alone, j 3. Publish all sides of important controversial issues. Weary, pastor. the possibility of war in Southeast Asia. It was a accounts for a daily flow of 1,500 incoming and 1,500 out- i Mt. Carmel Baptist There familiar but still startling way for the government to com- going cables carrying more than 400,000 words. Secretaryof x The Sun's telephones: All Deportment! -372-8441 will be mid-week meditation municate some of its most carefully weighed words to a State Dean Rusk receives only a handful of these, but Want Ads-376-4672 services today, 7:30 p. m.; potential enemy. he was told much of the story of political managementin Youth Forum Wednesday, 7:30 this simple illustrations: p.m., and there will also be THE PHONE CALL, by a high official to a newspaper, "When I read a telegram coming in in the morning, it 1\t Upholding Individual Rights Choir rehearsal 8 p.m.; and sought some information originally obtained from the of- poses a very specific question, and the moment I read it Teachers' Meeting Thursday, 7 ficial's own subordinates. It was a vivid demonstration of I know what the answer must be. But that telegram goeson \ Three recent decisions of the always has been made by those who p.m., and also Business Meet how government does not dare to rely upon its own resources its appointed course into the bureau, and through the ! oppose decisions of the court, from ing, 8 p.m. Rev. T. A. _Wright and how its different layers often communicate through the office and down to the desk. If it doesn't go down there, ) United States Supreme Court have John Marshall's day down to the pastor; Mrs. Esther W. Hamm, most unorthodox channels.The somebody feels that he is being deprived of his participation i shocked those who believe the court reporter. book, by the administration's principal policy planner, in a matter of his responsibility. !' present. Since members of the court East Side Church of God in Walt W. Rostow, was meant to satisfy the public clamorfor "Then it goes from the action officer back up through the : should confine itself to strict legal are appointed for life, it is said the Christ Church School 1, 10 concise definition of American foreign policy. But manyof department to me a week or 10 days later, and if it isn't interpretation of the Constitutionand court can improve its ideas 'on the a.m.; morning worship, 11:30: his colleagues found it so general as to be almost irrelevant the answer that I knew had to be the answer, then I avoid decisions on moral and nation without checks or balances. a.m.; and evening worship, 7pm. to,.their daily tasks while others cited great dispute change it at that point, having taken into account the advice social questions. The uproad may be- Elder J. C. Carter, pas. within the government even about the generalities.And that came from below. But usually it is the answer that , everybody would know has to be the " the murmur of complaint was about the assign- answer. s come almost as loud -as that follow- This is not accurate. The court's tor.Mt.. Olive Primitive Baptist- ment of Deputy Under Secretary U. Alexis Johnson to South When the government must deal with the routine visit of] ing the famous 1954 decision hold- decision can be over-ruled by later School 9:30 Viet Nam, depriving the State Department of its firmestfoe a foreign dignitary or instruct an ambassador to deliver a] Sunday : a.m.; morning - ing racial segregation in public courts or by constitutional amend- worship, 11 a.m.; and eve of administrative chaos and principal link to the militaryand routine message, this sytem functions reasonably well. schools unconstitutional., The court ment. The current court overruleda ning worship, 6 p.m. Rev. 4J. intelligence agencies that can row with or against the BUT AT TIlE FIRST SIGN of trouble, precisely because held that: whole series of earlier decisions Kinsey, pastor. established policy course.SIMULTANEOUSLY foreign policy cannot be planned or codified for even predict- ,i ' that the Fifth Amendment did not Spring Hill Baptist unday out of Congress last week, there able contingencies, the fuses pop and the normal flow of bureaucratic - School, 10 a.m. morning worship energy is disrupted. No two emergencies or , 1. Representation in state legislatures apply to state courts. It also upset ; came the latest of a series of serious studies of the manage- crises handled in the 11 am. and evening worship are ever same way. , ; ,i must be based'on districts substantially the 1896 court's ruling that "sepa- 6:30 Rev. T. D. Davis ment of national security operations. It found that an Amer- Even when the expected happens, officials all over town, !I in number of people. but of Ne p.m. ican ambassador abroad, like the secretary of state at home, I equal rate equal" treatment ,pastor; Mrs. Catherine Mc- from their separate perspectives, will weigh American power II The court said this applies to both groes satisfied the equality require- Gill, reporter. was not really the master of his organization nor, as in- and interests against reactions near and far. They may . tended of the of that and ! many arms government wittingly houses. It declared that the "federal ments of the Constitution. The otherwise "make" foreign then act on the predetermined aspirations, but they will be ! policy. guided by a momentary set of priorities, pressures and I system", in which one house repre- court once outlawed the income tax, NOTICE But the report of the Senate subcommittee, headed by Sen. preferences. : ! and the and this over-ruled the Six- Henry M. Jackson, D-Wash., was careful to point out that sents population equally was by The Women's Home Missi on Even in its most imaginative acts, government reacts. \ other "area" or government units teenth Amendment.But Society will meet at the Mt. disorder was chronic and common to all recent admin- Decisions to act, or not to act, are forced upon it by events !i istrations. The trouble, it found, begins at the top (the states), cannot. be applied to Moriah Baptist Church on Wed because a president needs flexibility, that is freedom very to and schedules, by the need to compose a budget, make a !I nesday, July, 1, at 5 p.m. speech, answer a diplomatic note recognize state legislatures. there is no doubt that the improvise, while officialdom needs stability, assurance of a new govern- All interested are invited ment to threat resist attack.It . persons respond a or an court has great power, and the Warren regularity.And . to attend. is therefore to of a i impossible, speak foreign policy as I 2. The U. S. Constitution's Fifth court has used this power broadin out of the White House last week there came a fair single, will or purpose, or even as a series of fixed and amount of evidence of of a president's customary style : Amendment guarantee against self- defense of individual liberties. It op- indentifiable objectives. There are aspirations and there are AILING IN HOSPITALMrs. erations: tough and personal conversation about Cyprus with : incrimination applies to state as has not hesitated to overthrow prec- actions, intents and events, and thousands of decisions and Jereline Gainey is seriously the urgently summoned leaders of Turkey and Greece; sanctionfor : well as federal legal proceedings, edent and to take action in behalfof ill in the Alachua' General. the attorney general to* move into the sensitive capitalsof non-decisions history unto itself.the account of any one of which would be a eo and neither state nor federal.gov- individual rights when the politi- Mrs. Gainey's friends are West Germany and Poland; a cagey minuet with a prominent - ernment an individual's the asked to visit her. Republican resigning as ambassador to South VietNam can use cal process was not getting job I = testimony which has been compelled done. ; some guarded public dialogue with the Chinese Com- ON THE RIGHT munists; a desalination agreement with Moscow, after some by the other in return for a CONVENTION CLOSES more secret correspondence with Premier Khrushchev.NO _ I grant of immunity. The historic The Fourteenth Amendment The Women's Home Mission Who Owns : guarantee of the English Common states that "no state shall make or and Educational Convention of ONE REGARDS a president's maneuvering as improper - Law preventing government from enforce any law which shall abridgethe the Jerusalem District recently or unwise. Some of it is planned. Some is highly personal. - closed and raised $1,203.00, and The point is that the mechanics of government, the distribution : prosecuting a person on the basisof privileges or immunities of citi- 1168.50 was given to college at of power, the pressure felt at different paints, and The ? his own forced testimony thus, zens of the United States ." St. Augustine.The I the great influence of individual personality and talent ren- Body : for the first time, clearly applies to moderator, Rev. T. D. der almost meaningless the oft-heard question, "How is : the whole United States in all legal This is the foundation for the decision Davis, is asking all churches foreign policy made?" By WILLIAM F. BUCKLEY, JR. "' actions. that the Fifth Amendment that have not completed their The testimony of thoughtful officials and observers suggests : quota to do so as quickly as that foreign policy is not really made at all, only managed, The ! state pos- lady is a member ofJehovah's might reason that, the odds to legal proceedings applies sible. Mrs. L. A. Williams, on an ad hoc basis at best. It is buffeted by the colliding president being in favor of the F : 3. A local government must raise though the Fifth originally was insisted of the Women's Conven- visions, gripes talents, fights, fears, errors, powers and pressures Witnesses, anddon't tion have opera. you a duty to sub. : and for its citizens of hundreds of and dozens of of let that put you off: the taxes provide upon by the states as pro- tion. Mrs. Esther W t. Hamm, re people institution, mit to it? Does the state : public schools available to all. This tection for their citizens against the porter. i ''politicians and scholars, businessmen r and newspaper men, her religion, however unusual have the right to snatch r foreign and domestic. you may find it, the reason- up : was the ruling that Prince Edward powerful central government. The an alcoholic who is neglect. that led to her Even less secure is an official's claim to status or Influ- ing acceptanceof .:. County, Virginia, could no longer same philosophy lies behind the decision PERSONALSThe ence according to the neat boxes of Washington's organization it, is okay by us, says the ing his liver and stow him : = circumvent the 1954 school decision that a county or a state can- Florida Institute of Laundering charts. First Amendment quite rightly away in an asylum? I war- not deny some of its citizens the and Cleaning (FILAC) information By these charts, foreign policy is determined by the provided her religion rant tors who thereare not that many doc- system. right to equality in public schools. exchange convention President with the occasional advice and financial supportof doesn't call upon her to shoot Johnson's regimen agree is one Lyndon that was held June 19-21 at the the Congress and with the more regular counsel of key you, or anathematize me, Nor can a state give more weightto leads to longevity might Chevvy Plaza Hotel at Orlando Cabinet members, notably. the secretary of state. or otherwise swing her fist decisions probably will lead class of voters than to they some day, by a fugitive one an- and was attended by the following The secretary, his deputies and the ambassadors overseasare past the point where our : to a renewal of.the. movement for other in its own government. To do persons of this city; Mrs. supposed to be, in their separate realms, the overseers noses begin. The lady is the extrapolation pregnant lady's of the court logic instruct of : reatrictions 'on the power of the 'otherwise is to deny equal protec- Mable Bradley, Richard A. and coordinators of the work of all other interested agencies pregnant, and was told by him as to when, he- ::. court. Constitutional amendmentshave tion of the law to all citizens.In McClellan, Mrs. Jessie Caver especially those dealing with military affairs, intelligence her doctor that she ought to may wake up; how many = been proposed that would bar and LeRoy DeBose. finance, commerce, foreign aid and propaganda. have refused blood them transfusions., on the groundsthat She whiskies he may drink how : such matters as the makeup of all these decisions, the court is The Demonstrations and exhibits BELOW OLYMPUS B' I""l'"Ii her religion opposes the many he must pass up; how : state legislatures from court action, saying that the protection against featured the very latest in I idea. A local official, in be- fast he may drive in his car - laundering and cleaning and under new what circumstances : give a "court of the states" review unequal treatment in the federal equipment, applied technique by half takes of petition the lady's to court health, and, ? - power over Supreme Court decisions Constitution and the rights of indi- professional demonstrators, in- the court a decides that she i : and give state legislatures greater viduals cannot be set aside by the dustry development, silk finishing must submit to the transfus- EVEN LAWS against sui : power in amending the U. S. Con- states. These are decisions which wool finishing and spot- cide are of doubtful wisdomin : stitution. declare that the United States is ting.The ions.The a free society. Fr. John group was sponsored by I reasoning is heavily Courtney Murray, the Jesuit I one country and that individual S&S Cleaners of Gainesville and' J based on the matter of the priest brilliant student of Critics of the court charge that rights are superior to state rights. reports the convention high ly I unborn child, and the deri- church and state relation- J the Warren court is "legislating", interesting and very informa vative damage that would be ships, points out that no law 4t I getting into politics and ordering Ultimately, these decisions, like done to it if the mother per- that is truly unenforceable is tive.Miss Mary H. Thomas of a.v sists in refusing blood; the a sound law. The example he changes in institutions over which all actions'of government in a democracy i is here for lady appeals to the Supreme once gave was Connecticut'slaw Tampa, visiting several it has no power, or should have no will stand or fall depend- days with friends.Mr. Court, but the Court (Douglas passed over a century power. They say it is "amending instead ing on public opinion. We believe and Mrs. James H. John dissenting) refuses to hear ago by the Congregationalbt .t of interpreting the Constitu- they represent the true spirit of this son and son, George, all of her appeal. Our sympathygoes majority in Hartford, kept on i tion. This is the same argument that country and will stand. Tallahassee, were guests of r I S out easily to the child the books by existing pres- friends in the University City TO PEES I and we are tempted to dismiss sure from the Catholic popu- yesterday. wIMSuf the matter from the lation, forbidding the prac- Mr. and Mrs. Robert Anderson mind, but hark, simultane- tice, mind' you, of contraception. - I I and son, James, all of New ously another lady, from an- Any law the enforce of the other state, who is not evena ment .which involves the Voice York City arrived here yester- I People day as guests of Mrs. Anderson's little bit pregnant, also hasa violation of higher rightsinthis s medical problem, also is case the right to privacy relatives for two weeks. told by the doctor that she -than the law itself seeks to I. Miss H. Hawkins and I. Mary needs such and such min is not defen \ nn The Sun's regulate, easily , i . Opinion Page Miss Carrie Simpson, both of order survive istration in to sible. By extension, any law Tampa, were visiting here yes refuses the medicine, the that pre empts the in- S Opinions; and comment of Sun readers are welcome in the Voice of the People column Letters terday as guests of friends. "You've been drinking!" doctor to court: and she dividual's own right to decide t must be signed and bear the writer's address. Names will be withheld if requested. A letter should Mrs. Helen F. Davidson and goes net exceed 500 words and must be written on only one side of the paper. Poetry cannot be used. The too, where no child is involved about the use of medica- Sun reserves the right to reject any letter or to shorten it, without changing the writer's meaning; or son, James, of Jacksonville ar is instructed to submit to tion aimed at preserving his intent. rived here yesterday on a two- Memo the medications prescribedby own body health, is an un- . i Teacher QualityUp be anything better t ban a salary to attract? Dedication week visit with friends. Washington her doctor."I necessary, and therefore a Will Simmons, of Jackson bad, law. teacher. but is fine thing can a ; ville, passed through Gainesville Cowles Washington Bureau TRUST YOU are as hor- The American way, traditionally to Public What's with him is you serve it for dinner? yesterday route to St. " en I is wrong OLD FRIENDS: Sen. Everett M. Dirksen, R-IH., was rified as am, a professorof to wait for gross i the same thing that's, wrong In our community, increasingly Petersburg.HIGH about the importance of making new friends and sociology, among the keen- abuses, before rising up on EDITOR, Sun: Each day talking est men I know, writes me, our hind legs and telling the with minister Peace children a Corps more come hanging on to old ones. A man who had led a profligatelife since your headline "Teach- worker, missionary or coun- from broken homes, grow up SPRINGS NEWS was about to die, Dirksen said, and the priest asked "at this clear departure from courts, or the Government, Salaries May be C u tn doctor-he's dedicated devil?" the traditional and larger un- to go straight to Hell (the er's try a with the restraints of city liv- Receives AppointmentThe "are you ready to accept God and renounce the , of habeas 4-letter word that the worker who's goal is to serve in view of derstanding cor- only nowa- said we have been searching "I'm ready to accept God, the man "but ing, and have crime, sex, violence members of Ml Carmel individual does in- The days shocks the courts). Pre- others rather than devil. pus. expectantly, await- gain power past history I'm in no position to renounce the .. paper outbursts of public pro and prestige for himself.He death and destruction Methodist Church are elated to I my deed own his own body, and cisely the reason why the ing test. No protests. Na comments cares about kids, and what thrust at them from the time have Rev. James Johnson ap- BIG SHOT: At a recent dinner for. civil service workers although the Christian religion Connecticut law lingers on 1 happens to them. He often pointed pastor from the recent or at least most sects the books, Fr. Murray observed - Well thanks for Peace facetiously - even. they can watch a TV set. You here Sargent Shriver the Corps director got a the mud in the face. Finally, works a 12 to 16 hour day with ask more and more of Annual Conference by Bishop I high-flown introduction as a Nobel Prize winner, within it, proscribe suicide is that it is an unenforceable - your Marcus L. Harris. self-mutilation it is law and very happily tin- them and for them I this evening there was an editorial championship automobile racer, scientist, artist, and scholar. teachers.Do Rev. Mr. Johnson deliveredhis indeed to enforced. Some reluctant proscribesuch day 1 by The Sun. It's a start. Shriver gravely admitted to all these distinctions, adding: a judiecia1 : Sure, there are ineffectual inattentions to the zealot will inform first bodyas at High a lady My husband is a teacher. you care if they live sermon "It reminds me of an introduction I once got from a woman teachers in the school sys- Springs on Sunday June 21, in may in fact lead to physi- that she has to have her appendix - " Stand him up in front of a decently or not? You should, who had heard that I liked to play tennis. She introduced me tem. It's wonder there a in his i the services of the City-w ide racketeers in cal death. out or she will die, class resplendent as one of the finest Chicago. - , with aren't many more than there because a college graduateand Church Fellowship held at the Suppose the doctor tells and we will all be up in uniform c atain's p- Army wings and are-$4050 dollars aye a r respected profess i lo n- Mt Olive Baptist Church. you that you have a 60-40 arms over it, and maybe - medals bars, and, pilots he will be gap- isn't much incentive as a be- al worker is much more effective His message will long be remembered chance of being cured if you maybe, I say, because grad- and ginning salary and you in his work thana for surely hearts .. ';. ...! / Jol will submit to such-and-such ually we are inclined to for- awe. .. ed at with respect our ..,.. think teachers take servant. F' . can a"cut" downgraded public Stand him in front of that burned with "spiritual fire" as ao_ operation? Up until now get that effective protest is up ? Your confidence inability Which do you want for your been established still available to will it has us-we class dressed casually and be spoke of the "Four Trees. A.. It practice our to survive is not children and your community that the choice is clearly conclude, like Dickens' :with a textbook in his hand. Visitors are welcomed to visit . reassuring.Just ? The choke is completely : ." : : Is it now Beadle, that often the very and the chs sits back thinking and worship with us at any r yours. yours : and entirely up to you. J tJr; < r luub. the law is "a idiot " "Now what's wrong with what kind of teachers time. Mrs. Esther Black, reporter. but subject to acquies- a ass, - r 1 :this character. that.P he can't, do you expect, that kind of ANN E.. BRYAN cences of th! courts?-which and do something about it. . ;} .. .. . k 1 w t _? n . ( Tu .d.v. June 30. 1964 Gainesville Sun 5" I Peace, It's Wonderful! But Can We Afford It? Earns Joseph P.\T Doni Degree* avm Jr., son _I n_. __j' "'. ..... on n__ 01An.. ana birsf' r. LlUIl- EDITOR'S NOTE-For 25 scientists and engineers who do and the administration-is cool work on.. The problem Is how|basis to help the private economy -novin. ,3448 years defense spending has not know the free enterprise toward the McGovern proposal. are we going to get organizedto do ,some things it would .: buoyed the American econo- Defense Cutback system because they have lived While the Defense Depart- do it. not otherwise do. was granted a bachelor of arts my. A whole generation of only in the federal government ment is aware of disarmament I degree, in absentia, by the environment." problems it takes the "There are four possible waysto "Let me give you an exampleand position University of Chattanooga. workers has never known any Could Stun Economytion that it does not want to becomea use_these resources and I this is not federal policy.At I other employment than mak- Morse said most of the money giant public 'works agency. think the debate is only on two the present moment our fish- Donnovin, now an infantry ing arms. If peace comes, and spent on research was being of them. One way is to reduce ing industry" is in very bad lieutenant, ;compfeled't requirements . defense spending drops, how many people seem to be course, conducts substantial I spent with "companies which Arthur Barber, deputy assis- the national debt and I've talkedto shape. The Soviet Union and for his =: can the shock be cushioned? lieve. work in its own facilities." I are totally incapable of doing tant secretary of defense for many Wall Street bankers China are becoming world's degree Jn Jane By BEM PRICE I The Department of Defense anything commercially." arms control, said in an inter-[who agree,that that is not sound largest fishers and, in the case ary.',He is married to the for* Many believe the money now. alone supports 46 per cent of all Before transitional plans can view. economic policy. It tends to create of the Soviet Union, the most ,mer Anne Baylor Austin, of WASHINGTON (APPeace, spent on defense should be usedto research and development car;. be made, Congress and govern- "The real question is what we I deflationary problems, un- effective. Lookout Mountain, Tenn., and It's wonderful! The question i if::' solve ,some of the nation's I ried on in the entire 'United ment experts must know how expect defense procurement in employment and so forth. "Now if, as a question of fed- is stationed at Ft. N.C. low much peace can the United major problems, such as mass:. States. the nation's manpower is employed the next five years to look like I "Another way, which I don't eral policy; we said we think it Bragg States afford? transportation, air and water and at what. and. the only answer to that think is very, effective, js just is in our interest to have a dynamic - pollution. An abrupt, cutback in defense This is what the Senate sub- question is that we don't know. .to take public money and_spendit fishing industry-wh'ch One thing appears clear: But without advance planning spending easily might mean committee on Employment and "If ,there'aren't any crises as for giant public works pro, could provide food perhaps to The mossy wetlands support: If general peace broke out to- for' the transition, the economy that the United States, instead Manpower, headed by Sen. Joseph there regularly have been in the grams. Africa and Latin America where some 450 species of insectivorous :- norrow an unlikely prospect could have rough going for a of having a shortage of scientists S. Clark, D-Pa., has been past in Berlin or somewhere "The two that I think are useful there Is a need for low-cost protein plants such as the pitcher the U.S. economy would un- time. and engineers, would havea trying to find out over the past else a major confrontationwith are, first, .tax reductions in their diets, then we plant Flourishing from Labrador = lergo a horrible wrench in the 'In the surplus. and a half. the Soviet Union it is which will be - past 25 years the United year spent by the private might spend some money to to Florida, Sarracenia ibsence of advance planning. States has spent over $500 billion Ullman also made the point ,Sen. George McGovern, D-S.D. logical. to conclude that our defense citizen as he sees fit, both build with private industry some I pur- l Prof. Emile Benoit, Columbia in the name of defense. At that blue collar workers, paidon has introduced a bill which spending will be some- for consumer demand and for effective fishing fleets. And I purea draws bugs by an alluring - University economist, told a present defense spending in all an hourly basis, might make would establish a national economic what lower." state and local taxes-to''build mean a few. perfume, then drowns themin I senate subcommittee that sud- fields accounts for roughly 9 per the transition to non defense conversion committee to Would a sharp cutback, in defense -better high schools and so on. "If it turned out that we and the liquid-filled, pit c her- len, all-out peace would, in the cent of the Gross National Pro- work more easily, than the highly study the problem of transition.The spending necessarily leadto "The last one is the questionof the people in the industry had shaped leaves. ibsence of planning, produce an duct all income from all educated scientists and en- bill also would require defense a depression? what I'd like to call selective done our jobs properly that industry sconomic depression which sources which is currently estimated -gineers. industries to'plan their "My personal view is that stimulation of the private economy could then sell its prod- The reddish green leaves of rould add 4 to 8 million workers by the Department of Richard Morse, former assis- own conversion to nondefensework. there is much unfinished busi- '' by the federal government uct on a worldwide basis with- pitcher plants bristle inside with o the unemployed, now about Commerce at about $585 billion. tant secretary of the Army for ness in this country that we can and by that I mean. the ,use of out any government support or hairs which point downward, 16 million. There are 6.7 million people, research, told the subcommittee The Department''' of Defense- put this talent and resources to federal funds_on a temporary interference." !preventing escape of bugs. - - h While there is no immediate I including those in the armed : \irospect of general disarma- forces, working at defense in "We are developing a race of nent, the economy still must the federal government and in I ace the question of what hap- industry about 9 per cent of fens if there is a sharp cutback the nation's entire work force.J. Freak DeathLOS n defense expenditures: includpg Herbert Holloman, assistant those for atomic weapons.: secretary of commerce for ANGELES (AP-Police) Production of strategic wea-' science and technology, esti- say Charles Schaeffer 76, wentto IOns systems, such as missiles, mates the nation's total bill for his basement to fix a leaky las apparently reached a pla- research and development is $17 pipe, tripped on a broken step, eau and there are no plans for billion annually. fell and struck his head againsta lew, multibillion-dollar systems Of this amount, says Hollo cement wall. Then he collapsed - rvcr the next five years. man, "$12 billion is spent for unconscious, in the Stanford Research Institute at such national purposes as defense -three-inch-deep water from the alo Alto, Calif., has estimated: space, atomic energy, leaking pipe. 'If, without developing new health and less than $5 billion He was dead when his wife reapons systems, we just main- for the development of new found him lying face down in ain what we have, Including the products, processes and tech- the water Sunday.BIG . U'ms of conventional forces, this niques." ( rould result in a reduction of In a statement to the senate 113 billion in defense funds." subcommittee on employmentand CHANGE . The defense budget is presently manpower, Prof. J. E. Ull-- Jupiter normally takes 9 (round $50 billion annually. ., man of Hofstra College, Hemp- hours 58 minutes to rotate on \ , Though a sharp cutback in de- stead, N.Y., said: its axis but recent calculations By Popular Demand case spending would be a per-, "The federal government now indicate that one full revolutionis lonal disaster for many people,. supports 59 per cent of all research taking 1.3 seconds longer. By t would not necessarily providehe I. by industry 80 per cent astronomical standards, this is New Store Hours immediate relief from taxa- of that in universities and, of I a drastic change. We Meet or 11 a'lt.-I.l'J.lll., Beat All i AdvertisedPrices " I e in This. .', + bin ' U CZ5't' ALL PRICESGOOD >. THE STORE WITH MORE Area The ,I,, a, y THRU GAINESVILLE SHOPPING CENTER (302 NORTH MAIN STREET JULY 4th I' SORRY 'J.S. 441 South . No Deliveries / ,7" I \ " \ fRanklin 26333DON'T NEW. 5 PACK :" uif ''' '.'' : . I BE MISLED! I RECORD ALBUMS I Ii i We Discount < ALL LIQUORS Ii , I NO LIMIT AND ONLY 3.99 97 I J4i4L A WonHerfull World of Musicin High-Fidelity or Stereo I b Over 3 Hours Playing TimeIn I I 1/2 PINT BASKET FIVE FLAGS I Each Collection i I No Limit Sale! Pick Your Favorities Now Guckenheimer At This Low Price. VODKA t BOURBONS ;,E Dance Party GINS -" I. 80 Proof .' Hit Songs for Every Dance Style .' Reg. 4.192.jrjr Fox Trot Swing Cha Cha 3.39 BLENDS Square Dance Polka Tango Waltz Twist Charleston 5TH VODKAS , Soft Lights-Warm Mood for Dining Dreaming Romance The Rich Sounds of "101" Strings H SPECIAL SPECIALDON a ....,.,. 1t1Q I..1 __ ._ -f, , i) Morches . / 60 of the World's Greatest ( Philadelphia . Sousa Marches Half-Time CORDON'SGIN U.S.A. Regimental Marches German Band Marches 8 Yn. Old LL Q'RUM Marches From the Operas .. ' i&- Blend Ia&ci1db.1.; Romance & Adventure Your Passport to a Musical Tourof Far-Away Places. "101" Strings :-;- 3.295th QTS. '4.49 3.79 5.H Broadway &- Hollywood . '1' - - .... The best of American theater music j SPECIALSANTA SPECIAL Family Favorites t < ,. For Party and Pleasure -., Y +. Familiar Melodies for Dancing, Jh Singing or Just Enjoying. I " EARLY WHITEHORSE i' LUCIA .- .' . Classics . sec A Library! of 'Favorite Works Featuring ' ;y, r Great Artists Conductors TIMES CALIFORNIACHAMPAGNE and Orchestras. == = :: SCOTCH 1 j '" ti BOURBON , t Country & Westerns . r Hit Songs Mad Jfemous by the ' ..::: Biggest Artists ski the Country. -e- - 3 79 2.99 ,5.175th I II 5th 5th , / OPEN 10 A.M.-9 P.M.-USE YOUR CHARGE ACCOUNT I . ..... " II tf f a i .. ', __ __. "" : ' .. ?- : ,-_. ..""""" ,., : <' .c:;; " . Gainesville Sun" 'Tuesday, June 30,. 1964''J 1 women 0 1 f mi .' .City> "'Goodwill Seeds Blossom[ in JapanBy Hints From Hefoise DEAR HELOISE: ous stories, hobby tips, sports JOHN ASKINS y 'Y.TH. 4' .Y.Y 'rYy Molt .1p4. here and more people may ,My small youngsters havea items, etc.When I In Fukuoka, Japan, a dogwood ,see them and be reminded of little friend who comes to -E :.r ,tree blossomed for the'' 5 the noble spirit. play with ,them EVERY my husband and I H f f flIrIIL9 I L Y first time this past April-a : Reminder of Noble Spirit morning. After a few morn- ,are going out, I slip a few tree that grew from seeds ,;. The "noble spirit" Mrs. ings of having him roam of them into my handbag to sent from Gainesville nine y Fukaumi refers to is the de- around the house (instead of read to him while he is driv- years ago. ai ;i r a''" M sire that good -will watching TV with my children } ' grow ing, waiting for a meetingto . "Ruth VVeimer ., . Women': Editor The seeds were collectedby stronger between the two ), I hit upon a plan so begin, at the doctor's of. -*( ** groups The seeds 'especially pre- f" ?R: clude all peoples of the world, the benches upside down on avoid that bored expressionso Fetes Jane HannonMiss pared and dried, were sent to for they point North, East, top of the table, and have many married couples , Girl Scouts in Fukuoka. South and West," she said. the children sit between them.I have when they are out alone .., Jane Hannon, brideelectof Sherry who entertained at.their This month the 'Fukuoka N Last fall, members of the fixed cool drinks in plastic together! Girl Scout 4a Founders Circle of Gaines- cups and popped corn. S. SMITH leaders a Mrs. James A. Adkinson Jr., was: home. , . 'Fukaumi, retired wrotea ville Garden Club sent They can set the drinks and complimented with a kitchen Corsages of white carnations now , letter of thanks and a request "Goodwill Seeds" to the care- pans of corn on the bracesof LETTER OF LAUGHTER shower given last night by were presented, to the bridetobe \. the.benches and ha'.e'their for more seeds to 4xr1. taker of the Garden of the they DEAR HELOISE Mrs. Richard Sanders and her and her mother, Mrs. J. W. outside theater! : daughters, Miss Pam and Miss. Hannon. Gainesville Scout leader Mrs. :y Peaceful God, near the town own Most of my ideas get lost The shower gifts were placedin Clark W.' Pennington, also re- s. of Saga in Southern Japan. Our TV is portable so I in clutter around my house- ,a clothes hamper, which also tired. More Seeds Needed just turn it to face the win- hold which I keep telling to the honoree.A "To our great joy," she This fall, the circle plans to dow and they sit outside for myself to clean when I am was presented color note of and wrote, "the seeds of the Mr. and Mrs. F. Kukaumi, I left a d'o Girl Scouts send 'more' seeds to a Prof. hours watching it. in the mood. When does the yellow 'Goodwill Tree have taken examine the blossoms of a Dogwood tree, which grew Susaki of Kyushu University."It I can get work done mood come? green was featured in the party my root They blossomed in late from seeds'sent by Gainesville Girl Scouts. The pic- is what you do as an and enjoy a of coffee JULIa Gladioli cup appointments. chrysanthemums April of this year for the first turetaken, from a post card sent to Mrs. Clark Penn- individual that counts in the before they get . I and stock encircled ' , time. It is our sincere hope ington, now retired as a Scout leader, was made in development of goodwill tired.CALM MOM DEAR HELOISE: with miniature pots and pans, the park which fronts the Prefectural Government " . that those who see the Goodwill throughout the world today, After pressing a skirt, formed the centerpiece for the Trees in the park ,building. Mrs. Pennington said. table. may DEAR HELOISE: leave it WRONG side out serving Invited included Mrs. understand the noble spirit This first Dogwood to bloom in the Japanese city "As the trees grow strongerand After oiling your sewing and put a clip-clothespin! at' guests behind them. is the result of Project Goodwill, instigated here mature, we hope good machine, sew several lines hem to hold pleats from get David Bristowe Jr. W. W. w Mrs. "In such a hope, we wish nine years ago. The seeds were nurtured by Professor will will grow stronger be- of stitching through a double ting out of whack. 11'u ,.t1, Hendricks III, Mrs. George Harrison to ask you to send us some Susaki of Kyushu University and the trees were tween all peoples governments thickness of facial tissue.It . i rrM't Mrs. R. J. Ward Miss Kit more seeds, if you will, so cared for by the Scouts of the Futakba Gakunen religions and cul This method lets you see Stanley, Miss Rosemary John is much more absorb- which skirts tea that we may plant moreFall tree Catholic School. tures. at a glance are pttIt dgt4 son, Miss Sara Margaret Deck, .. -. '" ent than scraps of cloth. freshly pressed! > utr '-1III1I1IIII1 .Y. Wt Ir" IM I.11I'to I Miss Anne Deck, Miss Cynthia MRS. R. MCLAUGHLIN Calendar I also stuff tissue paper 01 Hale, Miss Sandra Chappell, dry cleaner's plastic bags in Miss Lois Fullagar Miss Eliz DEARHELOISE: I I keep a small pair of sleeves and at shoulder seams abeth Miss Gail Thomas Brid!,' Books Bibfes! Lewis scissors in a pretty box on of dresses and suits which I Plus Many Bridal Items, ,Durrell.Miss Gail Duncan, Miss Sandy GAfW {)(J Of Events my cpffee table for clipping are seldom worn. prevents CALL US FOR QUALITY Also Miss Karen Kokomoor, FashionsShown/ / 'd- articles from the newspaper, shoulder creases. such as column, humor- IDA C. HANI WORK PROMPTLY DONE Miss Freda Hineman, Miss TODAY, June 31 your CHESNUT OFFICE Kaye Francisco, Miss Janis Lof- UoSEflINEL'OWMAN Chi Omega Alumnae, 8 ten, Miss Cindy Lewis, Miss p.m. Mrs. R. C. Philips, 1209 EQUIPMENT CO., Inc. Anne Webb,' Miss Muffet Mer-, NE Fourth Street.WEDNESDAY MR. 4'/2 % 106 W. Univ. Avc. FR 2-8421 ritt, Miss Mary Cake, Miss Vicki JULY 1 ,- Fuerst, Miss Terry Green. $ University City Bridge --- By JEAN SPRAIN WILSONAP Club, 7:30 p.m., Weed Hall, PEOPL'E, BELIEVE IN MA'YTAG Fashion Writer j 107 NW 15th Terrace. I I NEW YORK (AP) Some ) saucy young America fashionsby Troubles? Plop Down, International University Women's Relations Club Man r that 4!% isgonna the former first lady's couturier M I Oleg Cassini, shared the Laugh At Situation i Carmen Group, ,1:30: Harvard p.m., Dr.Divinity John float me limelight with exotic Indian .. School Speaker, Mrs. Walter through colJpge I! I maidens wrapped in 14 karat There is nothing which is I always amazes me that so Probert, 1929 NW 14th Ave gold saris. more damaging to health and many women spend so much nue. Just as contrasting as the sub- also to good, looks than 4 Cycle Automatic Washer jects were the backgrounds for and tension. They can worry make time and ruin so much happiness i. Summer Bridge, University - 4 CYCLES these two shows yesterday,' botha you feel absolutely exhausted, this way. of Florida Women's Club part of the American designer can cause you to break out in Waint Till Tomorrow and Newcomers Group, 8 p. i Fully Automatic I[series arranged by Eleanor a rash and may even change Try to be flexible. Don't berry m., Clubhouse Road. West Newt y Gainesville ,Lambert for style writers previewing your facial contour. Lint Filter Tub ! .o I fall collections.To Yet many women are as take yourself too seriously. If GainesviIIe.Bridge Club, .:: .; a. Mutual Water Level Control Model hear Cassini, the Bob Hopeof tense as though they were you couldn't accomplish all 7:30 p.m., Holiday Inn. 'q' BUILDING 6- Water Temperature A-100 the garment district, waggishly readied. for battle. you had planned to do today, THURSDAY, JULY 1 2; ro:.:r. ..:.t.". x ': C wacp .OAN ASSOCIATION commentate his show, some of then : is < Selector The 'typical housewife has do it tomorrow.If ? American Association of the overflow audience sprawledon + s..,, a.:, 217 N.E. 1st Street Giant Sized Tub S 17 9 the floor of the World Fair 'such varied responsibilities and.' you have to push yourselfto University Women, Morning -y. '3 i% z yws yN.r. Better Pavilion's l is so constantly subjected to the point of exhaustion toget Interest Group, Mrs. James a f;"4y,X Phone FR 6-6771 Lid Living crystal Safety Switch ;small' but hectic crises in her away on a trip today, go A. Noland 1003 NW 22nd room. daily life that she is extremely tomorrow Street. RUSTPROOF.FINANCING or maybe even next CABINET Military Air ]likely to be tense, a lot of the week. The skies won't fall! FRIDAY, JULY 3 -. 'Z_' Ingenue models, all with bluntedged .time. If she' has children of Kill Roaches and Ant The old world and your rela Gainesville Bridge Club, ;Easy Way to i hairdo, and felt derbies ON THE SPOT : I course, the situation is even tives and friends will go along 9a.m., Holiday Inn., 'Your Choice of Credit Plans cocked jauntily to one side, kept :more complex. much the same. up a steady parade across the 50th The VARIETY STORE pink curtained stage. Among Just Feels HurriedA You will find life more interesting Wedding i .. the knee-length daytime dresses woman may not have any and others will find youmore Date Is.July 1 doR''N'y THE modeled were those with mili really big problems but she interesting. You will livea ON 7 S.E. 1st Ave. SQUARE FR 65PEO'PLE tary flavor-brass buttons, may waste,tremendous amountsof lot longer and look prettier Mr. and Mrs. Neal Sexton will ;: Nyy 4 epaulets, and the red, white energy by just feeling hur- years longer, and accomplishas observe their fiftieth wedding : :. ;> BELl EVE IN MA\YTAG and blue scheme. ried and hectic. This can be- much and likely more, if :anniversary tomorrow. Down the street, Indian maidens come a habit. Most of us get you learn to approach daily The couple was married e into this sort of rut unlesswe July a life in relaxed lit incense sticks, turned a manner. 1,1914 in w upa take steps to avoid it. Rochelle, Fla. 4 mystic chant on the recorder, This doesn't mean that you Mrs. Sexton is the former -all .M: .1 MM.4rN :.. ., WL+. t ar wr (I.v'W then introduced designer Adele There are a few habits take your responsibility lightly.It Miss Nannie Jones, daughter of eiuS.. m'.0 n p.a Simpson .and her sariinspiredwestern which I have found to be does indicate that you are sir and Mrs. L. R. Jones. f ,4'l ly/ clothes. helpful: determined survive as an individual ." L Created at the request of the Try not to fret over non- with some energy left Fresh FlareStill Indian government from rich with which to savour life. essentials. If the dress had s silks and brocades the you another fresh princess flare is :". planned to wear to a party If you would like to have a Brush on Once Lattt far Month formals mandarin coats tunics slightly shaped b'ut- shirt = , doesn't leaflet "Individual get back from the Happiness my toning from J JOHNSTON'S NO-ROACH : Simply brush Johnston. or theater suits had simplicity olline. cleaner in time well, wear ," send a stamped, self- down the,side.to the the shoulder ]No-Roach in cabinets to control cockroaches, on sills t I something else, but don't waste addressed envelope with your the hemline the dress floor. At stop ants. Colorless, odorless coating stays effective>' fa aI Sari Drape Shown energy on it. request for it to Josephine into black burst J months. No need to move dishes. Harmless to pets. Then an American model in a and white checked Lowman in care of The Remember No-Roach roaches. I If : means no muslin, petticoat took over the your child catches a cold, Gainesville Son.Good I gingham ruffles'each; tier a / / 1rw small stage in the circular room and the plumbing goes haywireand small, smaller, smallest set Available At All FOOD FAIR Stores ... the strawberries i of you ordered checks. of the Indian pavilion so that an Dessert are unusable and the I Indian miss could demonstrate) plaster falls and Aunt Susie for the'' fashion 'press the sever- Easy and delicious dessert: I .r:w t ro.r al ways to drape a sari. arrives the with eve of her a two dinner poodlesone party. chocolate pudding layered PRE- # ... .... A** Instant designing and with and easy lady fingers sprinkled - ..... which you had hoped would be ironing were two virtues of the with macaroon crumbs. , attractive don't r cry. Just sit t six-yards-long gold threaded I Dry the macaroons before ir. down in the middle of the mess, r saris which'the American women and laugh. Almost all hectic trying to crush them.Don't' ., i /I N1 a. .i y a u..aprn r.w r '+ 4, a., recognized immediately. situations have an element of .# ,*. There was still another. Peel It humor in them. . When the Indian wife is shorton . pocket money, she can'liter- For heaven's' sake don't t' When rhubarb is young and . 7. S.E. ht Ave. FR 6-5348 ally hock her sari for its weight waste your glands being sendLive ,tender, it does not need to be about what I in gold. someone sandr f' :A' ..-_.-... ... ..., ... .....- --- ... or about some slight, r a1 peeled. One , Group - .. ."" *'::.-.-* .. -. .. ." ,. ". -,- ----,.-'::,"-', imaginary. It usually is imaginary r- . . ..' 'L'. I .. .. t Ik =i' ", ...Y DON? MISS ..j: a -- .. anyway, and if not, the .It"" :; -'" ., I .a doubt I THE SOUNDS OF SUMMER SUMMER DRESSES culprit no had / \ some :r- __ a hearing at \ get check-op today : . ,: ,..-.1_, ....,' problems of her own which v"I'"-' ;..': .:. ..... .....\.':* made her act that way. If she GAINESVILLE . HEARING AID! CO. . '* vl'IVVVi. : 9i OUT T'tL',/-A' .':<<", ''*..>>' _.>' \ bother is just about plain her impossible, ?why It 620 N. M.i. '6-0095"\ 33J/3% OFF k.i v-V., .I : /. i c. .! -- 7\ anyway I -, < . * r. .5 .. ; ; ,a PRE4th GUESS WHAT i ? One Group "J"'. _-' , 5ALE1One r JULY SPRING DRESSES WEMOVE' Group SPORTSWEAR PRICE 72 PLUS $1.00 One Group; Daytime .Aftern or : i : .' .. 9 Cocktail"DRESSES .4 All Soles Final Central Charge No LayAwoytSuburban Silks, Linens, Cottons. ... Sizes 5' to 13, Sizes. 8 to 20 , s.J'' .yes we have moved out of our old location Reduced To Price I sf i into a brand new home to serve you better. We COATS i - ., ". now carry a large choice of all the gardening o/ supplies' and equipment to help you have a better 1 0 SUMMER, HATS i PRICE, garden, lawn and crop. Be sure to visit us soon. Select Early At This Saving OFF ,c k... -- .ALL SALES FINAL E' :" Use Convenient Lay-Away . ''''' It'_ ,... . :po'.t.'I. ,.,p.aK- .-.. _-..,*'r .,- -," ;The KHgore Seed Compaq - (e 'mown 1. Division of 'Asgrow Seed Company ) : ' t. .rankllns mouege 51 p" ; j. : ; 4 ; NOW AT : '" : ',.... ......... .. -....-.' .,.. ...1> r J Feminine Apparel . 1 t :x Free Parking Rear of Our Shop .'. 401 W University Ave. Dial FR 2-4606 1315- N.W. 16th AVE. 6-6489\ I : ;;v=; .'105:.W.-University c., FR'6-6348 .' 1 . . -J1Wiii 2':';"" : '. ,; : > ...: ; '. sr* 7 '" < "-- --- - L \ 'I a 0 . r . Tuesday, June 30. 1964 Gainesvilk..Sun 7 Star-Gazers, Once B lack-Robed, Are Now Reaching for the Mnnn. .: m f*M n* '" - - y LOS ANGELES AP) You|only his kind can see. has thrown sudden oI M. ; *v** age a lightof satellites in 1957 the single biggest have probably never met one.They're H you talk to, him and his public recognition on this say-' sum of money astronomershad jnomlcal' by five center being developed When the huge telescope on ing lasts as long as a phy foreign languages; and public European nations I Palomar nocturnal, mostly, words have little meaning ant of the night. ever been given to spend and this Mountain 100 miles sician's. Twenty years or more affairs, because today he and dwell on mountain tops in to you it's because he thinksin Once he wore black robes and was $6 million in private funds northern country Chile.A .on the peaksof I to south of Los Angeles was opened'of study pass before? he wins his spends a great deal of public silvery domes that open only at a poly-glot jargon of technical public view in 1948, nonpro-doctorate. and is involved peaked cap, and ordinary folk -the cost of the 200-inch telescope 'fessional : money consequently. - night. terms invented to con-: Palomar few years ago discoverythat visitors were rare. in fcfliflcs. thought he could tell the future on Mountain in The But they do come down into vey ideas beyond the ken of'from the stars. i Southern California. the atmosphere of Mars Last year more than 15,000 hada be astronomer today must ADVERTISEMENT _ a master of the cities glimpse through the giant mathematicsand occasionally, to ordinary mortals. their wives, kiss their kids greet and If he seems like he's from an- When it became a national Since 1957, some $50 million In was even thinner than supposed glass eye of light from objects physics. Now Many Wr r ' goal to rocket humans into the government money has been would have rated attention only trillions of miles pick fresh other world - up supplies. it's because that away. He must also know FALSE TEETH geology hostile environment of the moon granted by the National Science in scientific . journals: Today'_ it You couia, conceivably, bump is what he deals with most of and planets, only the astronomer Foundation to Kitt Peak National wins headlines in all In 1957, the nation's universities and chemistry, so he can_understand With Litfle'Worr the time newspapers into : Other worlds. the Y one. could plot the trajectoriesand Observatory at Tucson, Ariz., over the world because it counted 168 graduates in astronomy make-upvf other plan- Eailk-laugh aaeize. If you do and his clothes looka But treasure the meeting -, guess what the explorers and the National Radio-Astronomy means 'more millions than by last year the number -'ets; biology and botany; electronics fear of Insecure false ct teeth drooping without, little rumpled, it's probably you've just met a new kind of:would encounter on their ar- Observatory at Green Bank, planned must be spent Jearning had risen to 524 and hundreds and engineering the holds slipping plates or firmer wobbling.ar-1 FASTEETH more com because national hero. more new science Df,.nuclear.. fortably.Tills pleasant powder baa no they've been on him all rival. W.Va. bow to soft-land instruments were rejected for energy. Crummy,gooey pasty taste or feelIng night, neglected while he gazedat He's an astronomer.The lack of facilities. bedause..the !sun:, .and ether Doem't cause nausea. It1 alkaline Before the space age opened Even greater expenditures and men' safely on thaL most stars (non-acid). Checks -plateodor" sights in time and space that blazing dawn of the space with the launching of man-made are planned for a 'new ,astro-.''earth-like)of; planets,., -','." 1 The star-gazer's formal"train- endless are explosion hydrogen; four bombs to six in. drug denture. counters breath eTerywhere.).Get FASTEETH: ' .\.- :' -- '. WED. THURS.-FRI. - : STORE HOURS 10 A.M. ?. IL. ,.9.:P.M.. ._ .' _ .. _ ." 0 .."_ "' , ..., r CLOSED ALL DAY. THE. 4th .':. ," ' a'iri-"i" ... ..,..,...:.,.... -{.',, ... .. .... ..... .. ,.f': ,...,,;., :"" ", .. .3 DAYS .. ., ,"' _". ... '__" . :;. : THE STORE WITH MORE J A -. :;:. : GAINESVILLE SHOPPING , CENTER OF SPECIAL 1302 NORTH MAIN STREET : : LOW PRICES . . ON SUMMER .NEEDS ; : : . : : 0 C MANY UNADVERTISED I. BARGAINS IN ALL . t DEPARTMENTSSome ; : i--f: t: '- , .< ..;,...--- i 'tt: '' ., 'n ,. ....L ', > ;:/ Limited Quantities '" ....1f..". 'B.-, - .' . .. . --. ,'t FAMOUS LABELS OF QUALITY & STYLE : .. .. ; \: rr SUMMER ti r .MEN'SS.UITS /k' = ; ... .. . .- : *' .:: t DRESSES 4 '. w REDUCED @1 + ) sil '- ? I A Y REDUCED 1 UP 3'OOfi. .Ir Mb p w t TO M '! M k '' The names you know and trust. M -.....,- The wonderful easy-wear, easy-care ,Not all sizes and colors but the one that suits you ;:: t I fabrics in summer's nicest cool best :may be in this group .'. and think of saving 1 comfortable styles 30%. "... F I : \ ,r REGULARLY TO 22.95 \( x L4 I MEhTS. TRADLTIQNAL! { SHIRTS 2/5..0 0 "'J r : .! ; ;: : ; .:. "1 ........ ... ; r '"" ___ __ ; : ; - / ,1/3 offLARGE - EI/ '" ":" ' : MEN'S GREEN "I !' &&i r t t WI BELTS ; O .y ? Air Broken sizes. ,2. ._ Ea. -; ... 3 GROUPS REDUCED ; ( qF MEN'S SLACKS A F .-...... -' . GROUP I GROUP :2 GRQUP/,3. ,, REDUCED 40% REDUCED 30% A GROUP SIZE 32 ONLY FAMOUS MAKERDACRONWOOL FAMOUS MAKERDACRONWOOL of a< a. t >c'ak ' SPORTSWEARYour VALUES TO 8.95 ... ; f y r 1 Reg. 9.00 Reg. 9.00 .$1 b $2 :- Favorite Famous NamesIn 14.95 1 12.95 .. :.. ;. I Sportswear r- SHORTS-SLACKS ,- Dacron & Cotton-Cotton' Batiks-Broken ''Sizes :' ..: - SKIRTS BLOUSES, Vi s : ': I ;. r ETC. OFF t' MEN'S WALK SHORTSReg2799'- I, w w y i s BOYS WEAR REDUCED. ' T9' .... . SPECIAL I CLOSE-OUT I PURCHASE. r- DECK PANTS ,. :. ! White-Blue-Red-Not all sizes in all 1.99 i: p yi We made o'fabulous buy from this famous Florida manufacturer colors. Reg. to 3.99 . . .NOW \, ;; and we are passing the extra savings on to you j -- jp .. : BOYS BLAZERS ' 40/0QFF xQ'I 2 s tx BOY'S 6-16 C r tC : ; PANTSJ C Sizes 6.12 7.00 Reg. 10.99. . . . . - r GREEN. ONLY! GIRLS SHORT SETS . : BOYS SOCKS Sizes 14-20-: : .' 10.00 Reg. :4.99 r GIRLS SHIFT SETS /J\ ODD LOTS Reg, .16.9S. .:;, ., . : . The selection is wonderful but they will sell fast at 4 1.00 2.9 this big savings. .. Pair .: > .: .,. ,;$4 .. : ., ,! ,;}:., # r Sizes 3.6X 1.79 Sizes 8.14 2 39 .- . Reg. 2.99 '. Reg. 3.99 .WAll 100% NYLONSCULPTURED :;JsEY: : f \RE5 DOMESTIC. , shift :::s include matching bloomers. : . . RUGS' SCRAMBLE 1 ... -l 24"X36" Values to 3,99 TABLEV . EASY TO WASH. . t TRED-GRIP BACK 2.00. ... : .. ... ' ,' P., ..r "..., PREVENTS:- SLIPPING.! -f <* 4YouTl **- find $ ; bedspreads shower curtains-cafe : :: .. curtain*--towels--etc.ete : . WI j-. ..... ... -i. ::. AllPiOUD B-L CHARGE. ;:,. - 1'0' oesartn , +z CENTRAL CHARGE si STACK CHAIRS 'SAVE' ; 1IADmON AS MUCH 5Q - = NO' REFUNDS OR EXCHANGES ON ONLY 12 LEFT! 1.00 '. AS< j, _.". ) 0 .: pt; = SPECIAL CLEARANCE 1 PRICED TO GO AT. ... .. .. Ea. ;-: '.. .- .. ."'.. . "-... ,. ,oj; /. PRICED, ITEMS "". _. i i . -, : .... " .9 :> t. : ...":." J:' : )4.. ( "II' r " "::10... < . i. 8 Gainesville Sun Tuesday, June 30; 1964 LT j ALL SIZES SCREEN; ; STAMPRedemption -' . W. T GRANT Auto. WASHERSCOIN Center . ( OPERATED) Save Now on Grant's 8-lb. 16-lb. 25-lb. 45-I b. i POWER MOWERS, with S&H. Guaranteed Briggs & Do,ALL Your The Plan . Only Stamp ".1' r Stratton 2'/2 H.P.Motor. Laundry At Once j Big 20" Cut DAY or NIGHT GUARANTEEDBy I F .7.' ONLY 38 at Low CostLow Good Housekeeping rT ,_w _ Cost Drying, Too! Open _, Reg. 44.00"Charge !!.. ;; y It" POWELL'SCOINOPERATED 9 a.m.5 p.m. rw Mon. thru Sat. j i i fG 1.25 Weekly LAUNDRY ---------------- - TE THE 4h north mam street at 10th G EgRA ;iiri gainesville , I 4 \ s" puNM nllrm fp I I I I Hm rri-i I I m1fl1Thu.s.s.. 3 DAYS hoppino;_, WED. THURS. Fly.-JULY 1, 2 & 3 SAVINGS VARIETY CONVENIENCE: FREE PARKING.. NPI IMT'II, E FOR 3000 CARS DIXIE CRYSTALS 4PC., METAL MEN'S LUXURIOUS Pre-4th SpecialFULL CANE SUGAR KITCHEN CANISTER SET POCKET BANLON 88 NOTE- WALNUT t Copper Shaded with Beautiful Pattern. KNIT SHIRTSAsst. SPINET PIANOwith . Must be seen to be appreciated. 5 Ib. . 39C Reg. 4.95 $195 - Pkg.LIMIT Solid Colors 3 99SML.XL Matching $46500 I Value .- Per Set Bench : 1 per customer'with 5.00 or more grocery order LIMIT: 1 set per customer please Must Be .Purchased.. Before' the 4th -- - . PUBLIXMORRISON'S '. GORDON'S JEWELERS WOODROW'SSpecial GRIDLEY ,MUStGSUMMER - Group LADIES CLEARANCEMEN'S Barber Shop JAMAICA SHORTS' -LADIES'-CHILDREN'S .Open 8 a.m.m. Solids Gr: Plaids, " ......-- F -w-, Sizes'8-18 $2 99' SHOES "Closed Wed. at Noon >.1-IIi. f REG. 3.99 "We-- f take....personal.j interest in Z" ; 2.3- A00.5 your well groomed look" Also a Group of Ladies ........................ a"$ a SLACKS. .- .. sR3= 2.99 Special Group HANDBAGS .... 1273.77 I IKINNEY'S 'w'W F Y.M BELKLINDSEYHARDWOOD SHOES -- n 27 Quart Foam InsulatedICE CHARCOALS CHESTHas sA1 BRIQUETS ! .L Rustproof I a ': 4 10 Ib. 59 Handle Aluminum 1 6 6 4 ' Ipp \,, 4S BagGulf REG.2.49 e i !' HardwareWED. LIGGETT DRUG THURS.FRI. SPECIAL Be Patriotic Fly the Flag , Large Portion, Dell's Grade A STANDARD 3X5 SIZE 1 R r BAKED C AMERICAN FLAGSPECIAL 52 CHICKEN OFFER with Yellow Rice... with purchase of 99 C 8 or more gals. gas Large Bowl lee ColdWATERMELON Durable'plastic with metal grommets- ., . 9$ Won't Bum- Rip or Tear.WOOD'S. . J ., t PARK LANE :APETERIA' "66" SERVICELarge -, DECORATIVE WHITE or GOLD LADIES Group . FLORENTINECEIUNGFIXTURE DRESS SHOES. LADIESSWIM SUITSValues .. ", ..... flit 0 Regularly to 7.99 : Screws standard to 10.99 into ' : to socket---add.becuty kitchen.arts-, .__ 8' .- C' 397 & 497SELECT $ = .: dining''hcinw: lrs x $4 & S .o patios etc. ..'. .-'. .-. );; GROUP AT 5.97 :, .f et i 1 . ; NEISNERS I Inc I .. '. j C<'7 .'.. ( ' rj J, .. '"., ,.'.......'....;! BAKERS SHOES ,, : DIANA SHOPS k.:7 9/f : : 7 .,. . N , ' 1f " 5' i 1 r ._. r9 . '- -- -" - : ;;' -J.---t -* June 30 1964 Sun 9 2 ( ."'\ r Tuesday, GamesyiUe u.s. Expected To Seek Indictment (J I I !Banker" ""'\: 'y." . Police Pay-Off in. Harlem Is Slain II Against the Communist Party Ktm ark lrtttttS I The sergeant returned to his afford to stay in business much NEW car and the numbers man left longer." 2 In MiamiMIAMI YORK This is the story of a payoff by a policy the bar and entered a nearby Cominenting on t the payoff, he WASHINGTON (AP) The to register,'and $10,000 for fail-. represented in public by .its of- That's why, it was learned, AP Mossier numbers man to_a police ser- barber shop.A said the sergeant makes more government is expected to seeka ing to file a registration statement ficials, who clearly label them- government experts are nearly ( ) -Jacques geant in central Harlem. It took barber, who takes the num- than I. d new indictment' soon againstthe selves members of the party sold on the reindictment ; owner of banks in the Mid -. place on June 1 and was :vit- bers bets as a sideline, had The payoff, according to the u.s. Communist party, The U.S. Court of Appeals re- and disregard the possibility of on this unusual plan: ami area and the Middle West, nessed by this reporter duringan watched the police car drive up. numbers banker, tikes place every which has refused to register as versed the conviction last De- self-incrimination. -To seek out a volunteer, be was found slain today in his investigation of the numbers He had served as a lookout two weeks, each: time at a an agent of the Soviet Union. cember. A de- I from the window for barbershop three-judge panel he racket.A different location. Nevertheless, the court refused lawyer, newspaperman or apartment in a luxurious Key I This it learned is cided that the party officers other unaffiliated numbers banker dressed in any unsual activity while the Asked was to reconsider the decision. individual. Biscayne residential building. I for comment on this the course most likely to be followed -the who should have registered had The Supreme Court. ,when the .=To inform the party, somehow Dade County police said the a dark silk suit, entered a ,bar; "cops were in the area. He account of the payoff, Police constitutional to I II motioned to the numbers banker right - by the Justice Depart- protect department took its case there, that a volunteer is ready, 69-year-old Mossier has been' on Lenox Avenue at 1:15 p.m. Commissioner Michael J. Murphy themselves from self-in- I that it all right to leave was ment in reaction to a court decision also,declined to review it. willing and qualified to registerit. stabbed. He went to a corner at the rear, - crimination. The panel held fur- the shop. thanked the New York upsetting a 1961 convic- .. of the bar and counted out $1- of his ther that the burden was on the The loss was a bitter pill. It They said members Times for the information and 500 in small The numbers banker tion of the party on the same home found bills ((5's, 10's and20's carrying - charge. government to prove that there had taken more :than 10 yearsof -To give the party a reason family returning : ). Some of the money had the, brown paper bag con- said he would begin an immediate . litigation before the Supreme able time to' bake up the offer him lying on the floor. Other was someone available to volun- just been collected from a num- taining the money, walked slow- .investigation. Government sources indicated Court. in June 1961, upheld the and '''register.To details were Snot at once avail- tarily register the partysomeone bers' controller: and four num- ly from the barbershop to the the new indictment will be who would not be concernedwith constitutionality of an order of .- go before a grand jury, able.Mossier bers runners. squad car. He tossed the bag painstakingly timed possiblythis possible self-incrimination the Subversive Activities Con- ,should the party balk, and ob- had controlling inter- Accompanied by this reporter, onto the back seat and returned Jamaica Swept to allow the trol Board which had found that est in the Central Bank and summer- gov- The government, demanding I tain a new indictment. the banker walked toward amen's to the bar. ernment to avoid the pitfall full-court reconsideration said the party was a Communistaction Trust Co. of Miami, in which his I Winds : By The official decision of High I coursewon't room. The door was opened The white bar owner then tooka which won the Communists a the[ 'law that the group, dominated and con- pretty blonde wife, Candace, be- requires partybe be disclosed until the in- by an electric buzzer operated fifth of whisky from the bar, reversal of the 1961 conviction.At registered, not that the per- trolled by the Soviet ,Union. dictment is returned. came a director last year. from behind the bar. put in into a brown bag and II I MIAMI (AP) A squall with that time, the party was son who performs the registration The Justice Department still Once registered, the partyas He also controlled the 'Central In the men's room, the placed it on the front seat of winds gusting 40 miles an hcur convicted of failing to register be a member of the party. is considermg'what new stepsto the only Communist action Coral Gables First National banker stuffed the money into a the squad car. The car drove swept Jamaica Monday night as .with the attorney general, as re The government made. clear 'take against,the party, in the group in the United States Bank of Chicago and the American brown paper bag that he had off, with the patrolman driverat an easterly wave traveled west- quired by the Internal SecurityAct that it felt the party's use of light of the Court of Appeals de- would be required to make Bank and Trust Co. of South taken from a right hand jacket the wheel and the sergeantat ward through the Caribbean.The . of 1950, arid sentenced to the Fifth Amendment was a cision. It has been studying two available its records report its Bend, Ind. He also owned a pocket. Holding the bag in his his side. It was then 2:05 Weather Bureau at Mi- $120,000 fine $10,000 sham. It said the party, throughits principal alternatives whether chain of finance companies. a - pay finances. .label its publicationsand hand, ,he went to the bar and pan. ami said winds diminished early each of 11 days past the dead- wide open propaganda program I to reindict the party or to in other ways disclose to The 'Mosslers came from ordered a scotch on the rocks.At . line in which the party failed never has hesitated to be retry the old indictment.The the: government virtually every Houston, Tex., to Miami sever- 2 p.m. a squad car from Back at the bar, the numbers Forecasters today to highs said of 25 the to 35 easterlywave MPH. latter would require the move it makes. al years ago.STEEL the 32nd precinct, driven by a banker ordered another scotch has weakened considerably - government to provethat a vol- It's for that reason that the patrolman, parked a few doors and complained about what he and merits notice. hardly AT THE unteer was available back in party already whittled downto TRADING down the street from the bar, considered the excessive amountof 1961, to register the party. That' less than 10,000 members-is Steel imports last year total- A police sergeant got out and "protection" he was being Hurricane hunter planes which course of action would be en-I' fighting to the' last ditch to ed about 5.5 million tons while walked into the bar. The white forced to pay. i investigated the squall line over ormously complicated and ten- avoid formally registering with exports dropped to slightly bar owner signaled assuringlywith "This game is almost up for the weekend did not plan another - LIBRARY"The uous, at best, in the courts. the Justice Department. more than 2 million tons. j a slight wave of the hand. Negroes," he said. "We can't trip. ... 1 Spire," by William Gold- standards ((215 pages), the bookis ing. Harcourt, Brace & World, so densely written as to con- DOWNTOWN. GAINESVILLE. : I 1964. tain more matter for thought i _ than most novels twice or three ; By MR. and MRS. times its length. It Is writtenin . A. GERALD LANGFORDMr. deceptively simple language, ( Langford is an assistant but so economically that it often _. I ' IS STARTING THE 4TH EARLY professor of English at the requires re-reading. "The University of Florida and Mrs. Spire" is so full of ideas and . Langford is a member of the symbolism that the reader can I .\ 'k' .- I staff of the Gainesville Public spend many hours puzzling over .. \- - Library.) it and discussing it. I. ) \ WITH c i I The following new books will : The reader who expects a be available at the library tomorrow Golding novel to be an extra- : will not be disappointed - ordinary one HOME AND FAMILY BANGUPP in "The Spire." It is ( "Pushbutton . Parents and the will bone it safe to predict that Schools" (Mok) the role of _ books of of the outstanding the family in solution of school ; IM the year. : -1 problems and pursuit of top . The two principal characters quality education; "Stepchild in M in the story are a dean of an the Family" (Simon) a viewof ( BUYS English cathedral and the medieval children in remarriage; "The master mason he ha Complete Book of Desserts"Smith , , hired to add a spire to the already ( ) a wide range of .. .rOo. . impressive building.'Th American and foreign recipesfor .'. .. : .. .. .. : , mason is preoccupied withthe the beginner and the ex- ; .-.' '. .; i' :': " problem of imposing additional perienced cook; "Delights and hljL , weight on the church Prejudices" (Beard) food re- / . columns, whose strength is taxed miniscences and gourmet recipes .,\ ,. ."... .r.- .."..___. ., _' .It .. ;., to the maximum. He is con- ; "Living With Antiques" FOR GAINESVILLE'S PRE-FOURTh cerned with stresses and strains (Antiques Magazine) an illustrated +; .! -.' ... : '> c'. and all the practical details of tour of 40 private .." 4-1 w ' construction. The dean, inspired homes in America; "The Min- l ' by a faith that almost literally iature Rose Book of Outdoor moves mountains, succeeds and Indoor Culture" (Pin- in forcing, through the ney) the varieties, culture, sheer exertion of his will, ,the and arrangement of miniatureroses. ,. JULYJAMBOREE r- completion of the "impossible" ... ",. ". L'._....._._:. ... J.,,.... " .. . project. The conflict betweenthe ".. ,i TRAVEL AND TRAVEL ,, . '" - two men forms the main of i "' STORIES body of the novel. . "How and Where to Vacation The dean not only squeezes With Children" (Kiester) ad- superhuman efforts out of the vice on all aspects of travel in and his men a nd mason the U. S. with children; "Scandinavia" - achieves the miracle of the (Baedeker) an spire, but also seems to elevate to-date comprehensive guidebook up- z1 ,.. himself above the lowly business "'1 ; "Tales of the Frontier"ed. ' of activities, everyday ( Dick) 80 vignettes of ' above the terrible consequencesthat 3 frontier life and adventure ; attend the construction, "All Over God's Irish Heaven" - above even the duties of his (Ward) a travel account - His effort is - deanship. every r concentrated, in the elevation of day-by-day living in ,'.J" j r4..r ' Ireland; "English Villages"Banks 3 BIG DAYSWED.THURS.rm.' of the spire the symbol : -.: : ( ) general and parti- .. ?' ,..... .. ") _ and to God. 3f praise prayer cular information on the indi- But, ironically and tragically vidual villages; "Around About after, the spire stands, the America"Caldwell( ) the au- dean collapses.' His physical thor's observations and exper- breakdown is matched by Ii iences while traversing the con- spiritual one. In a climatic series tinent; "New Wind in a Dry . of revelations he becomes uid"Laurencej( ) an accountof aware that the driving force a sojourn among the nomads _ which enabled him to overcomethe Somaliland. _ tremendous odds inherent in GENERAL INTEREST 1st. 2nd 3rd d building the spire was not love '; July t ti ; of God but a desire for self-ex- "North of Heaven" (Rodli- ' pression a nd self aggran- a teaching ministry among the '" :"'. __ dizement; that the funds for construction Alaskan Indians; "Integrationvs. :. '.' .r ..... obtained through Segregation" i. - ( : _ were Humphrey-) .. ..... ,: ,, ,. . . Illicit love; and that his advancement articles by 17 writers on the sig- : ,. .*>> : '. ;......1'.'...- ." ......'<- :. .. . to deanship, enab- nificant aspects of the problem; ,. .. f< _ ling him to order' construction "I Just Happen to Have Some of the spire, was due to favor- Pictures" (Ethridge) a book " Itism rather than to his merit for grandparents; "A Star Call- t I I fi1. MOST STORES ARE The physical and spiritual ills ed the Sun" (Gamow) a guideto . combine to destroy the old man. what science has discovered L OPENFRI. about our sun: "Western Eur. . Although brief by current: _ _ ope Since the War" (Freymond)I political history of Atlantic I 4e Europe during the years of recovery NITE Peace Corps ; "Health in the Later . Years" (Rothenberg) medical . Set guide for those past 40. Tests . FICTION 'I SPONSORED TIL 9:00 On July 11 "The Odyssey of Kostas Vola- _ kis" (Petrakis) the storyof \ 1 BY YOUR .\. : -- I =. ' Peace Corps placement tests a Greek family, immigrantsto : 1 " rill be given locally Saturday, Chicago; "Complete Short DOWNTOWNMERCHANTS [July 11, as well as in three I Stories and Sketches" (Crane) ' icarby areas, beginning at 8:30 Stephen Crane's stories presented - . in chronological order; R' |'in- "Not in the Calendar" (Kennedy t , The U. S. Civil Service Com- , ) "the of nission will conduct the exam. story an unorthodox t. .. ' nations in Gainesville at the saint"; "The DeviousOnes" ASSOCIATION: : ; (Lockridgea) ederal building, at the main young : girl "framed" and ; possessing nc offices in Lake City and pst , knowledge of a "lost afternoon"in " 'alatka, and at the Ocala fed- Manhattan; "For the Goodof ... .... ral building. the Cause" (Solzhenitsyn) 3AIRD HARDWARE FAGAN'S BOOTERY JAY'S DRESS SHOP G. C. MURPHY'S SILVERMAN'S .i 'WILSON'S1 Questionnaires that must be Russian contemporary novel CANOVA DRUGS FOLDS HARDWARE L & L MEN'S SHOP PERSONALITY SHOP STOCK'S WOOLWORTM'S Ned out before taking the test individual rights vs. rights ,. CITY DRUG CO. GRESHAM DRUGS LANIER RUTHERFORD'S SMITH-DECK-STORM HATCHERS JEWELERS an be picked up at post offices the state; "The Stone CHESNUT'S GEIGER'S LIGHTER'S RUDDY'S UNIVERSITY'fGAIHH'lrLLt SUN i the four cities.A (Laurence) episodes Off COX FURNITURE CO.CHERRY'S HOFFMAN'S LIBBYE'S ROBERTSON'S NEWS STAND Peace Corps applicant must scenes relived in memory PHARMACY MITCHELL'S SHOES SEARS-ROEBUCK VIDAL DRUCi!: CO. *x-i1".e.r. .iio! y t at least 18 years old. j an aged w y t man.'J t t "% iS" , a: - .- . 10 Gainesville Sun Tuesday June 30 1964 ' Rundown, of Bryantfs Appointees Shows 'Hopes' for Burns' Men. \ _4l ""''l - By ALLEN MORRISTALLAHASSEE y will go to early believers indicates he won because a majority it's the last race that counts. for the Racing Commission at haps, Mayo. An enjoy travel pointed to the Board of Con- eligible and available people to \. -- If Hay-who remained faithful. of the new, second primary NOT UNIQUEThe $6,000 a year. allowances and certain prequi trol. Hans Tanzler of Jackson- serve in the nominally full-time I don Burns 'become governor, You could voters simply didn't want matter of resolving the degree Tom Cobb of Daytona Beach, sites such as the Racing Com- ville became Judge of the Criminal places among the appointeesthe any of the seats.at the)head ta.I -.say who that hope those for the other fellow. of political obligation is a campaign troubleshooter like- mission's box at race tracks. Court of Record. public regards as nearest ( serving of pa Crackera No politico can justfiably ticklish but certainly not wise remained in private prac- Wendell Jarrard, then of Pen There were other Bryant lead- the governor. unique. Fuller Warren had this tice, adding the attorneysh tronage fare claim much credit for riding sacola, an old family friend from ers in the' '56 campaign but Explaining why there were Politicsble problem, as did Dan McCartyand for the Road Department at $6- will be placed those are the ones whose names Restaurant Commissioner R. A. that tide. The third table crowdcan Ocala, became Chairman Di- at three tables,! Farris Bryant. A reasona- 000 a year plus $25 an hour for f stick in What happenedto Riedel and Motor Vehicle Com- \ each expect only the leavings. bly fair analogy may be drawn work approved by B r y a n is rector of the Development Com- memory. . ; represent- | them to F.dC ' o y (4* 7 ; seems provide a missioner Arch Livingston - : lug participation Whenever a man runs for gov- between the campaigns of Bry- Road Department Chairman. mission. The chairmanship is good pattern for what may be among the five administrators ,in another of the three ernor and loses, then ant, who lost in '56 but won in and the ' runs again Three of the six members of I honorary directorship, expected by his 60 leadership the Governor said that because | Democratic primary campaigns and wins, questions of priority 60, and Burns, who lost in 60 the Bryant road board were full-time, pays $14,000. There.is should Burns become governor. Riedel and Livingston already Burns waged. arise in the distribution of the but won in 64. '56 supporters. William T. Mayoof reason to believe that Jarrard Jobs, of course, are only one lived here they could afford to I Burns appears to be in an ex plums. Did defeat wipe out the Let's see how Bryant took Tallahassee, Max Brewer of I assumed the directorship not for kind of gubernatorial patronage. 'take the jobs at the salaries ceptionally good situation.' He original obligation? After all, care of those who had faith in Titusville and John Monahan of i the money but to insure the day- paid. Riedel draws $11,000; Liv- C owes little, if anything, to those the race tracks don't payout him in 56: Fort Lauderdale draw $6,000 a to-day control of the Commis- DIFFERENT IMAGE 'ingston, $11,600.Paradoxically. who to him in the on the losing when The fact that only twoKynesand swung only races a year, and Mayo an additional sion's operations which he felt runoff. The margin of victory horse finally wins. For them. James F. Kynes Ocala,Bry $10,000 a year as administratorof was necessary to put his hard- Jarrard-wound up in Bry- as Mayor ant's '56 state campaign mana- ant's "little cabinet" illustratesthe Burns will find, if elected, the interstate road system.PARTTIMERS sell promotional program into ger, first became Executive As-, difference between the pub- when he puts together his offi- I total effect. He recently'relin- Screen Guild Strike Looms sistant (the No. 1 man after the I quished the directorship.Julian 'lic and the real image of that cial family, there are literally I Governor) and then Attorney Joe Bill Rood of Bradenton is group of administrators respon- hundreds of State emplojes paid . HOLLYWOOD (AP) The time after midnight Tuesday, a General at $19,500. Willard Ayres secretary of the Racing Com Lane was Bryant's key sible for the operation of those more than some of the officials Screen Actors Guild has announced spokesman said. of Ocala, the co-manager, mission at $4,200. This is a part- man in Tampa.but Lane had his State agencies directly under upon whose talents he will have I that contract negotiations The union is seeking higherpay elected to remain in private time job, as are all of those list own political career to pursue the supervision of the governor. to depend in considerable mea with television film producers for film reruns and foreign ,practice (the usual course for ed with the exception of the and became mayor there. Ches- Governor Bryant once put a sure for the public image of BRYANT have broken down, and the exhibition of television films. lawyers) but serves as attorney places held by Kynes and, per- ter Whittle of Orlando was ap finger on the problem of finding the Burns administration. .I guild is preparing to strike. Strike ballots have been sent to 15,000 members of the AFL- You Can Count on Us Quality Costs No More at Spars, CIO union. If 75 per cent authorize - a walkout, it will come any- Coeds Grace r-r 'Q ,.W,>,. u g ti f's iu Colgate CampusHAMILTON f C R.w. I Sfsf u6a N.Y. (AP) A i .,,fMq 145-year-old barrier fell Mon- day amid the sweet scent of per- 4 4 t'. fume and female voices on the Colgate University campus.A . select group of 16 women were the first women admittedas full-time students at the all- Lightweight Straw Light Plastic No-Stick Tiffon Two-It. Bedroom 17x29 in. Oval Big 12xl2-IncK male university.The Sport, Utility Caps Garden Hose 10-in. Skillets Ceiling Fixtures Scattera Rugs Terry Washcloths50ft. women are enrolled in the ,... university's graduate teaching- Sean Price 17c 99C Reg. 2.7r I77 Sears Price* 99c Sears Price 88c Ss 12 for *J. intern program. The summer Rsg. 1.29 KYNES -I . session began today. Legion and Ski style! caps fag, 38 inch diameter. Green Cook the easy greaseless way Square 12-in. frosted glass Braided design rugs in radiant Heavy extra-weight cotton terry ture side vents imported Toyo opaque. Easy to handle. Strong with Teflon. No sticking! No shade has leaf design. White hues. Heavy for busy traffic washcloths in on assortment I sweatbands. 6 A to 7r1/ for such light weight. scouring! Food is delicious. pointed metal holder. areas. Brown, green. of mix-match colors A. L Iffi7 nUlJ YV t .: Q 1C \ fJ Wf\Y 4- d SALEat -. -- . r. u.: '.: '...- J.=.: .. SAVE 22.95 SILVERMAN'SIS '; i/ ."' ." 1:girt: ,.. ""' ,"""MniJI( /'' .' ' :' "' 'I:' ..' Fi.. ; ":. ";; 4 4- i"" :JD ", ..-_t'! \ :.k'.: ;.., -"''.... ..1..:;... ,:\..-- I I/r I j' ;;".I Di !t. : .' ':'if EXCITINGLY( ,DIFFERENT '' .{-t 1t d 4. .'7: @J 'i. ',i'f. .i..hi",1'11";'' JI 17.2 Cu. Ft. ., AND REALk'QRTHWHILE.I I ,. .: i 1 I ........'w--- .A............ 1"1 r Coldspot __a r' ' i"n In l!:! nrif'1,! W4ll., : : } "..., --I' I(@ ._.I.......:-" f. I.'r L.II 0, 111':.:; ,III.lF) j t "JULY JAMBOREE PRICES" ;, ':::j .: '-7.. :; j '.i'' ,'! ,\. I r\1'L ' i :" FreezersRegular :t niirf. .! - r ;n i iii ' ,,,., ...... J "We've a fine grouping of BERMUDAS, ; ::::1.--.. '.-.I ,'I" 1---.,. .. I , i. : I'J- E " (/: L ! ; r R 4 w ... ;.... .,....., ., SLIM PANTS.- and. SKIRTS. You're sure to I ."3. ek.:?. t' .t "-:- .; ....-. "-' -:::x:1-, J II:I 219.95! 3 Days Only t !I :I \. .rgJ -" . i'WlI' ' find outstanding. bargains.. = .: : :!!I tgJ[ @: I ,_,= ';: ; = ; $, 'I. ".,. '.. -=_if""';.' : ....,.-... I I '. I : rr\ol.J ttt. -\;; ---: $ t. :r:: .; I i 1\r. :.. \i :r ._ i -- J Stores 602 Ibs.No 197 t :;.. {..... i\, 1i.VJ{ i' _' ,. "" to1/ off I ;' 111'1.1' ; :::'::,;:,:;;; Trade-In Required up w "' :ri I.., :; 1 ' I i . F"'" a', ;':...., .! .....' I 11 t. I I It l ....,_1' J:... :.:. f ... It ." J i'II1'ii 'l%i'r. i. "" I NO MONEY DOWN On Sears Easy Payment Plan and we have an interesting collection of E?) l' ;, j t jI a a: Your "Supermarket at Home"Owning BLOUSES, SUITS, CO-ORDINATES, SPORTS i ' DRESSES, BATHING SUITS, BEACH HATS :, u I ItiT a freezer means shopping for food less often and taking best advantage of grocery bargains. When you entertain you and BAGS.UP. > ._.,.... .....,. ... ..., can have food prepared in advance and frozen. Save time by .. i .... -_.-w"' "" II main in and the .N."' preparing courses quantity freezing extra . 4 ' \ ,.. ._.. ;" -J, . : .f ,;,ri M' portion. Have more food on hand always be prepared when ., """"" U y Um! ul l unexpected guests drop in. Enjoy these advantages -and many nu n H t UU>?"U more-by being a Coldspot Freezer owner.. ..o,. tOr/2 offA ."I... ;-. - Limited Selection of Y . COSTUME JEWELRY AT GREAT SAVINGSAT . 1 1/3 OFF 4 I II I I .. >; Enjoy the Convenience of a i t'! SILVERMAN'S CHARGE. ACCOUNT. . ... .' :0. < . .. .. Y 1- , S JJ. 14.1 Cu. Ft. ColdspotRefrigeratorFreezer Save 42.5 on 3 Wash Save 21.95 on Shelf- Thin Portable TV ..,.. '" I Temperature Washer , -' ., .,... I . <. Save 32.95 .:; : 217 .. ""' '- Regular 189.95 Q147' 98 : f 1 OS-lb: True freezerAutomatic a: SpeakerTerrific IZ-Ib. Capacity I- defrost refrageratlon-you don't , J: lift a finger. Twin 23.6-qt. crispers. PermaSo simple to operate .1 just set two dials and low priced set for den, children's room WflW ,I nent porcelain interior. "Bookshelf" door forget it! Select "just right" water temperor office Big 19-in.? overall! diagonal screen, shelves. Cold Control maintains desired temature for any fabric. Has lint filter, 'p )rce17 -sq. s In.; viewing area. Up-front controls for , .. I peratures. lained tub, safety lid switch, acrylic finish. easier tuning. Attractive green metal cabinet tJ ..r-..: .-: . 225 W. Unlr. Ave" Parking en ht Fed. Lot I Shop at Sears and Save SEAR Cj 14 South Main I Tues., Wed.,STORE Thurs.,HOURS Sat., Mon., Fri. 'K n.. ... I! Satisfaction Guaranteed ur four. Money Back Phone 372'8461. t 9 a.m. to 5:30 p.m. 9 a.m. to 9 p.m. . ." . 1 .,. . 1l ,1 Tuesday June 30 1964 Gainesville} Sun 11 t ..,' .. .' , 'No -Iss' e1kdf4 Viet : "Nani Explained 'h Lodg e 1.1 . ," .: . - WASHINGTON (AP) Henry He adds: months as ambassador to South White House, then went before comes an issue whether,the pol- The second question, why did to go better and I felt my duty Q. There has been much Cabot Lodge, expanding on his "If you have a disaster in foreign Viet ,Nam, returned Monday to newsmen with Lodge at his sideto iticians make it one or not Happily I! wait, is really the question, was to be here. speculation in,the United States relations than that be- help Pennsylvania Gov.'WilliamW. express public thanks for his I see no prospect of any what made me come home early Q. Did the messages come about the possibility of strikinginto view that he doesn't see how comes an issue whether the pol- Scranton in his campaign for services in Saigon. disaster.Q. ? I was not waiting, nor wasI from Governor Scranton and: North Viet Nam and pos- U.S. policy in the Viet Nam war 'friends of his? I sibly China. Do.you:favor. such iticians make it one or not. Happily the presidential SIn could become a campaign issue, Republican replying to questions submitted ,How do you propose to intending to come home this strategy?- . I see no prospect of nomination. A. No, they came from per- any to him by Wes Gal- Senator how it gets overcome 0Goldwater'slong early. But I got from don't "I see messages , says :disaster..n sons interested in me who want- A. The answer to that question make it President with lagher, general manager of the lead for the nomination? met votes how can Johnson I esteemed you friends-people , I say- infor classified do the into ed to see me right thingin gets I Associated Press, Lodge said And why did you wait so long who theThe Lodge after at a good issue. resigned 10 the retiring ambassador ing hat if I came early it this campaign. mation. in Viet Nam "things started to to come home to enter the cam go better and I felt it was my paign? might m!ke a difference in lS Personality Shop .duty to be here" to help Scran- Governor Scranton's campaign.Then "Dropoutsll A. That's two questions. With High School things in Viet Nam started I ton.The respect the first one, I'm not Here's News questions had been askedof sure he has such a long lead. I Exciting Lodge in Saigon, but he said remember when The AP gave Glades Show Lose $25 to $50 per weekNEW he preferred to defer his replies Senator Taft a long lead over until his resignation became ef- '' YORK, N.Y. (Special)- This preparation can be competed - General' Eisenhower in 1952. Recent Government show quickly spare fective Monday. Success reports as as your 1 You can't take the delegate Big that persons without' a High time permits. The questions and Lodge's re- pledges at face value. School Diploma earn $25-$50 less I The: State diploma issued when: I'plies included: NEW YORK (AP) Seminole per week than High School Grad you pass the High School Equiva- bIUINGS Q. Governor Scranton disagrees (The current AP survey of Indians and reptiles highlightedthe uates. A High School Diplomahas lency Exams receives general Civil actually been estimated to be:acceptance in busniess and with you that the war in GOP convention delegates lists opening of the Florida Ever- worth $250,000 during a person's Service as the equivalent of a South Viet Nam should not be 693 first ballot votes for Sen. glades show area at" the World's lifetime.To regular 4 year High School Di ! an issue in,the campaign. Now Barry Goldwater of Arizona Fair Monday. I help overcome the tremen- ploma. Men and women, who dous "Dropout" problem, States.lack a High School Diploma are that you are supporting him, 38 more than the 655 needed for From coast to coast row offer a being urged to follow the thou-, STARTS TOMORROW July 1st how do you expect to resolve nomination if they stick with Officials said the show was a Special High School Equivalency sands of "Dropouts" who have A: this difference? I him. Of these, 118 are from smashing success drawing big Diploma. This diploma is being !already bettered themselves by. crowds. made available to the 62,000,000 getting a high school education.An A. .I, have not said it should primary election commitments, adults who never finished High informative Home Study not be an ,issue. I have said I 257 from delegates instructedby Featured were the Ross Allen School. School Booklet is being offered 1. DRESSES don't see how it could be.'I don't state or district GOP con- reptile show from Silver Springsand The Board of Regents of the free of charge to serious minded State of New York has chartered persons who need a High School see how it-gets votes =: how you ventions, 62 personally pledgedand Seminole Indians from Big: the Notional School of Home I Diploma. Requests should be can make it a good issue.If 256 who favor him. The survey -Cypress Swamp living in chick. Study. This school now offers a mailed to the National School of have disaster in foreign shows 138 for home study course that helps"Dropouts" Home Study Dept. GS3, 34 you a Scranton none ees, or open_side thatched-roof prepare to pass the Peochtree NW., Rm. 701, At L You get the summer,savings while we.make way for I relations, then that be- of them bound to him.) dwellings. Equivalency Diploma Exams, lanta. Ga.SEARS . - t ;p Fall. Hurry in now choose from a grand and glorious array of dresses with a big fashion life,. little price. -Sr Misses. Women's, Junior Sizes IzA1wI . Such famous names as:' 1 Jonathan Logan Jo White c a. e R' >EBUCK CO 'J ( o fJ WJN I4 Betty Barclay ,Sue Brett , Q' A wide variety of styles, fabrics and colors . -' to choose from. yi FramedRolled ... " 785Reg. Mirror Glass 14.88 ,/r...,1; ,, Reg. 9.95 6' 10.95 Panel Bed, Twin or Full .mot : Plus Nightstand Regular 51.90 39.88 (' 11.95 & 12.95 Reg. 14.95 & 15.95 Regular 47.95 885 1085, Chest "9.88 .. Z Reg. 17.95 Reg. 18.95 & 19.95 .x .., tlN 1285 1485 'A I f CIL i 5: a r'A i I l NO SKIRTS MONEYDOWN Regular 47.95 b :1M Desk 39 38 JAMAICAS I / j .. R*. $5.95 $485 I 1/ I ( I ANDSLIM .r.4 $6.95..... < 4 i JIMS bt. $585 ;: ; :: t ...1./ $7.95 ........ Regular 47.95 ;r Dresser Base 39.88WhiteQjrench .,,,, $4.95 Rt9- .... .... $385 let.R. $685 ... $485 $8.95 .. .. .- $5.95 ......... Provincial l,.> R .. $585 $7.95 ......... hi. $9.95 $785 ..... -a R end $10.95 $a.95 ." $A85 with Gold Color Accents Magnificent $9.95 ........ w : . N / Re;. ........ $785 I.,. $885 If you thought you couldn't afford the Your Choice). . 910.95 .. .. .. $12.95COORDINATES,;,1 elegance of a provincial bedroom, Sears new . Rig$12.95. ........ $885 budget collection is for you. So many . majestic pieces to choose from all superbly.., crafted with an antiqued white 'finish.; 39 , ,Curving serpentine tops, delicate cast hardware 'r and carved legs add true grace and .> . t feminity. Pick your favorite piece now and save. r Regular 57.95 Add separates and see how your wardrobe grows Our blouses, y Canopy Bed 39.88 Double Dresser 57.88 Mirror 17.98 skirts jackets subtract little from your budget Add much to your wardrobe '. Md all are by famous names. ' Huge Assortment of kt.9.95fr: R*,. 14.95 & Ret. 8.95 10.95 Re,12.95 15.95 .. .. Tier and Valance Sets 685 885 785 1085 c f I Reg. 1.29 Save 52c77C $ . f c k e s I>r l I J BLOUSES ' .ONE GROUP i. r . Jantzen Majestic and Cos Cob. Great styles sizes and colors. A grand time to replenish E;;; l }, ? Many Fabrics Many Colors Polished Cotton Floral Bedspreads t wardrobe. : " your r } e. 1 You'll find a big selection of match- : :, ing tiers and valances in this group. Gleaming polished cotton is washable, RCg. 5.98 , 4.95 3. :f Colors and fabrics galore for every needs very little ironing. Lovely floral Reg. 3.95 Reg. window. Allarc washable. Come bouquet pattern. Cord welting. Ruffled A 88 ' ; ear N for first ch ace at this low 485 ,.j price.. flounce. 3 colorations. Full or twin. ** 285 , Regular 6.99 Sears 501* Carpet. . 5.95 to 6.50 Reg. 7.95 All-Nylon Pile in a Scroll Pattern .S sad ,+sr a \ 485 .585 For wear-this carpet is tops! That's becauseit's r made durably with tightly packed continuous ..-' x-- ' filament nylon pile. And nylon is the longest 'wearing carpet fiber. . . : USE ,CENTRAL CHARGE -.,;. ALL SALES FINAL Sore.$l sq. yd. '' ' Parchment t'- , < beige Light sage green ' . "' ,. r' .S Spice beige Shell, brown 99 ,. s . NO LAY-AWAYS DuPont, Certification Mark 5 y'w Sore $40 on 40 Sq. Yd. Purchase Z iLBE NOon MONEY, ,DOWN Sq. Yd. : r. Sean Easy Payment Plan ' c _FREE Shop at Home Expert Installation ur . 1 '. . i:11 "Q t Call 372-8461 , r C ( () 1 1> A carpet consul tent will come All carpets installed through 4 rP"rte", Are. 8 East Unlrersity n. with samples, give you estimates. Sears are "Satisfaction guaranteed ** No obligation.! or your money bock. J .:.-," : I 6-6056 , : Phone-FR c: ) ,1"I j" .. 5- T Shop at Sears and Save fill, *- ti 14 South Main 'STORE- HOURS,- ,t :a ."''>' 'q. 'J _. +, "- 1'rues.. Wed.. nun.' $*t.. Me*.. Fri.ne . : ,! *-!!J : :-r. _4 } Satisfaction Guaranteed .or,Your Money Bock i1i1..tc.Pho 372.8461 9 .... to 5:30 .... 9 ..-9 .... , . J i . .. - r ,, , 12 Gainesville' Sun Tuesday, June 30 196 Senate* to Hear Scranton : I New TodayIn Jersey Impressed by Barry : HistoryBy " Vying For WASHINGTON (AP) Sen. ferred for an hour, then de- sorry the delegates decided according to an Associated THE ASSOCIATED PRESS Report by LodgeWASHINGTON Barry Goldwater goes prospecting cided not to vote on any com- against a pledge. Case said he Press survey lists 12 delegatesfor Today is Wednesday, July 1, 111. Support for Republican National mitment now in the race for expects twothirds'or more of Scranton, nine for Goldwater the 183rd day of 1964.. There Convention delegates in Illinois the Republican presidential the 40 delegates will vote for '(APHenryCabot ) Happily I see no prospect of CHICAGO AP) Gov. William and Michigan today after a New nomination. Scranton at the convention open- one for New York Gov. Nel- are. 183 days left In the year. Lodge;) takes time out today disaster. Jersey decision that kept that ing July 13. son A. Rockefeller, three for Today's highlight in history: W. Scranton of "They voted to to San from politicking to assure A majority of the five Repub- Pennsyl- delegation uncommitted, and go former Vice President Richard. senators that the South Viet lican members of the Foreign vania, scrambling to'prevent a buoyed the hopes of his supporters when Francisco and find the full facts The New Jersey count now, M. Nixon and 15 uncommitted. On this date in 1898, Col. Nam war is "on the track." Relations group seemed likelyto first-ballot nomination of Re- there. they get out there and Theodore Roosevelt's "RoughRider" But Lodge's assessment of side with a GOP House task publican presidential contender, Heckled by a throng of civil that then time make," said up their the state minds chair-at I Lynda at Fair I Thirty-nine back of the 58 Illinois regiment of volunteer delegates Goldwater , conditions in Saigon, where he force which Monday accusedthe Sen. Barry Goldwater, vies for rights demonstrators, Gold- man, Webster B. Todd. one cavalry charged across open favors Nixon and the othersare served as U.S. ambassador be- Johnson administration of votes with the Arizona senator water took his case to the New I NEW YORK (AP) Lynda Fields against entrenched Span fore resigning to help Pennsyl- following "a "Why win?" policyin Jersey delegation in Trenton He said Goldwater "made a Bird Johnson, daughter of the not committed. ish forces on top of San Juan vania Gov. ,William W. Scranton -; Viet Nam and proposed a today. Monday night. He spent an hourin very good impression. President, went to the fair Mon- Goldwater's appeal to Michi hill in Cuba. The Spaniards fled try to win the GOP presidential more active U.S. role in com- The two will make separate a. closed-door caucus, then Judy Fernald, cochairman of day. Her visit to the New York gan delegates will come at and Roosevelt and his men nomination, seemed batting Communist guerrillas. one-hour request appearances slipped out through the hotel the senator's New Jersey World's Fair was a surprise, of- Lansing tonight. Four Michigan gazed at Santiago ahead. likely to encounter( bipartisan On'the'Democratic'side, Sen. before the key Illinois Republican garage and a back ,street to forces, predicted he would get ficials said.Accompanied. delegates have already declared On this date criticism in 'an appearance be- Wayne Morse of, Oregon has delegation to- the July 13 avoid the ,milling, >shouting 15 or 20 of New Jersey's 40 I their support for the senator. fore the Senate Foreign Rela- been flailing away at the administration's San Francisco convention. Alsoto throng of pickets-and Goldwater votes. by White House The other 44 are tied to Gov. In 1863, the Battle of Gettysburg tions and Armed Services Com- course in South- is Harold Stassen, fans-that packed the side- Sen. Clifford P. Case, who aides and Secret Service men, George Romney to support began. mittees. He returned to Wash- east Asia, demanding the withdrawal another appear candidate for the presidential walks. favors Pennsylvania Gov. William -.she toured the federal, General him as a favorite sqn or follow I In 1941, the Latvian capital of ington Monday.And of U.S. troops. nomination.The New Jersey delegates con- W. Scranton, said he was'Motors, and Ford pavilions. his lead at the convention. Riga was captured by the Nazis. his contention that U.S. Sen. Barry Goldwater of Ari: in the Vietnamese war zona, front runner in the GOP, latest Associated Press policy ' poll of delegates Jists 693 ten- nomination battle his could not become a campaign gave "full endorsement" to the taskforce's tatively committed to Goldwater - issue was widely disputed by were' and 138 for Scranton. Thirty- UlJlY1/lDAllY findings which j Clw Republicans. nine of the 58 Illinois 'critical of South Viet Nam ,developments -I' delegatesare Lodge said in answer to a in which Lodge.had pledged to Goldwater, 1 to . series of questions submitted by former Vice President Richard T played a part. Wes Gallagher, general manager Goldwater said in a statement M. Nixon and 18 uncommitted. "M1 W@J\T' I of The Associated Press, that the report set forth "rea- Scranton, while on a delegate- that "I don't see how it gets sons why this administration's seeking drive in the South Mon- I votes" for the Republicans. diplomatic and military blun- day, challenged Goldwater to a'acetoface "I have not said that it (South ders are a basic issue in the I debate before the Viet Nam) should not be an 1964 election campaign. Illinois delegation. The challenge Craftsman 20inchfla1e issue," Lodge said. "I have was ridiculed by Goldwater - said I don't see how it could be.I who said, "Why should j I Craftsman don't see how it gets votes- Each year more shipping ton- stand in front of a delegationthat - how you can make it a good nage passes through the locksat I already have and argue greatest . Sault Ste. Marie, Mich, than : WithSelfCleaning issue. with another Republican? through either the Panama or Rotary name "If you have a disaster in foreign Suez Canals, despite the fact I For Scranton, the meeting today relations, then that be- that the navigation season at will put his appeal to Re- ith a \ \\ comes an issue whether the pol- Sault Ste. Marie is only eight 'publican delegates squarely on -iticians make it one or not months out of 12. the line. ie Blade l li ,Q .II'I-WISH '\ t Wo-Pull Starter - -vith key lock :: fast wind a few times, press down MINI-WASH Air Fiher Pre-eaner s: t ,. engine starts. assures cleaner air-engine ti'" runs better. .. i'R.r x (not splash Fieesuie type Lnlmration) means poeitird UVil n RD 0 c YY7Lfl4JA [ J A 4 s II- ,1( ;. lubrication of moving parts.Diaphragm-..--. i ' . ; ::.. : Carburetor .. assures even,efficient fuel delivery A, ., And,it saves on fuel jj ;i . . . .* : t _ Ij r. a qyY fi ; a Itx.MOnetally'Itatdrr '', 3: : ..'" Mechanical Governor 5 i I : : w, rta' 4 reacts quickly to load changes* J j hilCfftteerstockltitt I '., 30% more efficient than J I con .b1 .. I washJd ,, air-vane type.. :; e owtoinatlcolty 1 ( eral Electdc't new minltrirewash; ; basket. WtlrertiswttkGIf fUl+orn, : ..x 9 S ),y e.j i : \ ; k kalgad w t0W, r \ ,v SAe.i >X ti. \ 2-Wash Speeds 3Wash Cycles 2?Wash Temperatures - ' x : .. Big -12-Ib. Family Wash. Ca- L _ pacityFamous 3 .r \' Activator Washing Grass-laf! Catcher f: r J 1 Action holds grass and leaves as you mow a. Filter-Flo System detaches quickly to empty.SAVE r, "' vt . Detergent Dispenser TRADE-IN a ALLOWANCEPRICE 15. 3-HP 4 Cycle Mower rt rr t \t . $279.95 .. \ TRADE . 50.00 Total Price $229.95 New Lightweight Magnesium HousinoRcgular 94.99 , Exclusive Self-Cleaning Blade No hard pushing because the g2T// Keeps grass from magnesium housing is so light. .' 79 99 Powered by 3-HP 4-cycle Craftsman sticking i inside i : blade I housing. Y engine. Austempered blade -"' Assures cleaner ., is nick-resistant. Soft-tone muf- housing, better fler reduces noise. Includes NO MONEY DOWN 11x0Ml'DOftabtB air flow, smoother ' cutting. grass-leaf I catcher. on Sears Easy Payment Plan 0 0rClGHTE A t Complete _ Home I Freezer BRIGHTEST BEST * Supplies Just 12 pounds of pleasure.This General! Electric puts perfect Of course. This great Be* TV{ f smartly-styled lightweight Is "Daylight Blue picture into i idea was designed by GL engineers really portable-truly ptnouL neat 60 SQuare inches (Ill. I for YOU. the finest.components } ;,,. At Sears Use it anywhere and everywhere diagj..trims you a brighter ,assembled with.,: !modern, w% t inside or out: takes little more sharper,clearer image than ever reliable electronic nl'lo -. v Portable table than before. Seen hot complete line of space your telephone: bock plastic bags plastic containers, Picnic i Grills 1-v;. aluminum foil cellophane and . / t $ * : wax coated wrap. Wax coatedcontainer Sean Price 298 i ,. ....,......, -- 4,000 1 I ... _. e t _- and fusser tapt. Chromed grid stores In heavy -=;:--....;;: = ,.s. Sea Seers Today! metal fire box. legs fold in I =. = up -.. ,, .. :t.. '",",.-,,, .."''.'. H:; I carrying box for picnics. 1 i I Ii1 F,.. ...,, : I k BTU I II s Install It Yourself . 110 Volt Current I aF' 10-ft.x30-in. Swimming Pool I 95'IUahtwiaht Th ink of the hours of family fun ahead with this 3 Days Only sturdy pool! 30-in. depth and 10-ft. in lenc.h. Solid Fast Lighting teel, walls have vertical stiffeners. Steel top ring; 88 Choice of Barbecue Charcoal Lighter "' ..... . 38 plastic coping holds liner in 'place. Vinyl liner re- p Accessories .with buitt-ii I sidt-ctosure putts < 19 c for iMUlUtxx-ii HtautnlCHACE MIJ S fists mildew. NO PricePlan; ;; .1 : iludes tongs,, forks, basting fluid container.i brushes, site we,rs. ,. . & KITCHENS .-j ., . STORE HOURS *u< stun i iYOUR at Sears and Save 14 South Main Shop. SEARS I TUCS.J Wed., Thurs., Sat. Mon., Fri. G.E. DEALER FOR 25 YEARS I Phone 372-8461 Satisfaction Guaranteed or Your Money. Back 9 a.m. to 5:30 p.m. 9 a.m. to 9 p.m. c t t .. -" -. - . , r Tuesday, June 30, 1964 Gainesville Sun 13 Realtor M. M. Parrish urgedthe GainesvilleCITY commission consider'the 2 ChildrenDie ,Klansmen Under Trial in Bombing of Negro Home extension into the northwest . I area beyond the- city limits to ,as Jet JACKSONVILLE (AP) The viously all white elementary. liam Sterling Rosecrans Jr.. 31, I en years in prison.f federal court trial of five Ku school. I who pleaded guilty of conspiracyin : Defense attorneys Include J.B. 175.He Rams Home Klux Klansmen accused of violating Those charged in the federal the bombing of the Godfrey Klux Klan I noted that at least three Stoner, otAtlan atq. the constitutional rights ofa warrants are: Donald Eugene home. He was sentenced to sevs of other motor lodges' the size of attorney AHoweUJVashington COMMISSION Home's are planning to build HAVERHILL, Mass. (AP) young Negro boy started today! Spegal, 31; Barton H. Griffin, Nashville Tenn.,and Matt Murphy - [ the and at least!A silent and pilotless Jet fighter with the selection of jurors. 35; Jacky Don Harden, 25; Willie Jr. of Birmingham, Ala. along highway }slashed into a sleeping neighborhood The five were arrested by Eugene Wilson, 39; and Rob- Fallout Shelter The hearings will continue six service.stations are propos early today, brushing half FBI agents March 12 after an ert Pittman Gentry, 25, all of SOME LIBRARY ,The trial.was postponed for 24 until all complaints about ed. I a dozen homes and a dozen cars I investigation of the Feb. 16 Jacksonville. The Library of Congress had hours Monday at the request of equalized taxes are heard, City Utilities Director John Kelly Before exploding into a house at'bombing of the home of Donald Their arrest came nine days a staff of 2,900 persons last assistant U.S. attorney William Cost Trimmed Finance Officer Clarence said cost of the extension, the end of the street, killing twochildren Godfrey, 6, who attended a pre- after FBI agents arrested Wil t year and expended $29 million. Hamilton Jr. - roughly estimated at $59,500, . O'Neill explained.Last . Just over $4,000 was trimmed year, only one public would be paid for within 21 Todd Gifford, 10, and his sis I i from the construction cost of installation.He . months after the Pamela when 8 hearing was held before the ter, perished 1 the city's first fallout shelter to said he based his figure on in their commission on tax complaints. they were trapped one- be incorporated in the new fire Preparation of the new city the estimated $2,000amonth story ranch house and burned to /A1w14LT station number four by city budget, which .goes into effecton utilities bill Home's would pay.. death. & : ' commissioners last night. Oct. 1, is scheduled to begin Commissioner Alan Suther. Their parents, Mr. and Mrs. f{ Changes approved by the later this summer. land opposed the sewer exten Earl H. Gifford, escaped practically ! commission cut the cost from'J8.J,96.J sion, arguing that areas with. unhurt. . to $79,995. in the"city limits should be The pilot of the Massachusetts The building will have fallout Motor Lodge extending . I careful for before Air National Guard F86 Capt. shelter space for 300 people in AiredIt "any long- tentacle" be'ondthe I D. ,F. Sullivan of Boston, ejected . : addition to the normal fire protection Request city limits." from the crippled jet and Commissioners facilities. also instructed took city commissioners He said the proposal did not t parachuted into the nearby Mer- more than two hours to debate meet future needs of the area, rimack River. architect Myrl Hanes, also one of the three city hall architects the merits and demerits of a citing projected population reports He was rescued by a Coast to study feasibility of request from Home's Motor in northwest Gainesville. Guard helicopter. the Low I The crash started a three- Look at including fallout shelter spaceIn Lodge that city sewer, water A spokesman for Homes alarm fire that damaged several - the new city hall and other and utility services be extended last night told the commissionthat other homes. future public buildings. "to the Newberry Road-Interstate the corporation will contribu'te 75 area I $25,000 of the total cost : City to Hear After a series of motions of tension.the sewer and utilities ex The average USED CARS price UP of a used 1 that either died for a second car sold the first quarter of this Price Set of 4 Tax with on a ComplaintsEqualization ultimately were voted down, year was $866 compared commissioners finally agreed to $832 for a corresponding period DOOR PORTUGALThe hearings on city furnish lights and water but a year ago, the National: taxes will begin before city, have City Manager Bill Green per capita national income Association of Automobile Deal commissioners next Monday. I review the sewer extension. I of Portugal is $265. ers reports.I ALLSTATE Safe-T-Tread Tires j di Factory Retread From Sidewall-to-Sidewall ' Guaranteed{ 15 Months ( CLOSING OUT t 88 I + ; hI 4 for 39 < I ENTIRE STOCK : :: Plus Tax and 4 Old Tires_ ,' Any Size Listed Below. r ' 6.00x13 7.50x14 t . ,, 9.00x14 6.50x13 6.70x15 8.00x14 , I SUMMER SHOESLADIES i 7.60x15 .. Whitewalls Only: *2 More Per Tire S' NO MONEY DOWN on Sears Easy Payment Plan _ DRESS SHOESWhite : : \ - I. . r v. fl afw of., I White Lightning Strops .:. .. iA Bone Combination High Heels t Ja / + Green Spectators Mid Heels Holes inRood Broken Broken Rocks, Multi Pumps Stacked Hee'{ Concrete Glass Stones t /J AAAA thru B Size 10 ) '. 1I1 l m t t l : 1 4 NATURALIZER PEACOCK.' 1. $5 ALLSTATE Passenger.. Tire, Guarantee / l. TREAD un COARA1rTER t TREAD <=-AIiAU+ST ALl..,Alwua....,r..r6UARAHTL6: : ' RHYTHM STEP RISQUE ;;;; 'Ewry.u.ras t..dajain.tantailm.s AIXSTAT8 tin it 'V.numbsofmooch.d.W* foanaU tread lib.far' <! Z from road hazard or defect naUd.If tread wean out with.in . \ for the lit. of the original thia period, return it In \ tread. If tire tills we wish xchanre., we will replace it 1 ' REG. $12.99 TO $18.99 .. 55 at oar option-repair it with charging the current exchanf J' r i out ecet, Gr, in ch nfe for price ... ...t dollar allow. / the tire we will replace it % / I ", f chmrf far only for treed worn anee.xcbanre Price S. tecnUr 3 / j e SALE PRICED ,. 'will be a pro-rat retail price plua Federal Eiciae 1 4.h.n ct scIuap f "' -}. Tax leea trade-in at tune el return (no trade-ia deduo //i lion_allOW tine). 4 mN Ir . C $790'TO $990 . MATCHING HANDBAGS 30% to 5010 OFF --4 I I Ladies Flats, Sandals and Casuals aa nt LADIES'' Reg. $6.99 to $9.99SALE i;,, U. S. KEDETTES Risque Clothes Bar Keeps 7x7-ft. Scout 12-ff. Aluminum Boat, 31/2 HP Motor Rhythm Step Suits Unwrinkled Umbrella Tents Show OffsFashion Flat bottom Jon boat has foam Seers Pnc* sale I 2288 flotation under seat. Reliable 314 _ Craft.\- Sears Price OOC Sera 7.11 eino Merry Mules .;... $190 $B90 HP motor for easy trolling. Single goat. Chrome-plated I steel., Separating : Sleeps 2. Tubular I aluminum I cylinder, 2 I . . $290 & $390 rings keep rear vision clear outside frame suspension. cycle engine. Motor $129.98 Hongs on earz' lOOks. Screen door, rear window. r j\ MEN'S SHOES. b . ,t SNOIS rots MINSALE iH N 4 t Blacks Browns % \l .> Black &White : *x. : ,. 4 Brown &White __ Loafers Oxfords'* 4r tII ;: rt Calf Leathers f' g Brushed Pigskins tyA Regular $9.99 to$21.95 '\ I; ;= $597 to $1197 \II; ;'4 .I 3 % .-. ONE GROUPChildren's SALE Our Best Slenderette' :, ; ;:= Outside Frame 9xllft. lit.( to" Shoes Auto Air i Tents $490AND Conditioners = Butyl-finish For boys and girls' in white. bone and 2-tones., ' Reg. $6.95 to $10.50.. -- _.- -" 590 l Sore 31.95! 277 :.....Save Over '$24. .-Z ,", 5988 ; In bright gold color. , New compact styling inst.- r- -g*: -- - r w . J " > ' w.r __, ...:..;r": -. Drive in cool, quiet," dust-free comfort. Slim. Sets up ina jiffy provides plenty of "elbow 1l ?JARMAN'S ALSO. unit allows ample leg room. Desired coolness room" inside. 6.74-oz. drill fabric; duck floor. if ON SALE AT is maintained automatically. 3-speed airflow Nylon screening in all three windows plus \, \1\ directed by fingertip louvers." + door.i Awning poles- included.--- ..... ,.._ .,. . ".\ r I .. .... A ' Shop at Sears and Save .s STO EiJiqUfSSatlJ 14 South Main mr.mtc; tU$ I t ctI.: s Caizastr i' SEARS Phone 372-8461 I'Tues.- ,We r4 .rYttarM.aeluk a.m. ta- .5.:30..t 9 a.m. to 9 p.m. > .t/ 'l, ))1 I I; ..- --- --- -- .. J ... . > - 'I . J4 Gainesville. Sun Tuesday, June 30 1964 . I . Is Jfcodge* 5 ,Another Slow Starter? JULY JAMBOREE SALEAn rr j. i .. .. By JNrIJS- MARLOW" -., Lodge; quit,his job as U.S. ambassador -:adding: race as one of the outstanding er persons whom he refused to All Weather Set! Use Indoors or Out Doors!Genuine Redwood! Associated: =Press rNew*'Analyst to help Scranton's "I will say nothing in the governors of the nation. name. fight, arrived here Monday, weeks ahead to diminish that Then the senator said that on For some days after startingout WASHINGTON (AP) Henry made a farewell report to Presi- respect. On the issues, I will be Dec. 18, 1963 a couple of in pursuit of Goldwater, 'EtjJREDWOOD' AND ALUMINUM Cabot Lodge can e:'home from dent Johnson at the White vigorous with all' the power at weeks before he officially an- Scranton didn't mention the sen- Viet Nam..to.tr/.to. slop 'Sen. House, and then held a news my command. On personalities I nounced his candidacy he received -ator by name. Barry Goldwa- conference.He will be silent." the following letter from But he attacked the "dime } FOLDING PATIO SET Scranton who is now trying to store feudalism" of "radicals of ter but :from AnalysIs.or .. said the Republicans must 'But almost at'the moment he block him from the nomination: the right" and said this is not what he said- not. nominate "an imprudentman disclosed this telegram he was "I read in the newspapersthat the time to join '"extreme reac- reWhat The DElUXE TWIN$ ALL rather TTa// an impulsive man." But without mentioning him by you are reappraising your tionaries who are, anything but ARMCHAIR! FOUR PIECES fused to say NewsMeans he wouldn't criticize Goldwaterby name a "weird parody" of situation to decide whetherto conservative." . you might get I ,Asked if he regardedthe traditional Republican prin- own But he warned some of his COffg TABl f 'I name. be a candidate for the presi- 99 the he wasn't impression ex r I senator as impulsive, Lodge ciples.He dential nomination. I hope you volunteer workers: "1. don't : : RESISTAMT 19 want'anybody in the least said"people can draw their own .and I would like way f actly belligerent But you never attacked what he referredto decide to run, ,. . need " getting personal we "t1 ; every can tell. conclusions. as the "shoot from the hip, the opportunity, albeit imperti- vote we can get" One of Gold- .ROcRJI III 1"1.00' D" Pennsylvania's Gov. WilliamW. When Scranton announced rather than think from the head ment, to discuss this with .M- water's supporters, Sen. Norris v'. ,,, t ,, .... ..,' _, .. : Scranton, who is trying to June 12 he was going to cam- foreign policy," again without you." Cotton of New Hampshire, gar? ,, PAkr r tNur t I beat Goldwater for the Republican -,paign for the nomination, mak- naming names. As he warmedup Goldwater said they later discussed -spoke up shortly afterward.He 6ir ft 6uah/ / Halrrlre rn1 presidential nomination,'ing it a clear stopGoldwatermove he threw out phrases against it. Scranton, asked must have been having the +r Tears S rite started off on a no-name basis, he sent the Arizonan a "radical' reactionaries." about this letter after he started same thoughts as Scranton for too. It took him a while .to get telegram, telling Goldwater how Goldwater responded with "I running himself, said he had he said if the governor continuedto -. steamed up. ] much he respected him, and welcome Bill Scranton into the sent a similar letter to two oth- attack. : .the. senator. and took .. I opposing sides .on issues, ne . might make himself unacceptable " to Goldwater's supporters, ciI9I4i4InaIlJ: even if he succeeded in .stop y ./ ping the Arizonian at the Republican - convention in ,July. Jamboree"STARTS But by last weekend Scrantonwas "July criticizing Goldwater by A a' 4 tl, name and, in making one of his tvaf.p sharpest attacks on him,said he :4' ,,:k:: WEDNESDAYJuly lacks the qualities required of a YEARS of x; l 'rR 1st For 3 Days president p; RUt6ED Meanwhile, he had said repeatedly x'y )'I #" USE! Y.It : G # Nk. , MEN'S SUITS he would support Gold- _I tt water if he gets the nominationand : r attla /itfit Uri if pi fit, SURD runs for the presidency.Since a-) ,r' PII,fltiltt T.Y.Rrrr w+ OfflettOn. FROM ' ::' SELECTED GROUPS the convention is still two pyx BEAUTIFUL!YERSATILEI USE ANYWNEREIw ,,.;..! ,i1)) OUR REGULAR STOCK weeks away, Lodge has time to 6.! S a .of tH bit l looking rats.{furniture y v1t ftoJ. ) get; heated up enough to mention This contrast kwtwMii Hi*highly pollsh 4 rvitislaiit <.. aluminum and ths rkh cUar a square tubing * ,. 55% Dacron 45% Wool Goldwater by name. S. ? ', train** California R.dw..d will skid t tovdt *f '.f ;x .k .nt.t*your horn*. \ ;.',: Natural Shoulders Asbell ClanReunion a '4:4 YOU SEf 4PIECE SET! Fa as.F .,aa ,w w s : Conventional Models C i' m.lr w...rdw.l da.rl..f a tIlhS >, .$ Kl, .4.6ix'., Set ,, ... itw.l. .a:.h'b' 3tsf k $ ; :*4 Pleat and Plain Front 1.i..1 s.C..i r. Y.r' ..., . ...y'p Y 1 41 r7 1 ' I'-c. Styles HART SPRINGS The an- v p:3:$:,al.ur.S'Fc ( ':6' '{ 7W .('4 ,f{$ ,:NA r. 'tw 't s xw w wafi. nual Asbell family reunion will .'' I ."......d i s S. ..r N..rlr 1? I rh Y 11a '! x '';'::.'; "':,..." .. Regulars Longs,. Shorts be held here next Sunday.All w.Mw. CCMUACT-UST (ToiA.f ) f 4 xywya :, Asbell descendants have s .. c .' '. i 'v, '' ", REGULAR PRICE 59.95 ? : : ::7V: y'6.yf' k lix kv r 4 A been invited to attend the reunion - V v .5.aay % ;',4. $'{4 byne4 Tp a basket.and bring. along a lunch CITY FURNITURE $4980 Hart Springs is located about 5 S.W. FIRST AVENUE PHONE 372-8291 eight miles northwest of Tren- ton. 1 i J. knha :?., .:'k : k; oy ; j : Y't Many Available With ; + . .:>a., t. a0>!',' t8.sW"'ti. Extra Pants WEDNESDAYTHURSDAY ,, nxwV. ,. xxx{ F $ R ,, nw Were 14.95 (:(: x'g i f: v.. :x+ F4 k : N ;t4* 999 P.a; ab' ....' 'y : 4 (4 With Suit . A I = ; .t) )' .: Normal Alterations Free FRIDAY SEVERAL OTHER GROUPSOF I . SUITS REDUCED I FOLDING ELECTRIC, 4 as, follows .._ TABLES, ICE CREAM TONGA a'"F' 0r ,No. 146 24"x60"" FREEZERS TORCHES :;:' \ 4.580Reg. REG. $9.95 Pt I ( Large Selection LIGHTUPOR g R b a d' r +c 5500 tijfIifIFrom $31.95 $795 CHASE I II $ Hand Crank MOSQUITOES f4 3380 Style OTHER MODELS Anodixed I *.*. tlMAluminum 'Reg. 39.95 FROM $1298 IQT. SIZE $14.95 and : $22.95STROCTO Ps's.4y 4 tlr a fQ 6 Ft. PoU | $2.35 M80 \ COLUMBUS14"x23"and 2r Reg. 6995 I S 24 INCH PORTABLE 16"x2,8" v< y cT- : ii BRAZIER CHARBROILHood Coats Ends of Cast ,k s ,ytr tl btl.. tlLt Sport Rubber Tired Wheels Iron 4 '- 4 I 6 Chrome HcotIndicator .a'x 4 age t:. 2 Selected Groups Deep Steel Bowl 55% Dacron 45% Wool : .Chrome Plated Grid e Work Shelf ;?Q e) Pull-Out Ash Drawer Grid Handles Draft Controls in ; M % Dacron 35% 4 :: ,t 65 Hood and Spit Cotton CordsIMPORTED Crank Adjuster 55 OWN THE 95 Reg. $9.50 FINEST MADE 0V up kkb L- : $ INDIA . MADRAS $750 Portable Cost Jron GRILL 16.95 2480 Reg. 2995 Children's Swim Vest ": J*' \ C ,. at,P :,;' vc; ti $4&' 'aw 2780FAMOUS REG. KEEPS COLDESTCOMPACT Reg. 35 J $3.35 TEAZ-TAIL LURE Reg i SKI 75c to$1.00 35 $235 Specials; r "HUBBARD"SLACKS NATIONALLY KNOWN , - ; MEN'S FURNISHINGS .CYPRESS GARDENSACAPULCO f I.id'. M.i..601 S. Main St. - Assorted Groups BOAT CUSHIONS 55% Dacron 45% Wool NO. 1044 CONVENTIONAL One Pleat Model Dress Shirts f EQUIPPED WITH LITTLE BROWN JUG, TRADITIONAL Plain Front Model 39 ADJUSTO SOFT GUM * Light ultra fflcitnt. Regular Long Short. 28 to 42 3 RUBBER BINDERS "poslt.mp.'lnsulltJonI| LANDING NETS Sport t ShirtsKnit t each Atherlit ,-, et I Regular 35 Reg. spout.From $5,25 Reg. $5.35 ; $2775"ir" FLOATING ALUMINUM/ $ 5 Price 12.95 1 099 ShirtsSTRAW 3 for 9.00 McriM 601 S. Met St. i.ifd'i Marine 601 S. M.i. St. R eg. $2.7J $2'25 VAGABOND JUGS from $3.49 Loy Short .Rtf. War. QQYOURS 2 prs. 21.00 ATLANTIC REG. 100 NO CHARGE FOR NORMAL, ALTERATIONS HATS 1. Off : LUGGAGECasual Functional FOR THE Light-weight Special Group 65% Dacron-35% Cotton SLACKS 6.99 f3Al : Economical 4TH Grasshopper Styles Special Group II Cotton BERMUDA SHORTS. gg 3.99 .. Sport Garmet Bags Bags FOR ONLY ,. ARVIN Special Group Dacron-Cotton BERMUDA SHORTS REG.5.95 4.99 ::wt THE ECONOMICALWAY INTERNATIONAL $7295 TO TRAVEL4th TRANSISTOR ""' ') OF JULY: WEEKEND PORTABLE RADIO ,. ,' .. ParkinglOn Huge 1 1st Federal ': . . ?*?Ati > .ierYl f: ; .. >.. sank. Lot at. Rear of Store., i CHARGEACCOUNTS 'INVITED--* t. :: f.t * USE rlM l11a ., 4 KT B/HRD . 6 Mo''RevoIring ,or 30 day. J' FREE ; f R; YOUR for-Applcation? FormSubjetftoCredit -j=-' .- Sit, / nianJ! ;' __ H CiWLVJMH CITY ., :4 Approval. ', \ ;: '''-' :: DELIVERYiIIfREE J_ ,'''4'f ;---K. x'"t 'y ,. ,. ." .., \t44- 225.. W. UNIV. AVE. ?"1 , ... PARKING ON TCF ER LOT \ . -.- .i. ._ .- --- ._- --. INCUR- 29TH YEAR, ' I \ . .I t 1.- ( { l i . . r Tuesday June 30, 1964 Gainesville Sun 15 1i Johnson Oswald Lone Assassin, Says Bobby I Boosts Hunt i WOOLWORTH WARSAW, Poland (AP) -,was a "misfit In society" and said. "It was the single act of time the attorney general had Robert F. Kennedy declared Oswald's professed belief in an individual protesting against spoken publicly about who For TrioPHILADELPHIA Monday night that his brother communism did not prompt him society." I killed his brother. the assassinated president, was to murder the president. There has been considerable, The question came up during!. ,Miss (AP-not the victim of a conspiracyor "Ideology in my opinion did speculation in Europe that the the second day of his visit to of communism.The not motivate his act" Kennedy Poland.Before leaving the country - civil -The search for the three slayings of Kennedy and of Os- ' U.S. general tolda attorney this afternoon Kennedy was rights workers who vanished Polish in Krakow Market wald by Dallas cafe owner Jack questioner scheduled to go to Czestochowa, nine days ago was stepped up: Egg of . "there is no question" that Lee Ruby were part a conspiracy.Aides spiritual center of Catholic Po' President - of at the direction n i today Harvey Oswald killed President JACKSONVILLE (AP-North said it was the first land. r Johnson. John F. Kennedy and "did it east Florida egg market pricesto The Mississippi Highway Patrol .,on his own and by himself." retailers : H also made it clear it was Hieronym Kubiak, 25, head of Extra large 41&-46 mostly 44- the Pierce,Wulbern,Murphey in this red-clay hill country of the Polish Student Union had 45; large 39V4-43 mostly 42-43; Corp east central Mississippi to stay asked Kennedy for his version medium 32-37 mostly 32-34.; 33'2N. MAIN ST PHONE 376-1291 , until authorities find out what of his brother's assassination in small 24\ -28 mostly 26. JAMBOREE ! Stock Members New York Exchange r I happened to the missing trio. Dallas, Tex., last Nov. 22. Poultry at farms: fryers 14%; -- I Robert W Kuhn Harry S. Myles that Oswald hens Kennedy replied light. Rita Schwerner, 22, wife_ of . Michael Schwerner of Brooklyn I I one of the missing men, asked I the President Monday to send LIBBYE'S sa'c's '3 V VF to Mississippi to joinin "' t ' 5,000 men II ; s% k t> s'Qip the search. Mrs.Schwerner, after meeting;! PRE- with the President at the White! = c.NE 4 f I House, told newsmen Johnson[I : QS I .. many.advised her he couldn't send so 4' I Iit Schwerner, 24; AndrewGood. Large . another white New .' 1y a man, 20, : Yorker; and James Chaney, 22, Groups Of! -- r ... : i 4 a Negro from nearby Meridian. . were last seen June 21, when "'I c they were freed from jail hereafter I yaQy ", ; posting a $20 bond in a <.; .yh4 4'4'- traffic case. y y I , Before Mrs. Schwerner visit. ,.. 'f > _ ed the White House, press secre- S C * tary George Reedy told reporters ,, 'f S $ that efforts to find the trio CJ "' '" --S.j c. , had been stepped up and ex !. / panded.Mrs. ..n'f, CJ'f (7p v :trt 'z: I .Schwerner said the PresIdent Qv v . assured her that the fed . eral government is "doing ; y everything in its power." . The President, Mrs. Schwer- .i p. ' ner added, said if he "consid- .# ered it useful to send more men, then he would send more." OUTDOOR FURNITURE Federal and state authorities 0'J j , joined by 100 sailors from the ii , Navy airfield at Meridian, con- 1/3 1 lost what ever!"outdoor tinued their search in the hills 97 living room"needs-folding - 97 and snake-infested swamps of I lightweight chaise and aluminum.chair in Neshoba County. Webbed in attractive State game wardens' using green and white plastic radio-equipped skiffs, draggedthe that wipes or "hoses" i inn i clean. 5-poation chaise muddy Pearl River and other - doubles as bed. Off sea- bodies of water in the area."We've I CHAISE CHAIR son folds-away com covered 55 miles of ALL SALES FINAL USE CENTRAL CHARGE partly. Inexpensive. _ the Pearl itself and haven'tfound '. even a net," said Dewitt . Hutton of the State Game and . Fish Commission.The Ladies' High Style FBI ordered several thou LIBBYE'S sand circulars of the three SUMMER DRESSES ,' youths distributed in a five- I state area. The circulars asked Rt9ulor l $5.95 anyone with information.to call Cotton In woven and broadcloth., FBI Director J. Edgar Hooveror I ,Free Parking, on First Federal Lot NEXT TO FLORIDA THEATRE Wash 3-inch dnd.wear.hemsl' .' ** iJ't the nearest FBI office. ... : .. .. !< ... -! Washable, self-material Belts. I =, Sunback or Short sleeves""' "'". '"" a , ; In pastel colors'of Solids, Prints and Checks. : k Sizes 10 to 22V*. SOUTH SIDE 05 THE SQUARE : LADIES SKIRTS DOWNTOWNPREJULY4'"SALE Many styles In cotton, prints \ solids., j r it Sizes 10 to 18. 97' 4fOsn..c. r ' t : Regular$1.99SUMMER , CLEARANCE I! A 'IT'S A-PLEASURE TO SHOP DOWNTOWN" J: ULcetJieh [AD I ES' SUMMER I LADIES' SUMMER \ SPRING AND SUMMERHANDBAGS DRESSESSome I SKIRTSA 7 ,4' SPORTSWEAR V'. perfect.for others for Take a new bag with you on the 4th i now great truly great group of light and dark AM wash and Beautiful wear. soft colors of Blue. bock-to-school Solids, prints, and skirts dacron and cotton, seersucker, -and select it from this group/which Pink, Green and Grey.LADIES . liberty type prints Junior and denim madras linen by Evan includes white patents leathers and BLOUSES < Missy sizes.. to 20. Picone Junior House, Century and leatherettes plus bone, navy, black Sleeveless and Short Sleeve. Regularly 9.98 to 29.98 others. Reg. 8.00 to 13.00. and some straws. Sizes:" 34 through 38. $147 Regular 6.00 to 16.00. Were. $1.99 I 499 to .1499 499 to 799 399 to 8" ,LADIES JAMAICA ANDy I , I. i y SHORT SHORTS I FOR PLAYWEAR ''I I.'I PERFECT FOR HOT WEATHER I, I BEAT THE HEAT [ j Sizes 12 through 18.Were $1.99 $147 I, ShortsBermudasSlimsAn BLOUSES and SHIRTSYou'll SWIMSUITSWe LADIES SKIRTS assortment of sportswear to relaxin. find an interesting selection of Wrop-orounds, Button Fronts can't.mention the but Coachman's and Culottes. $217 Shorts from 1.98 up Bermudas I sleeveless roll sleeve and long sleeve I names you Sizes 12 to 18. Were $2.99 will them. A small certainly \ from 4.98 up. Slims from 7.98 to : shirts in this group including solids -' i recognize ; 13.00. stripes and prints. II but value. packed'gro p at BLOUSES AND SKIRT SETS I I Sleeveless or three-quarter sleeve. 99to899. I II J 3 to 1 off i IiI I f off S J i _. Sizes 10 to 18. Were $3.99SHIRTWAIST $267 . PRESSES I : ' SPECIALS ON I SPECIALS IN OURCHILDREN'S I' AND IN OUR LADIES' Styles sleeves.of Sizes sleeveless 10 to 1 B.or Roll-upj $3 27 LingerieFoundations I DEPT. I II! SHOE DEPT.LIFE -: Were $3.99 Maidenform Bras -I! Reg. 250 Now 2.19 or 2 for 3.99 GIRLS CAPRI PAJAMASDrip STRIDE SHOES .: SPECIAL PURCHASE FOR dry cotton botiste. 1 Maidenform Girdles. fo size 14. I QO I Reg. 12.98 JULY JAMBOREE Reg. 10.95 8.99 BOYS' SHORT SLEEVE I! / ' Reg. 10.00 7.99. SPORT SHIRTS. .1AQ I 890 TAILORED BEDSPREAD, . Reg. 7.99 6.49 j BY Heolth Tex.Tom Sawyer. Mode of cotton with linen finish. Full cr . I Twin sizes. In colors" in :cnortanev, Otiw .$477 Padded Bras- TODDLERS DRESSES 1. t tI THOSE SPECTACULARMR. 2.99 greens. Orange, Beige Brown andWhit... Strapless 3.95 I And pJaysuits. From 1.99 2 price J EASTON'S SHOES Regular 995. 3.00 1.99 , w/Strops G Negligees AND. BE SURE AND CHECK OUR TABLEOF II' Reg. 15.00 Robes "" 8.983.99 to 5.99 ODD AND END ITEMS PRICED AT 88c , Reg. 5.98 to I II 1090 .. i10. .V.9. . \ AND 99c.THERE ARE SOME PARTICULARLY < YOUR MONEY WORTH MORE AT .* . Uniforms I I GOOD VALUES YOU'LL APPRECIATE. 1,1 WOOtWPHTH Sr HI 12.983.99 to 8.69 . Reg. 5.98 to . WOOLWORTH'S .' ''''.. .. -.,...., ;. 1 \) , << . / ... -- /.-' r - - ' ;.ot> . 16 Garnes jU ::S 'n .. Tuesday, June. 30 1964 \ .... well, 219 NW 3rd Ave.. $18. Dennis P. $10. Tommy L. Bass 1601 Waldo Rd..1 $150 and driver's license suspended three decal. $5.Sentences. two days.' parking out of assigned area. Vldal 1832 NW 10th Ave., ran red light. speeding $25. Stephen Johnson. 918 NE i months. Ty C. Drake Jr., 23 NE 44th : Carolyn N.White 1112 NW SI or one day. $10. Willie Young. 103 SE 14th Lane no 25th St., ran red light $10. Jeanette St.. careless driving, $25 disorderly conduct 1st Place careless driving $10 or three Nebhan KU'Chandiramanf 212 U Fla. I driver's license $20. Willie Young 103 Meadows. Live Oak. ran red light $10. $25. days. Chester T. Butterfield 1523 NW I III. speeding $7JO or three days. Mohammad ElectricalLIGHTING ISEEfb' SE 14th Lane ran red light. $10. Ken- Barbara A Donaldson 3212 NW 14th Charges withdrawn: Walter L. Bass. 11th Rd- improper change of lanes, $15 M. Bairaddar 1714 NW 3rd nethy P. Wooten. Rt. 3. speeding. $1 S. Sty speeding. $10 no valid drivers license Commercial Hotel no driver's Ikense. or three days. Thomas W. Barren, 1941 I Place. ran red light IS or two days. I Gabriela M. Arnold 3855 NW 17th St. $20. Jessie K. Blanton 1418 NE Roy L. Champion. Apt. 211.16 Corry Vil NW 31st Place failure to yield right .of. no driver's license on person, charge ' ( J.\-' '. I no valid state driver's license on person 12th Ter. speeding. $10. James E. Massey Hank-son.21 way $15 or five days. Charles M. Williams .I withdrawn. Michael H. Beck. 2012 NW 8th $20. Theodore Bradley' 715 SE 9th Millhopper Rd.. drunk. 25. RogerW. Jr. 2924 SE 13th Place failureto Ave. no driver's license on person $30 St., careless driving. $25. Clarence F. Williams. 4306 SW Archer Rd. faul- yield right of way. $15 or five days. or 10 days. George B. Hurff 2254 NW I rQi9Y rlt"{ Y9 t f Strong 905 NE lath Ter., ran red light. V brakes. $25. Alton! M. McElroy 212 cense.Found net gwtltyi Aubrey Rogers George A. Martin 4045 NW 39th Ave.. 5tn Place ran red light $5 or two days INSTALLED ,t 00- SUNSI $10. Joscelyn T. Boyd 1502 NW 16th NW 1st St., careless driving. $25. JohnH. careless driving. $50 or 30 days no valid (suspended). Theron A. Nunet Jr- 4111 Commercial -1 M "r'e .. 'I Ter.. expired driver's license. $30. DorisWilliams Cochran Lochloosa failure to yield' 219 se 48th St., Improper start. drivers license $20 or 10_days.. NW 11th St- physical possession of auto Residential I Cooper. Archer ran red light. right of way $25. Winston D. Hogan. Rt. Forfeitures: Robert R. Hesseler 1216 while intoxicated $150 or 60 days and Industrial $10. Kenneth R. sanders. 735 NE 10th 2, ran red light. $10. Betty J. Tanner Archer careless driving CALL I M tt'rr 1f.. ; 6wyfllsa f SW 2nd Ave., parking out of assignedarea license revoked three months. Place speeding. $10. $5 parking out of assigned area $15 or three days. Veralene B. Wile- -- 4 John P. DeWoody. 1929 SE 44th Ter.. $10. Camilo C. Samayo 1230 NW 4th Place men. Ocala speeding. $20. Tommy L. Kelly' W. Campbell. 1015 NE 24th Ter. C. ? Dressier POLICE,', FIRE;nEt'ORTt driving while ptoxeaTe&. $138!! drivers li- Raymond H. Lambert 1616 NW 34th U-Turn. $10. Helen H. Owens Alachua parking out of assigned area $5. Gib- Bass 1616 N. Waldo Rd. contempt ef willful and wanton reckless driving five . cense suspended three months destroy. Place, expired driver's license $20. following too cose $25. Jennings D. Rib- bens Cline. 2720 SW Archer Rd- parking court $10 or three days. Reverie ...1 days and $35 or 15 days. driving with | Accjdent Roundup 'y. ing city property. $IS. Gary' R. Brown Tomle R. Chancey 2030 E. Univ. Ave.; erts 1443 NE 22nd Ave., driving while lit no parking zone $5. Lawrence Thompson, 932 SE 3rd Sf- shoplifting. expired license. $20 or 10 days. Daniel Electrical Contractor 276-1 Corry Village, parked In truck loadIng Speeding. $10. Anice L. Derrick O'Neal's intoxicated, $150 and driver's license suspended G. Sobczyk. Micanopy Speeding. $15. 10 days (suspended) and $25 or 10 MCCoy. 810 SW 3rd St- petit larcenv.Clar.nell Phone FR 6-6193 . Involved in accidents report. zone. $L Mobile Home Court no drivers license, three months. Thomas W. Massey Dale R. Malloy. 219 East Hall speed- days. Michael W. Stratton 247 A. Fla.Ill F. Simmons. 539 NW 3rd St- Dwight Spradling. Evlnitoiv $20. Avery E. -Craig Jr.. 2414 NE 2nd Millhopper Rd., no driver's license on ng, $15. Ociller C. Armstrong. 244 SW parking out of assigned area $2 or drunk and disorderly conduct. $35 or 14 910 N.W. 4th St. \ cd by the Gainesville. Police parked In Ave.. speeding; $10. James E. Black person $20. Rudicel L. Procter S. Huguenin 727 SE 14tti truck loading zone $5. 'Gordon S. Max burn 814 SW 9th Okay th Place, parking In no parking zone one day. Philip 3750 SW days. Philip Jackson Jr. St. ran red light. Trailer Court. driving while intoxicated. 15. Frederick E. Gehan. 531 Blvd., no Archer Rd- decal not attached. $4 or Lane drunk. $25 or 19 days. Department and Alachua -.County - Sheriff's Office in the past I ' 24 hours were: II I r. .... ,,:'.....,>:... .. ,:....i.....:..r..r..i..4..r..y... ... .....:.:.:..r.:. .!..::.:.;....n.. : :: ............;.w. .......n..,.......r..n.q:.:: ,.....!....}::4:2.5 1iiY.. .ni...., : ,W:. ..:> 'i : + .t..,.v. -.!; .,::: .:,,. .\ 0.... :\ .ov'.c qv\s. \.:. ', I 1.r James William, 2100 SW 46th I Ter., whose parked car: was struck by an unknown driver In a parking lot at W. Univ. Ave. n.Y . and 6th St. at 6:03: p.m. yester . day.Ann May Goodman, 215 B Fla. II, a parked auto, and'Victor - L. Douglas Jr. 1252 NW 11th Ave., in the 1100 block' of sv[ i s W. Univ. Ave. at 5:03: p m.-yesterday - ,,, Tommy Hines, Rt. 2, and z parked auto of Mitchell R. Newsome, 708 NW 10th Ave., in . the 400 block of NW: 8th Ave. at 4:53: yesterday. p.m. 1O DAYS ! Hazel M. Kimbrell, 1530 NW STOPS HERE..TOMORROW ONY 43rd Ave., and Daniel B. Byrd 2206 W. Univ. Ave., at NW 5th r5 .t Ave. and 17th St. at 7:49 1'l p.m. '>,'" yesterday. ; : / I I I'Is Joseph D. Brown, Rt. 2, and n Sharon T. Tonger, Rt. 2, about two miles east of Gainesville on SR 26 yesterday at 5:15 pjn. a Fire Calls At 9:45 a.m. yesterday, small fire at new federal building, in II \ the 400 block of SE 2nd Ave. cI \ I CITY COURT "ueltt W. W. Hampton, Presiding Junt 23. 1M4Signed written pillS If guilty She l don N. Rose. 103 NW 14th Sty parked \LC 'tLgr In truck loading zone $S. Donald E. Dew.ry. 411 Thomas Hall ran red light. $1 Si Brent Wallis. 804 NW 33rd Ave.. vbtat ti. i ih ef one way street 110. Michael B. Gel ;. son. 1604 NW 4th Ave., ran stop sign.. S10 John M. Carter 411 NW 14th St.. careless driving. S25. Robert N. Soloman. 1101 NE 14th Ave.. careless driving JJS. Rebecca R. Eaton. 2718V4 NW 27th Ter.. careless driving. 125. Sanford V. Ya'es. 1635 NW 6th AV!.. careless driv ing. $25. Horace O. Gay. 731 NE 12t t wJy Ave. careless driving. S25. Ernest W. Burch Jr.. 15 SE 10th Sty careless' driving 55 t . S25. Rollyn G. Douglas Marietta Gay careless driving. $25. Joan W. Kin- I son. 2810 NE 13th St., careless driving S25. Earl B. Palmore 913 NE 25th C . St., ran stop sign. ISO. William J. Peters. 5. ;y. t. 3320 NW 4th St.. following too close. ISO Sandra U Green. Starke following too close. $25.Annie 4 . M. king. Alachua. following too close. $25. Thelma B. McKinney. 1201 NW : ; 21st Ave.. Improper backing. $25. Dorothy ;; : R. R. Story. Palatka. failure to yield right : . of way. $25. Dolores O..Craig. 290 NE . 12th St. failure to yield right of way. $25 : Thelma H. Smith. 934 NE 7th Ave.. failure y5,5 to yield right of way., $25. RobertB. Griffin. 632 NW 1st St. driving left - cf center line. $25. Lee R. Harden. 1<<0 SE 4th St., Improper parking $25. Roosevelt Q, ir..+ $:. 'sfi 22+:i.,;?(t .any + ::1 + : q. ,! : t .y ; Jones. 61* NW. 12th Drive, drunk $25. . Johnny C. Boone Jr.. 5080 NW 8th Ave.. careless driving\: $10. Morris Nesmlth NW 6th St. dw. }23i. gqbert pavls. 45,,441 NC NW 4th Ave.. drunk.* $25 David"Brown, ":t54 Micanopy operating vehicle with faulty brakes, $10. -f rnk Anderson,' 621 N. .. < j t4. ) Wrldo Rd.. drink. $25. ,/ \ ( f :'r,, & Jeanne W. Thomas Brooker. Violating t _ lane signals.' $10.: Frances Usry. 926 SE +" A 7th Ave.. possession of moonshine. $150. r % r :y l. 2#,, , Ada B. Davis *24 SE 5th Ave.. possession of moonshine. $200. Randolph Ray. field. Newberry. no drivers license $20. Patricia A. Hall ftawtlngs ]Hall parked In truck loading tone $5. Lwny 8.- SomHw e. 4124 NW' 13th, Sty Speeding., $11 . Robert C. Dorf 115 NW 10th Sty violation of lane signals. $10. ., John D. Rogers ,521 A NE 9th St.. r n .a r5y v's ran stop sign. $10. jeroninxi A. Sando- val. 1215 NW 4th Place, ran stop sign $10. Leonard J. TtemarvMurphree Area, U-Turn. $10. Martha I. Symes. 426 SE 'Wit 2nd Place careless driving. $50. Ronald s ., r r95. J. Fischer UF Teaching Hospital, blockIng - traffic $7.50. Gall D. Galloway. Jennings % I Hall minor In possession of alco holic beverages, $25. . Victor L. Stone. 4106 NW 21st Drive parking In truck loading lone. $5. Jerold M. Weiner. 1211 NW 2nd SU parked In 5, F i truck loading zone. $S. Mary C. WHIingham. U1S NE ISth Ave.. blocking driveway $7.50, Ernest R. Jones. 2211 SE 7th St. ran red light $10. George S. Henry 2227 NW 3rd Place violation of truck loading zone. $5. Harry y T. Antrim. 2604 W. Univ. Ave., ran stop sign $15. Brenda Judy Mauldin 204 SE 21st St.. speeding, $t0. _ Tommy U Hanklson 121 SE 5th Ave. careless driving. $10. Norman C. Mathis. '30 NE 7th Ave.. noisy mUffler. $10. Charles D. Hadley. 1123 SE 19th St.. ? speeding $10. Robert G. Jackson. 1527 t i' r O' ''y ! SE 12th Ave. parking In truck loading zone. $S. Robert Haines loa NE 23rd St.. careless driving. $25 Daniel M. Toskar r 4rrL{.. Jacksonville ran stop sign. $10. z's! . Doris J. Bayne. 1526 NE 14th Ter.. ran red light. $10. 'S :YS; r q Eugene E. Lewis. 1130 NE JSth St.. speeding, $10. Samuel A. Saxon Jr.. 13 SE 12th St.. no valid driver's license. a le 870. Katherine J. Pena. 1532 NW 3rd r Ave., speeding. $10. Barbara K. Nagler.! ; I 1607 NW 21st Rd.. careless driving. $25. Neal C. Dunn. 3925; SW 3rd Ave.. ran . .too sign. sio. Ty C. Drake Jr.. 2220 SE 44th ry - faulty muffler $10. Emory D. Nettles.! 4 s 149 NW 31st Place speeding. $20. Jerry C. Newman 414 NE 5th Ave.. speeding ' 125. Walter MM O. Davis. 432 SE Sth Sty? ran red light. $10. Norman C. Mathis. , 930 NE 7th Ave.. speeding. $19 John H. POllArd.' Archer no driver's lit erne. $20. Thaine L. Coates. 2915 SW 1st Ave.. . allowing I minor to consume alcoholic beverages on Ms premises. $50. ' William J. Dodd Jr.. Starke blocking ' traffic $7JO. Patricia Arm V. Peacock Rt. :L Speeding. $10. Stonewall L. Evans. " *m Nw 7th St. ran stop "ion. $14 , Johnny R. Higdon. $42 NW 31st Ave. ran red light. $10. Ted A. Grlset. Archer. Speeding. no. Mary F. H. Langford. Ala- ehua. failure to yield right of way $50. r\c Edgar M. Beville/ III. Rt. :x ' light. $10. Bobb L. Davis. RtT 3. speeS I' I, t Ing. $10. Kathleen' B. I t 14th Ter.. violation of iWsJgnals. NW '. 1 Louis R. Talbert Apalachicola' ran 110.1 . # ton. $10. John M. McCown. 364J I . 7th Ave.. no valid driver's Nw y, ,, ' Dan L. license. S20.1 ( 'Ii.;?/ W..er. : Ctmpvllie. ; rift ,, < sign. $10. Thomas E. Higgins l Tampa.18YearOlds . ,- : !i ...-,,- -,.,'- ' Given Warning . ,. }o. c Young ST. men AUGUSTINE are warnedto(:AP)reg-. ister with their $3000 'SO00$40 local draTt board $6000 $9000 within five days after their 18th ;! -: - birthday or face early induction; j the state selective service said I!, . Monday. I PACE-SETTING STYLES: every flash of Paris-inspired coat-news Interpreted in New York desit. FABULOUS TRIMS State selective service director I Ing rooms this season. Double-breasted buttoning( Tailors and drama pockets. Bold belted-look MANY IN MINK youll see more, more, more fVtrJms than ever before I , Cot Harold C. Wall:said de:; I .(lines., Bow excitement a-la-Paris- Back interest for chic, coming-0ed nd-gtung. Swashbuckling scarves. in 64. Unusual and unique treatments are the order of the day. We particularly like: the luscious linquents in 'registering tip be k .Gentlewoman-mood demerit cuts. Clever coIla ngs. unt or furred literally styles l 1101 varieties of NATURAL MINK> the soft subrfety of DYED SQUIRREL the luxury of NORWEGIAN SLUE dealt with *' f k FOX the youthful look: of NATURAL RACCOON. selected firmly. ,* *- : Every pelt for fresh, soft, colcr_iftlemity. He said he WIDE ASSORTMENTS OF WOOLENS: hand.pi'deed the Penney direct from the nulls . expected'Florl way SUPER-BIG SELECTIONS -- _'f -for quality so super we have room to house it oil for only the ti'ft !t. stylrnewprice. Sculptured wonted and velours. red ; Iayj. 83 draft boards to 40t Crisp worsted failles and t5- 'nh. . 18-year-olds within register the next : luscious furwools and rJbelines.Textured bubbly tweed boudes. Marvelous warm Pe meltons.Pa Come find-the-finds the silhouette that suits you best the color that reflects your taste and tempo 12 months. ; Plaids that ploy up color. All the new top faahion fabrics EVEN fine, real suede th.Iow.1ow price you can count on for real.savings..Misses' ,{union', end petite junior and 689* of- -lilnd samples. Come early late don't stay miss out on outstanding voluef Kta oo _ I r iredvch lebtad M is wintry r Mtlfla of ibprMtl li ' (BamrsuukMl. un i CHARGE IT, NOW..OR, PUT IT ON LAYAWAY FOR LATER \10L" 1.1<4 H VMH-l I II. I &''ii'i'' Iiiii _._ - ,"f I . .. ,)0 . 1/1 Tuesday, June 30, 1964, Gainesville Sun 17 \ 1 Congress: Dashes HopesOf I Fla. Solons Study ApportionmentBy i 'UUT-PERFORMS MOST ANY - Excise Tax: Reduction DOUGLAS,'STARR ment removed one House seat Reports indicated E.C. Rowellof tion in the May primaries to Associated Press Writer from each of 13 counties and reassigned Sumter County secured fifth terms. Neither lawmakerhad FAN 3ftm JorkWASHINGTON uittnrB arettes, liquor, wine, beer, TALLAHASSEE (AP) A them to more populous enough pledges of support to assure I any opposition in the Nov. 3 Short-lived I autos! and parts, local telephone weekend caucus of incomingstate counties., In addition 17 seats his election as speaker dur- general election.Traditionally I High Velocity J hopes of a reduction .or repeal I service and airline tickets. representatives studied the were added for total of 112. ing the 1965 session. i! candidates for by R &M- Hunter of a group of federal excise I Thus, in effect, the legislation U.S. Supreme Court decision In the Senate, the districtswere Rep. George Stone of Escambia -the speaker and pro tern posts '-' taxes long criticized by women,changes nothing, except for a outlawing Florida's legislative redrawn and the member- County was reported to have assure themselves of victory -..-'_ \\FiIED shoppers were dashed Monday. technical amendment relatingto apportionment with no announced ship boosted to 43. tied up the race for speaker pro during the session long before ./Yata'ait f' tax deductions for property results. I The leadership of the 1965 tempore, a post he held duringthe the session opens to make .j ft .M 1tg FKRXfNG CJC1tMR LOT As expected, House and Senate seized in Cuba. I Some who: attended said they!House apparently was assured 1961 session. choices for committee assign- (. conferees threw out a series I believed the state legislaturecould !at the Most senators were believed caucus. Rowell and Stone won nomina ments. . of Senate actions repealing I not possibly reapportion to I. - these taxes to have been aware when they U.S. Supreme on cosmetics, furs I the satisfaction of the - luggage, handbags, jewelryand voted to repeal the retail excise Court. a few other items. The taxes on cosmetics and the The decision said both houses taxes will continue to be asses- other items last week that the had to be apportioned on the I I sed at the retail level action stood little chance of basis of population. ! surviving the conference with The January,1963 reapportion- The conferees approved Intact the House, The ::epeal amend I the House version of legis- .ments would have cost the lation extending for another I.Treasury more than $500 mil Biz Ad GradsRoland year Korean War taxes on cig lion in revenue. B.. Eutsler, son of Mr. and Mrs.: Roland 'Eutsler, 710 S. W. 27th St., and Ed- One FREOf ward B. Stephens, son of Mr. Gallon and Mrs. Ed Stephens, 2038 W. I With Each One You Buy University Ave., were among -- i . i 567 graduates of the Univer-, USE YOUR CENTRAL CHARGE sity of Wichita. I j : Mary Carter Paint Store Each of was business awarded administrationdegree. the bachelor Spectacular # I 501 N.W. 8th Ave Gainesville, Fla. FR 6-7588 ,I 1l I J Jce'earate wi f \ savings for menTROPICAL f %.4Y isLb i '. DURING OUR JULY JAMBOREEALL ; :; : SLACK Lb FROM OUR REGULAR STOCK SPECIAL! They're a happy summer blend of ' SUITS Dacron polyester and rayon for iii -;:': :. fs i easy care, crisp good looks. h \ : I ';,; You'll find a full range of colors CREW NECK REG. $85 AND $90 :. $6399 {4' : in waist sizes 29-42, precuffed.Get \_ /7<;'::y all you'll need for your summer :: POLOS HAVE REG. $79.95 r4. :-i: wardrobe.at our special Penney - $5999 r.. price. SHORT SLEEVESSizes .r. ,, r : REG. $69.95 $5499 . 2 $1 fw REG. $55.00 $4799 $500 4 to 12Penney's REG. $45.00 $3799 bd crew neck polos come n all your boy's favorite colors- d SPORT COATS y WALK SHORTSPECIAL! wash color solid or combed fast stripes., machine-cotton They're \ v Qf )' $59.50 . . . . . _ $4399REG. Shorts are the coolest, man! $55.00 .. . . Choose from solid colors or he- $4799REG. man plaids that are woven rightin. = i F mow They're 100% cool cotton p'. REG. $45.00 .. 3599 i # and cut in Penney's trim University t Grad and Continental mod' REG. $39.95 $ $3199REG. i I r els. Sizes 28 to 42.KNIT ; $35.00 $27"SLACKS r I X.i : 11 rr : af i : 2 $5 r. : :1 .11t rEz - ?1r x Ee I SHOESReg. I r I 3 Reg. $12.95.X11099 ;: /' SHIRT FLORSHEIMREG. ( SPECIAL! _ 2 'Prs. $21.00 $21.95 : These Penney coolers are ideal . for beating the heat. Choose Reg. $14.95.: S1199 from two combed cotton models :df < j $1499 f : action mesh or classic tex- ,;, BOYS' COTTON tured. Both machine washable SHORT SLEEVE ,. t models feature fashioned collar, rib cuff and embroidered pocket SPORT SHIRTS I r{ Reg. 17.95 $1499 at a low, low price. : A; ir ROBLEELOAFERS Sizes 88 tI 6 to 16Handsome 166 broadcloth SPORT SHIRTS I -r prints, machine wash- Rte't able, Sanforized. A Values to great buy at this Pen- : .T S ney-low p r i ice. Get $14.99Q99 Reg. $7.95 S599 stripes or fancy pat- $ terns.CALLING \ 1'w , Reg. $6.95 y j99 '' ...,.;',.y"-,-, -...... > fir ... ;; j ; LiTh and $5.95Reg.$5.00.'...'. \ 4 & e % v. "\. ' -. I lI I A } N I'I , WALKjki'iSHORTS t1. r ' $ 99 ., ] rw .. J Jj j, 0 / ,,__, Ti1 __- ' - : Reg. $4.00 S299 'Reg. x. 1Y i $8.95 $699 -- 'f7H/ vF sr A ,Yi II If P / : _ ' LADIES'SUMMER $79$ eo $599 : /y, ' r, ; l % I $Reg.6.95 .. $499 SPORTSWEAR /3 Off Reg.- \ ; $399 $5.00 KNIT TOPS . &$5.95-- ' FOR GIRLSany Ti ti, . .. :1M:: ::: :: : .., !t:: ::c:1--:: : :::: :.:.:::.:.. .::.:*..:..: ....... I t F FREE I .2 for $1 SHARPEST SAVINGS ON ALL BOYS, TO. ",,.;;. ' SWIM'EVENT' : : STRETCH NYLON SWIMWEAR PENNEY'S !-! *' PARKING V; .'.'I. l & Pick sleeveless combed 22 ". cotton knit fun tops, 8 to 14 288 lira 6 to 20 1. 4 ' . One Hour on .M. p.1 striped or solid! Mate ) them with neat ''cotton Big girls .' I'il girls .> .- buy one -. buy,two of Dash to Penney's for big savings on boys' swim suits. 1st Federal I shorts! The value is these sensational surfside fashions '.' your favorite Wide range of styles in every .sizc.a&\} JJ.rr- both m::::::::=-:...:.:: :::_:.::::::::ili:::::::::=: ::::::::::::::;..:.:.: ';i+ terrific! Sizes 3 to 14. quick-dry.fabric your favorite one or two piece regular.and ,low.rise styles. BoxersrpfKbome;| yam :;: +::: :ilif:::: ::: ;ili:::::::: and solid Lot styling. Hot sun colors and jet black. dyed cotton plaids colffippplJpsyAII ma- Parking ,13 W. UNIV. AVE. ; 6-5611 Sizes 3 to 6x . .. .. . .. .. 1.88 chine washable, all special priced.". '..*?""' ';'."'.. . ... . . .. - 18 Geinavfllr:=5un Tuesday. June 30 1964 . ;, :' \; t' WEDNESDAY- ' I ; THURSDAY AND 1 ; ':.. .;: Ra / FRIDAY, JULYlst2nd&3rd '. ., Yf\.J. t'OPEN9:30A.M. f ,.. '' :,!". :?t: : Q ,OPEN TIL 9 THURSDAY & FRIDAY., WILSON'S WILL BE CLOSED ALL "u1c., Kz :. t : ,', '. S DAY SATURDAY, JULY 4th. 1. - 3'.. 4. . 1 _ : SPECIAL MISSES' LIMITED PURCHASESitI :! WOMEN'S TIME : .:. " 'I FAMOUS MAKE TLi sl &" JUNIOR'S SPECIAL LITTLE,GIRLS' &. ',' GIRLS'3-6x&7-4.' \. ', r t % SUMMER (;;: ,f emu;: . . ,SWIM ,SUITS DRESSES NO-IRON COTTONSLIPS oj c. IN 1 OR PIECE A - - 1 ; STYLES. A TRULY WERE 8.99 t i{ h ' \ WITH BACK & FRONT PANELS WIDE SELECTION! TO 59.99 ORIG. 4.00SALE ORIG. 3.99-5.99 i i ... 3.19COTTON SALE. 2.993.99LITTLE n14LrA; "NOW BATISTE SLIPS I J/2 THAT LAUNDER SO EASILY, A1p4 N DRY SMOOTH EVEN IF AUTOMATICALLY . WASHED & DRIED. A GIRL'SAND WHITE ONLY. 3042. . PRICE I GIRL'SSHIFTS FLOOR : . Lingerie Shop2nd Iffi ; I I SELECTION t . 3TO6x :.lll1 c9ossar I hfifJ INCLUDES: : ; 4 ( . . & 7 TO 14 I !Ip COTTONS THRU IN TERRY & COTTON # 1flL 4I: SIKS, MIRACLE BRA & GIRDLE Y . % FIBERS & BLENDS. \. ; WERE 2.994.99NOW c./ I 4i: " 1.99 A I SLIM OR FULL SKIRTS SPECIALS .:.l' /9 t;' SLEEVES OR SLEEVELESS AT ONCE-A-YEAR ; > STREET, FLOOR '#,,' TO 3,99 'f Dress Shop- SAVINGS! - = ALSO SUNDRESSES & PINAFORESIN FIRST TIME No. 2707, "FLAIR" BRA THE SIZES 3 TO 6X. ON SALE FOR WITH MEDIUM FOAM Little Girls & t Girls ShopSTREET SPECIALLY PURCHASEDFAMOUS STRAPS RUBBER, CUPS.MACHINE STITCHLESS WASHABLE. =1 1A FLOOR 32-36, B & C 32-38 ORIG. 3.95 ._ : :YOUNG JUNIOR'S ., u i1 Y SALE 2.99No. ': 4 fl4BABY/, I [DOLL./ ,f'.\ ;f ;]...} ,MAKE* f'P/ / h GOWNS&LONG 2775, FULLY PADDED :' TO ADD A SIZE TO THE , PAJAMAS SMALL BUST. EMBROIDERED l '= UPS PRE-SHAPED WITH "r' , ORIG. 4.00 LADIES'SWIMSUITS TRICOT LINED FOAM RUBBEP 1 QTy' SALE 2.99 \l.Ij" ;: COMFORTABLE ELASTIC FROK A' 1 OR 2 PC. "ORE. ADJUSTABLE FABRICS APS, ORIG. 3.95, ) YOUNG JUNIOR'S SALE 2.99 SPECIALLYPURCHASED as''). ORIG. 18.00 M v .. ,: N' TO 24.99 4 .g G rc. No. 900-901, SPORT-DEB L LYCRA LONG-LEG GIRDLE PROPORTIONED , SWIM SUITSSIZES f SALE 12.99 TO FIT BODY RISE DIMENSIONS.No . 814Special / 900 FOR AVERAGE, No. 901 FOR / \ / \ 4 5.99COMPARABLE A TALL. DIAGONAL STRETCH FRONT v\ PANEL LIFTS & SMOOTHS. UP-SHAPED J TO SWIM WEAR rAT k /1 CUFFS ANCHOR THE LEG LINE &..GIVE ' 1 M 7.99-8.99! FLOOR L ; i ''j FREEDOM OF LEG MOVEMENT. ALL- ' Young Jrs. ShopSTREET 4'A WAY STRETCH SEAMLESS CROTCH. co WHITE ONLY. PSML 4' '*_ Rr' I X '.., . LITTLE BOYS' y1 U 4 SIZES 2-7 A S ORIG. 10.95 '4 SOLIDS & ' rY SALE 8.99XL SWIMSUIT 'r Y- FLORALS I IN 6- 1 & 2-Pc. ORIG. 12.95 .. .- STYLESSM&L : t' - l SALE 8.99. SETS SIZESSportswear YL DISC.STYLES Foundations FLOOR FLOOR Shop2nd RED OR NAVY STRETCH Shop2nd i . TRUNKS WITH WHITE - 'NAUTICAL JACKET INFANT'S INFANT'S PRE-4th CASUAL : '. COTTON BATISTE SALE - BROADCLOTH, OPEN-AIR CASUALS FROM \." WERE 2.99,_ '; DIAPER ITALY 3:'. NOW 2.00. J13 SETS SEERSUCKEROR cs .- BRAND-NEW SUMMER IMPORTS JUST OFF THE BOAT. >> TERRY /11 : AIR-COOLED, PLASTIC LINED PANTIES. BUTTER SOFT LEATHERS IN SEVERAL; f LITTLE BOYS' 3:7:,,' :. I' DAINTY HANDMADE SHIRT. .SUN 7 SHADES OF TAN OR-WHITE. NS r REGSALE 1.59, 23.00 . SUMMER" SUITS* ,1. ; REG. 9.99-11.99 SALE 7.90 j: PAJAAAAS. INFANTS' COOLVENTILATED WERE 2.50.2.99NOW. 1 't t.1;3 'r- '\' RG. 5.99-7.99, "f SALE 4.97 HW3.0STRIPES, .. : ; . '- . ? SOLID COLOR OR PRINTEDSLEEPERS . 59- O *" .' : SA I ...t. -, :'A .... "... / it" REG. 5.99-6.99 \ : SALE 3.97 : .. -.. 1.592.00BOY . Yf'AT- :-: "' ,. .' I RPULL-O. 1 ': :. WERE 1.99-3.00 TERNS; ll ; : ' / /fj f/A. I I NOW 1.59 & 2.00 OR GIRL STYLE ti ; : '. .,- REG... 4.995.99SALE..._ ._, .., 2.97, J ,..STYULittle Boys' shop STREET FLOOR I!" Infants ShopSTREET FLOOR I Ii.j .. Shoe Shop-STREE)) FLOOR *" --. -.-, ., .. .> ." ...... ,... .' J T r ! I 1. 4 e -'------------------- - - - -- ------ - - --- - 1ui - 1 .. ..,.... Tuesday, June '30, 1964 Gainesville Sun 19 ;; -.... ,. Ii lII" . i' . fr (; 'f' : ''.' ":i''t! : '.1 .'I.'". DAYS ONLY! : .: PRE % : .. %. ' : ':'r: :: - 4F 1 I WH .' ',';"' .WEDNESDAY;. JrlrlRS-. {!) LTH 'W" .. . DAY &,.FRIDAY- I / FAMOUS . ' I MAKE JULY lst-2rid& 3rd : 4! .JEWELRY. di a y (CLOSED JULY 4th) ' rr' I LADIES .,. ' I : ';: WE MAKERS MENTION OF THE, ; .. --7 LADIES SEAMLESS STRAW VINYL :3 MEN'S<1 THISCOSTUME JEWELRY'S NYLONS SHORT SLEEVED _ SELECT FROM: PINS, : '2 ATTRACTIVE TONES i BAGS SPORTSHIRTS 4 NECKLACES, CHAINS, RINGS, j ,SIZES 81/2-11. = ZIPPERED INSIDE POCKET.GOLD skew HANDLES..WHITE OR NATURAL-VINYL I & EARRINGS' WERE 30025.00 SPECIALwilhJ3 'STRAW",. WASHABLE. PLIABLE. STURDY -"t" ; ORIGINALLY 4.99 VINYL STRAWS 5 AT BANG-UP 1d NOW 10013.99 2/1.00 SALE 3.99 SAVINGS (/ bare-feg CM '. . d look i FOR THE 4TH FLOOR1.JOSPREADS ,.. Hosiery Shop- FLOOR ara tr: cit. Jewelry ShOpSTREET Handbags ShopSTREET J STREET FLOOR rW REG. 2.99 ::1 NOW! REDUCED FOR THIS hr : TO 4.00 f PRE-4th SALE JUNIOR'S i4/// ,!. SALE PRE-4H 6 Minute creme nail treatmentA MISSES' & 4P A complete nail conditioning kit for men or WOMEN'S 1 25925.00 j f women., 6 Minute Nail Creme promotes nail ' ,. t 9 growth, stops splitting, helps remove excess cuticle FULL SKIRTED'OR f and stains. The creme is applied t ( ,i ., -- around cuticle cuticle is removed with on orange SLIM STYLE, SELECT FROM AN OUTSTANDING GROUPOF stick and a little more creme is then 4 } applied to entire nail and it is buffed SLEEVELESSOR to a glossy, pink lustre. : WITH THESE COOL SPORT SHIRTS I I IN A 'REG. '3.50 SHORT GENEROUS ASSORTMENT OF STYLES, 0 SALE 2.39 SET SLEEVE t COTTONOR COLORS AND SOLIDS OR PRINTS, TA- FLOOR 1 i Cosmetics ShopSTREET ;..I l MIRACLE t PERED OR REGULAR CUT. BUTTON-DOWN iI\ 2000 YARDS SEW NOW( AND SAVE! FIBER BLEND STRETCH DACRON/COTTON OR ALL COT- I BUDGET TON WASH 'N WEAR. S-M-L Cr XL. ' - DRIP-DRY COTTONS' :: I " \(\ &. BLENDS :'t": ":I.,;T I"< DRESSES YrMEN'S ,a ... .. WERE 3.99-6.99 J' : 'f3T r V, "L.( NOW' 2..003.00Budget ' -SALE3 .. DAYS ONLY I , \ i tH, ;"' FLOOR SLACKS 'i t " REG.59c&79c )\ Shop2nd ,\ t \ t: WEDNESDAY 'k ..GROUP.1 A \k : PRE-4th ,. k4' l If THURSDAY & '- ,..04 MEN'S CASUAL 't : \ " <.-: FRIDAY! SALE WASH 'N WEAR 1' SLACKS IN . -y1i slr : > 75 BOYS1SUITS FINELINETVILLS. I. f\.. \ ' . DACRON BLENDS \ SUMMER WEIGHTS PLAIN FRONT. ; " An InCH D 6-12, WERE :i SIZE 24-40. . 1199-14.99, : BLACK, OLIVE 1 . Now 9.90-11.90 & TAN. I e. ... nd FLOOR - / Piece Goods Shop- REG. 4.99-6.99 14-20, WERE >"" ... A ' i l' 19.99-32.50, ( j SALE 3995.99, 24 PIECE SET 1 1 Now" 15.90-24.90 *!.fI: MEN'S. SLACKS $ STAINLESS STEELSERVICE NORMAL ALTERATIONS FREJ:: --:/ "" ':-1 : FOR 4 SALE OF A '. .'GROUP( 2, 200 PAIRS .'. :..I SPECIAL 5.00 SET 75 BOYS'Sport =i FLORIDA-RIGHT, TROPICAL t 1' FLOOR ' .i Closet Shop2nd Coats WEIGHT SLACKS. PLAIN ; ..:":.1 OR PLEATED. DACRON ,BLENDS; :, s 'SPECIAL PURCHASE 6-12, WERE . ATTOTTORMORE 8.99-9.99, SIZES 28-40. WASHABLE!. ... ,L .' . DOUBLE WEIGHT NOW 6.90-7.90 REG. 8999.99 1 '. : . OFF REG. PRICES! Fiberglas Draperies -- 'f GOLD, WHITE OR BEIGE i 14-20, : SALEMenus 7,99r, :; 'K : . 63" or 84" I WERE 12.99-19.99 -- WERE '4.99. TO SLOn STREET FLOOR. ,':: Special 4.99-5.99 NOW 109015.99 ' \ ". ,', (COMPARABLE TO r I , 27.50NOW'2.9'9TO 1' :4 f 4Ij: I - DRAPERIES I AT BOYS'' 8 TO 18 COTTON KNIT POLOS GI 7.99 & 8.98)CUSTOMDETAILS) SOLID WHITE OR ASSORTED STRIPES, FAMOUS:' I : j ; ";: j ;; 1 MAKES & OTHERS. REG. 1.99-2.99 . # 4'" BLIND STITCHED ' " ' \> .:* ', > SALE 1.59 2/3.00 x : ,> SIDE HEMS. 10" .4c , v v u: J. ;: /19\ 99;,'**'::.' >' ., DEEP PLEATS TO ( f t 4 '*27 ': : ':' "1 THE PAIR! 48" I 4'. i '- BOYS'=SUMMER PAJAMAS ' ;: : : 1 :.; ; : }: WIDE ACROSS THE ' ARE ".'::- 'Te FAMOUS ... I INCLUDED : PLEATED TOP! "' MAKE " ., . JACQUARDS. DECORATOR. & EASY CARE!! -t { ; PAJAMAS IN LONG ,-'tOR r V JUST WASH DRIP y " TAILORED,. WOVEN. PATTERN: DRY IN 7 ,,MINUTES'. Y t.D 'SHORT LEG; ;=., , i- ' No- RON I NG: . !"HOBNAILS.G.. ,-! CHE'NILLeS-' : ;;;, WILL_.- _.NOT___STRETCH S'*':.,. '\ ',.'':t,.,.n STYLES.Orig.'SrOOM.OOi. "HEIRLOOMS. ," QUILTED TAFFETAS SHRINK OR :"<;f.: tz.. , / '. -;'''';' ;.'*t ..--.J . ,MILDEW*. itSfr H +; ,AND..' I 1:".DRJ. .P-DRY'' COTTONS. : J :''s 5.00 Htme Furnishmgs- FLOOR SALE",2' FOR ; i .'-.-- -. -' .., .... s-. i ..-- 111I ,. t . .. - - 20. Gainesville Sun Tuesday, June 30, 1964 DINING OUT I taurant at least once a week, Historians are unable to according to a report of the Fed- identify a period in recorded Be Illu> Here An estimated 50 cent of Explosw.n'Dan/ers to V V p.-_ -" _x v per eral Reserve Bank of Philadel- time when men did not wear .... I American adults dine In a res- phia. armor. _ [ IrPRE.4th Actual explosions will be which take an annual toll of July 8 at 8 pjn. in the Teach- hazards, but the meeting is than air and that they hangin 1 created on stage next week in human lives.It ing Auditorium of the Gaines- open to the public.A I greater concentrations alonga t -. lecturer, supplementinghis floor than above. I an explanation:1 of fire. is the ville High SchooL "One couldn't' : sponsored by talk with actual examples repairman Called "The.'Magic of"Fire," Gainesville Association of Insurance Special invitations are being wil Ishow bow to cut the possibility understand why his firm put! JULY JAMBOREE the demonstration is designed j I Agents and the Flor- sent to ,employers and agencies of accidental fires in up 'No Smoking' signs above I . to prevent the fire hazards ida Gas Co., and will be held vitally concerned with fireGESGER'S homes, industry and farm. his bench because nothing ever SUMMER The agents reported the following -happened in spite of the factit I CLEARANCE example of why they was necessary to keep a gas PRE-4ih feel the demonstration is nec- flame burning on the bench. j essary: "He found out one day when \i GIRLS t "A car repairman, for ex- he disobeyed the signs and t' TODDLERS and SUB-TEEN .I ample, may not know i hat carelessly tossed a bur ning , gasoline vapors are heavier match to the floor." Short Sets Sun Suits Shifts & ..; *! * Dresses Bathing Suits F&'S** Tips for Travel Pajamas "J:;;J". .y: .. up"", .' . + \S On Expressways .. : TO/j' OFF f " WE!). -THURS. FRI. Summer Dresses. Sportswear and Millinery. Sizes for Misses 8 to 20 I TAMPA Tips for drivers passing> traffic. Juniors 5 to 15... Women's 10 V2 to 22 V2. Petites for the 5 foot 4 and under planning long distance motor ((5)) Check your car speed 8 to 20. I trips on expressways over the from time to time to avoid m BOYS ... ,I July Fourth weekend have been drifting to higher speeds. On :.;. ; t Suits Sport Coats Bathing Suits issued by the Peninsula Motor freeways, it is possible to lose . Pajamas Bermudas (Slims & Regulars) MILLINERY Club (AAA). the sense of speed and there- ' DRESSES High-speed, divided-lane expressways by unconsciously exceed the Y UP require special driv- speed limit. TO : ( a and SHIFTS ing techniques, the AAA club I Entire; summer line of straws and said, offering the following suggestions ((6)) Keep your eye on other OFF Sheer, crisp, cool cottons and easy : flower hots in black, white and to the freeway driver: traffic. Watch the rear-view .. it mirror for tail gaters, and 3 .x care fabrics. \. pastel colors. ((1)) Know in advance your avoid driving too close to other 1, ; intended route and the Interchange . ..::' , VALUES FROM I cars yourself. Allow at least 1'Boys' < where you get on and 'one car length for each 10 MPHof O4 off. Otherwise, .1 to $16.98 you may easily speed. More at high speeds. sixes 8 to 18 Rey. 5.98 l" , become lost. ((7)) When passing, do so $450 (2)) Decide in advance BERMUDA SETS on i.98 with extra care and concentration. Set S ; rest hour two. J 1"I stops every or . High speeds require more , ((3)) Make certain the gas alertness. Siuto20 ) tank is full and the car in .r r N y I on Parkas rt:doted to $398 : ONE GROUPDRESSES 12 PRICE good mechanical condition. Spe- I ((8)) Keep your speed up. .i Blue Burgondy White.I Ee. .:" cial attention should be givento Expressways are no place for J. . tires and the fan belt. i slow-poke drivers. Short Sleeve Sport Shirts 2 For = $239 ; ((4)) Try to enter the freewayat I ((9)) Never change your traffic SHIRTS 8 to 18 $450 ' the same rate of speed as lane unexpectedly. While Excellent selection for school. Ea. i. REG. UP TO $29.98 shifting to another lane, givea y' :, SPORTSWEAR signal to other drivers well ' n f 'v PKY Student + i pw1&ih'tL I in advance. ((10)) In the event of an emer- r i ;: = $1500 Koret of California. Nellie Don and Attending Art gency, pull well off the paved = Alex Coleman Culottes, Shirts, section of the road. Under no I Skinny Pants Skirts and Blouses Camp at FSU circumstances, stop on the d roadway itself. For a distress to match in beautiful assortment. Tots Thru Teens Jennifer Lane, daughter of signal, attach a handkerchief to ONE GROUPDRESSES '2247 N. W. 9th PI., is one of your car antenna or left car 10 East University Ave. Phone FR 2-4061 ' 25 young artists at the 11th annual door. Raise the hood, if pos- I Art Camp at Florida sible. 1 33/3% State University. She is a student ((11)) Slow down well in ad- vance in preparation for leaving - I UP TO $49.98 ,,School at P. K. Yonge. High the freeway, and move Into The VARIETY STORE'Sdifferent the deceleration lane. Keep OFF:3'i I The camp, conducted by the your eye open for exit signs at. Art Education Department at several miles ahead.' If you JULY FSU, features sketching trips I pass your exit by mistake, 370OFF to St. ltfarks.and Shell Island never try to back up. Go on c' J Q i i and to other nearby sites. The to the next exit. students are studying both wa- CJ ter color and oil painting tech NORTH SIDE OF SQUARE niques. Afternoons are devoted to doing jewelry, sculpture and PiNfiJudges I ...- ceramics. In the evenings, the r students attend art lectures. PREFOURTHf Among the lecturers are Dr. A Gulnar Bosch, head of the value his of Dept. of Art; Dr. Ivan John- !son, head of the Art Educa- the value of our carinsuranCelContact i ion Dept.; and George Milton, me tOde"' Tallahassee artist. I Ii i'" Dr. Fred Metzke, associate I I ir. 117 N.E. (professor of art education and .yF kinds ,'director of the camp said the .. 16th Ave :students' drawings and paintings - will be on exhibition Friday !- 'honeFRanrdin : of washing for ''I afternoon in the School of ,Education. 2-0444 -; V/ r, better fabric care PROFIT IN AUTOS MODEL 1534AL.L f SUMMER DRESSESREDUCED Automobile dealers madean Ralph Turlington average profit of $108 for S. e e eL p each new car sold the first aziois .It quarter of this year, the Na-, STATE FARM I ]L tional Association of Automobile Mutual I A.to iMurtnct Company 1'i I MOM Omar MOMUflCtM,'top. Dealers reports. 1C Pretty new cool summer dresses that will l 1 1 capture the carefree mood of easy living. NEW-STYLE PORTABLESAT They are the kind that can go anywhere and OLD-TIMEY PRICES . be in style. Come see our complete selection. 3 DAYS ONLY The NEWRQYAL PORCELAIN TOP, CABINETand . ALL NATIONALLY ADVERTISED KNOWN BRANDS ROY ALITE '64 I TUB : JUNIORS, MISSES, HALF SIZES $3995 CARAVAN* 2 Speed-2 Cycle for regular or delicate REGULAR FORA fabrics : $9.98 Values $11.98 Values $12.98 Values COMMODORE LIMITED 2 Water Level Controls $22995 ADDING MACHINE 7995TIME 3 Water Temperature Selections ;;; DRESSES E DRESSES DRESSES Credit BalaiKts ONLY Exclusive Surgilator Agitator Large Cay.ciryUSED Magic Mix Dispenser Filter $ 88 12995 Automatic Spin Stop when lid is open Up to 12-pound capacity $788 $888 $988 9 Thorough rinses SPIRITDUPLICATER SPECIAL SALE PRICE $14.98 Values $17.98 Values $65 I FULL SIZE FULL ' DRESSES. 'All from our DRESSES FEATURED LOW PRICE 'I 13 Cubic Foot % ADDRESSING % A//// Stock .MAGIC COLUMN SET RCA WhirlpoolREFRIGERATOR Regular MACHINE I .TOUCH CONTROL SELECTOR i $1088 $1488 FULL-SIZE KEYBOARD . $8995AU.. METAL CONSTRUCTION VARIETY EVERY lOYAL PORTABLE IS All.colors and white. . - GUARANTEED FOR 5 YEARS. ::r':-::=-:--==:--= STORE - I'. Plus Many Other Specials Jp USE, ......,.---...........-. We stock Underwood-Olivetti, 7 S.E. FIRS* VON CENTRAL,;i Royal and Smith Corona. CHARGE Shop Now And Save ..' At ; 189.95 1 THE SQUARE PHONE 37 5348We CHESNUT OFFICE Service Whot PEEIXHOP / EQUIPMENT CO. INC. Your Choice Of ." ': ., IIf . J : 10-12'SOtITH'MAIN' STREET. .' ; AIR-CONDITIONED 106 W. UNIVERSITY AVE. PHONE FR 2-8421 i I: Payment.Plans.try 'l VftSfcV: I .. -" \ , I Tuesday, June 30 1964 'Gainesville Sun 21 U NS WELL. THAT'SF ; WE aEAN UP HI5 WHOLE :. &W/SHOULDILETIT6ET( ( r 00 NAPE. 6RAT17UDE FOR 41Xy /! HOUSE FOR HIM,AND NOW 'AU:ME55ED UP AGAIN? ABBY WOULDNY? HE WON'T EVEN INVITE US - fi6 y OVER FOR A f PARWL'tt'rii !! Y % ;J - EEIt It ItS ) What's you problem? For a general -: , V < ;;,1' Mental) Telepathy l reply, write to Abby, Box 3365. Z< y Barcrly Hills, Calif., 90212 and t rrusr . include a self-addressed stamped en " ( a Abigail Van' uren velope. Abby answers all nuIL I Ii I A 4 -- S "'J'f. I5cJ1' iT'S K-i N ckucictE.'. SO f 1NON'T t ""'" 6uzy'A tw > J _) . Lt.TH YJE MOVE.tiNLESS , I DEAR ABBY: I always thought mental telepathy was a a hypocrite would ask for a suggestion, and then be I ITS TH'LAST LIVE SHMOO o LI'L SAVE YO' ONLYMAN I'MTNEI4EARF tpRESlDEIJT ;. F AX ' lot of bunk but because of my own experience I am now offended by an honest answer. ?3 EARTH DR.STRAMGELUMP!!- BEAT 1T? W THE US FA1iS ME ,-' 41M l lJ convinced that there is something to it.. 15 GOVERNMENTWHO OVERTIME!! I I live in Glendale California and 'my boy friend lives DEAR ABBY: I received an invitation to the graduationof I a : WHO CAW M J in Buffalo, New York. As 'you know, it is three hours a person I would not know if I saw him on the I ( earlier in California than it is in New York. Well, lately street. I am certain that he would not know me, either. JI. I have been waking up at exactly 4 o'clock every I know his parents only slightly so I cannot for the I s va v+ "I morning, just as though an alarm clock had gone off.Ii' life of me understand why I received this invitation. AmI \ 4AN' It's the craziest thing! I wake up, and when I look at expected to send a gift? Not knowing' the person, it a the clock, it's always 4 A.M. sharp. My boy friend says would be difficult to select an appropriate gift. I don't Ii', he gets up at 7 A.M. every morning, and the first thing want to appear cheap and ignore the invitation. Have you (. he thinks of when he opens his eyes is me. I KNOWthat any suggestions? is what is waking me up. His thought waves are just BEWILDEREDDEAR ', -. ....,.._- .----, -,. ---- p --- - V ..\ that powerfuL When I tell people this, they look at me BEWILDERED: Under the circumstances, a message - like I'm nuts. I KNOW I am right. How can I sleep of congratulations is sufficient. I HATED A I WENT OVER TOLUKEY'SAN'HE'SGOT J , } through his thought waves? WATER. : TO COME HOME _ IN LOVE IN GLENDALE CONFIDENTIAL TO VIRGINIA BEACH: I am sorry t"I PAW!! WHAT ONA1RTH MELOIJ EMPTyHANDEDDOESNYTHI5 A BRAND-NEW PADLOCKON DEAR IN LOVE: Don't fight it. Either move into his that the letter signed VIRGINIA BEACH has given you a Ec4 HAVE VE B HIS HENHOUSE h time zone until you can marry the guy, or ask him not bad time, Virginia. In order to conceal the writer's identity, GOT IN YORE SACK? 1 CHICKEN } to think, of you until 10 A.M., Eastern Standard Time. I sometimes use locations instead of names. The item I signed VIRGINIA BEACH came from the resort town, 1 I ; DEAR ABBY: Is it wrong to suggest "money" when relatives Virginia Beach, Virginia. The writer's name is not for ., ask' us what my husband wants for graduation? We publication. 0 are a struggling young couple who have scrimped to put C1)J I my husband through law school. A number of relatives DEAR ABBY: A few years ago, when our teen-age son | have asked us what they can give us, and I have was unable to find summer work, we let him paint our simply explained that if.they gave us money, we could house rather than contracting the job to regular painters.We . f. t put it toward a TV set. We -need so many things for our made arrangements with a neighborhood paint store not CD ( apartment. Our families are now furious with us because only to supply the 'materials but also to provide him with they say we sound money hungry. Most of our relatives instructions and periodic inspections and corrections. The would spend around $20 or $25 on a gift anyway. Do you results were amazing! In addition to spending a useful SOON AS POSSI BLE MEANWHILE \iXl THROUGH A5 I think'we committed a breach of etiquette? summer, our son earned money, and his. paint job was -ACTU AUX;THATS UP DO MAKE YOU 1 WITH POLICE CURIOUS first-class. So this is our suggestion for keeping a teen-ager AND WHEN DO YOU PLAN TO MOON MAID. -,TRACY DOESNTTHIS 701R WANT-f GET I WORK SAM { DEAR CURIOUS: No. Those who ask what they may give busy and happy during summer vacation. TO BE MARRIED? SOMETHING BACK THEMY IN / IVI FAMILYOMHARNESS2C TAKING are genuinely interested in giving something practical. Only HOUSTON PARENTS V A VACATTONjKATKTHtSSftBCMORSAlV . f n ' ., & a f . V 'voi.r' 40' t. ;; 1',0 f. .; :' 7t t V f. T.V :JROGJEt.A1VIS: : SMP Ah r \ j'I 'I NOTASSUOttXyi WHAT THE SEROLOGY Is YE51DOHAYBrMABOUTTOlEAVETHE s BELIEVE HE HAS ANWTRACRANIAL ABOUTNKflUVEANDHEHASPARESIS SOME OPINIONS THEN Val DON'TTHINK ?J| NO OTHER CORROBORATING! HOSPTTALANOrDUKETO YVIISCHTDUKE IIAI "'V XI'I Z MR.5TWttX.YlSA& LESION/ NEUROLOGICAL SIGNS/1 STOP BY FOR A TO DISCUSS'FEWJWNuT t .-.I PSYCHIATRIC PROBLEM SUSPECT A FRONT/*. 5HbS A WITH YOU/ TUESDAY EVENING Drepung monastery. (Special) For their second CD Waldo Norris DR./WORGAN/ ..lOBfeTUMORPAGWOOD / 5:00 O Maverick 8:30 P Moment of Fear-, show, Meredith and Rini 10:25 O CD News J ) O Best of Groucho "A Voice in the Phone." Willson welcome Debbie 10:30 O CD Word for Word J. 5:25 O Greatest Headlines A new bride becomes hys- Reynolds, who has some O I Love Lucy o sN I 5:30 O Newscope terical after she and her "Unsinkable Molly 11:00 Q CD ConcentrationO 5:55 CD Local News, Weather husband begin to receive Brown" film clips; Phil The McCoys Sports phone calls from a psy- Harris, singer Molly Bee. >< L I 6:00 O News, Spts., Wethr. chotic stranger. Nick 11:25 O Movie 11:30 O CD Jeopardy ..' Adams Elinor Donahue O Pete And Gladys \ 0ry O Sunshine Almanac "Henry Aldrich Haunts a i 6:15 0 Channel Five News Miltcn Selzer. ,12:00 Q CD First 'Impress-! , House. Henry swallows a ..Ji.II . Cronklte O Love of Life 6:30 O News-Walter O Science ReporterID new chemical preparedby , 12:25 O News O Holiday McHale's Navy a local scientist and 12:50 O CD Truth or O O News Huntley, 9:00 O CD Richard Boone weird things begin to hap II III YES.DEARI I, (I I KNEW ConsequencesO I riu DO YOU LOVE ME AND MAY I ADD, YOU WOULDN'TNOTICE Brinkley "The Arena, Part 1 of a pen. Jimmy Lydon, Charles Search for tomorrow DAG WOOD ASMUCHTODAVAS YOU LOOK VERY THEPtFPERfIgCE 7:00 O M-Sqpad two-part drama by Harry Smith, John Litel. 12:45 O Guiding Light NEVER PAYS WE ON THE E PAY EMARRIED MORNING ; "- Julian Fink. DA ,JoeCampbell's 11:30 O CD Johnny Carson ANY ATTENTION.TOME O The-Saint ? 12:55 O CD !News #. AT TTEBREAKFAT Senatorial ambitions ar '' & " At The Zoo O Discovery WEDNESDAY 1:00 B frewsO HE , "Home Is Where You are squelched when Midday MORNING 1 Q Find It" the party boss backs his 6:10 CD Continental Classroom CD News t of vYx& t a t m Battle Line own daughterinlaw.Boone American Government 1:05 CD Match Game Z 7:30 O Mr. Novak-Drama who portrays I a 6:15 O ScopeD 1:15 O Focus s j "Chin Up, Mr. Novak." judge, also directed this Summer Semester 1:30 O ScienceO Novak's having problemswith episode.O 6:30 Q World Civilization As The World Turn s:! a a literature class Petticoat Junction SummaryO CD Ernie Ford 630 until it's taken over by O At Your Service Pastor's Study 2:00 Q CD Let's Make A Margaret Mumsley, a 75- "Boys' Club" 6:35 O Sunshine Almanac Deal I year-old exchange teacher 9:30 Oy Medical FeatureO 6:40 CD Living Words O Password .., , from England. Jack Benny 6:45 CD Hi, Neighbor 2:25 H1M-OUT O CD News ALL I HAVE TO DO K I DIDN'T RECOGNIZE p O What's New Lawrence Welk and his 6:50 O Farm And Home 2:30 O CD Doctors SUP OK *W OW,6WNY OF WORK CLOiHES' HOW WYOU LATt: Queen Bee Cecropia orchestra make a guest 7:00 Q CD Today Q House Party = AM UMBRELLA BUT COPELAND! OHwyDU'VE! MET DD,MR.MrFAILIN! ALREAfA1.1Is Moth; Automobile; Dizzi- appearance on tonight's Gore Vidal.] 3:00 O CD Loretta Young A GOLF CLUB, MJLWRENNBUT" m. VDU GOIKfi TO DOUG,HAYEN'T YOUR Author ness. program..Jack thinks that O To Tell The Truth ALLOWING FOR THE DINNER WITH MEJ! Ii 8:00 0 AntiquesTour leading a band looks pretty O News, Weather 3:25 O News Eco DIFFERENCE IN DIAMETER- r 7:05 Q Ranger Hal MOVE YOUR YOUU of Warner House, simple, so, he asks 3:30 O CD You Don't Say IF THUMB TO THE yf 7:50 O News RIGHT Portsmouth, N. H. Lawrence to let him giveit O Edge of Night , 8:00 O Captain Kangaroo a. O High Adventure a try. The results are 4:00 O Match GameD 110N y / 1rg s 9:00 O Divorce Court In 1949, shortly beforeRed disastrous. O Bachelor Father .Secret Storm >c i China's borders 10:00 I O CD Bell TelephoneHour CD Popeye's Pals *, CD Romper Room =: were sealed Lowell 4:25 Q News - Thomas and his son, (Color) Janet Blair and 9:34 O People Are Funny 4:30 O Burns and Allen < ". Lowell Jr., traveled over Florence Henderson join CD Jack La Lanne O Magilla Gorilla p..j InWWOF the Himalayas to Tibet, Robert Goulet.. 10:00 O Say When CD Movie where they visited the O Star Parade O News-Mike Wallace "The'Oklahoma Kid. - YOU .L PUT wute vAKtfr voa XVISTIN MARVELOUS AFTER THE V1TK WON'r I4AVrcU THE OBSERVER % Russell Baker TELL ME WHEN MyT KFOKMY COURSE, NOW YO JLPOTEET S HAVE TO BUY COSMETIC( LOOKT COUSIN YOU AZE DARN ,TOWN AKIN'ME TONCW Sri' HERS' IN IVSPECTI Zo STYIE-I FONT e00D A? EA I DINNER AND -SOgE PLAIN SI5Ur YOU REAL THE WW: WILL! RIGHTLY KNOW F PANCINUKEIN7H WHILE 16o dP (COD COME IN WITH c wNAT; BJO61N' MOVIES S AN'CHAN6E' *TUPF-TO SEMB YOJ a Zr TO TELL War Hate z r 49 WHO w ARE.w" . Mythical on < I , u S JLa I I 4 \ Iii > J JI - NrmJerk UtttU'sWASHINGTON neighbors who moved into the ern senators, who were still body saw the t folly; of hate.. I .. ,, t Ifs The first community, particularly new smoldering about the churches' Both factions in the commis-I E-c /a' / I" I I'S onference: of the president's neighbors of odd races, relig- lobbying on behalf of the civil I sion interpreted this as indors- 00I r _ ilue-ribbon commission to draftI ions and colors, they argued rights bill. I ing their positions. At this im- I war on hate program has beeni the vital housing turnover would To avert an embarrassing I passe, an ingenious compromise - disappointment. Discord decline and real estate income vote'the commission adjournedfor was produced. In five OAWtIATSI YoU ALWAY'b' AW a AY. WE'LLTRY rose in the very first session would become dangerously slug- two days while enough votes sessions of intricate bargaining, I lON ABCUT P> a-PCt4G, mE USE.SCMic SEAT US COME ON : MS25TIYEDEAR JUST/ OSS, , rhen the resolutions committee gish.The were mustered to rule the issue the Southerners agreed to sup I Ynw u 6wsy+ SAZ ? 4 aY roposed immediate issuance ofi real c. tie group received off the agenda. In the third ses- port an education program aim- I.Jr declaration that hate must be significant help from their sion there were encouragingsigns ed _at persuading ,white Florid- t tamped out. traditional enemies, the liber- of progress. It was gen- ians that there is more physi- r< i A bloc of congressmen ob- als. Though making it clear that erally agreed that any war on cal intimacy in fighting with a i= ected that indiscrimi n ate] they opposed block-busting, the hate program must not be so Negro than in letting him swim a 1 radication of hate while sound liberals interpreted the adoptionof comprehensive that it might In the Atlantic Ocean. I I t principle would make it im- a Biblical homily as a subtle disrupt the economy impair In return, the northerners.'.J repudiation of the Supreme morale or hinder the ossible sustain the fervor of military agreed support a five r year nti -, communism.% They Court's ruling against s c h o o 1 resistance to, communism. research program to determine z'r yr awy sere joined by the Pentagon del-! prayer.In The commission then plungedinto whether "white backlash" con- mainlining the end it was decided to the business of writing '* gates, who observed that specifie stituted an authentic bate phe- r reasonable, level of use,the maxim in small type on proposals for a limited nomenon or a justifiable civic ate was indispensable to, good commission stationery, but not I hate reduction program that the reaction against insolent disre- lorale in time of war. to call attention ,to it with a president ,could send to con- spect for .the' northern way of The resolutions committee, press release: I gress. Once again, the confer- I tYAY..7eiTHJIT'S LtiMLCC .61vE'14 +1A'I ' ( laneuvering. to prevent an opa The second session was entirely ence faltered on agenda. life.The LOOK, pyon irs TWO \ is GARY'S MAMA >RNELY Nw 5wITc L.bAbr 6 G Ku55 FOR : , rupture at,: the outset, coun- taken up with an ugly squabble'aboutwhether Southern members objected compromise was shelved l'I y OCUOOC M THE 1 10itN Nei. / WAITING UP FOX, HIS hYi Ma FMy AQ TDpDARU r a, 1 !red with a substitute proposalhey church _elements -. strenuously to making hate In after' Negro. delegates walked.. Z EtilST GET NOM.. HItA, l VTNFJt. urged the commission .to should be represented on the South the first order of business out :and the western conservatives := dopt as its slogan ,the Biblical the cQT"Tnteion at alL The liberal *ad countered with a bloc withdrew its critical function, "Love thy neigh- bloc arguing that separationof move'to take up the issue of vote on ground that the .fight.< M against bate was a task for localgovernment t :jr." Heavy opposition quickly church and state was prescribed racism In the North. Stalemate iI 'e jveloped among real' estate in the constitution, mov- prevailed for three days.It and private enter- tpresentatives.Their ed to unseat the church delegates was finally decided to consult prise.As. 'w I argument, which provedlost and have them operate as General Eisenhower for advice. the eommlssie&ers' left telling, was that a'su ew.a a private advisory group, withno In his r*ply, General.EbtnHw-: t t Washington for a six-month recess + J vote in commission dt ion with; tlrf one mrrHr sum" '-1 up .Soh love-thy-neighbor 'program er r ;hat In der 1 ;: I 1 4 ould be deeply injurious toe Heavy support for the r'-ticr i meth. n I the. .care of f.;* -. r de- national economy. If home came from the liberal bl ! rners ,failed to dislike new traditional enemies, the . . . . ) 22 Gainesville Sun,w'., : ., ._ , Tuesday June 30. 1964' -- '"" : '- ," ""T, f.---. r- \c\.J 1 i f1---.t ""--i. '-;i.t..k&-:-", .,' '. :'> ,', .. . r , I .. : ,: :=?t IT )t (:FfV t f ::;J '. ,;; "\T'n f ,1 I!-; J" f" f ' I 1 _" ::''''--'< t'' : '; t1 -_-! ''' ..'..."_. .. '4 'i;( : {': :' ;' 4" .1. ; :: ' j : : /' -=: ,1--- '. ., : ', .. ., 3 .. .. -." ': . '-- / .'. " 1l I I.J I .;. :1. .,n.'y.. rt ... ., .__ _. __ __ _ , !j! y If 1MARKITi MlMb , # It '.. I rri _' :J . ." _ 'J ,. . "" $ . ... 4: ";'.. Borden's Assorted (limit 2 please) '"-- ..-s.'. :'.:.!."'} . \ . . half Ice Milk : 39CKraft's iW '. gal. - Kitchen-Fresh (limit 1)) ( o Hollywood - r' f/ :: CANDY Mayonnaise.- 39 . -J ir: 4Jll/WD ? IYi BARSSIXPACK PKG. Tea-Flake r CLOSED 19' Saltines 16or.pkg. 1ge SatJuIyi -. .: i) ', ) (Pay-Day, Milkshake . . or Realemon Reconstituted . .'; Butter-Nut Bars) . Lemon Juice 2- 49c y Marcel White Paper Table 80-count 1 0 C r 1 ( # a Napkins <, pkg.F . IL / & P Brand r r # 2/2 $1 t 4 .. Apricots. cans . : + r . ? - . r ( d . Limit 6 Per Customer With * Purchases of$5.00 or More w tw M' . I i .. i4Wbbiiir V i OO .p\Tl.A9 IOD.hi A " iw i a.r* E r Y kL! ; Green Stan ssirZi. = x "4 .arii aJ N dw ar ,. Swiff PrimiMi.Swtr-SUcid. Cold C "; 1 :: yt , t - t -v- rr Tv> *( f' L 6-oi. .pl,g,. 87e } 1 I 4rv 1C* l.< y ,4.i It 1M4)ooooooooooooooooo .. :B1I0 4 r FREE XTRA ISO I ** :* iiSIssb : b J" Green Stamps .., I .6.,.......d esrela.ef& t1 fx ale SWIFT PREMIUM SMOKED COUNTRY LINK SAUSAGE z: lb. ,69c, .. (MNrN Friday "ul 11M) 11 1' & : . 5O150Gr..n , l.bl .....1..orw Stampal 3 'I ." . 9 HERMAN'S BAKED . (.x rira 6-oz.Friday: pkg., July 69c 3. ISM Fourth,of July 'Picnic CheckListDelicious . 0000000000000000'')g . Red or Yellow BO150I,1 D Hawaiian Punch 3 46-0:1'cans: $1 I.Kobey's I. aAA11 T y, K '' S ; Green Stamps Canned Shoestring . 1wda.ef: D Potato Stix ::-. 3 ct2ge CT PIZZA (w/sausaga fir cheese) (...;16-ox.rM Friday: pkg.July 79c S. 1M4) Lyh''Tosty; Canned 4-" . fifiMMMMMreen ,,. D Vip n.a Sausage. .. 6 cans $ dOlv,. produce lane . Argo Red . '. . XMAlRtt Dxiimon I I can- : 69 Sweet Large Georgia uI MEALTIME,( dr rte MAID e..w BEEF e./1wdt.l..b Stamps CUBE STEAK D Apple White Hou e Juice .. 4 bottle:: $1. : Cantaloupes 3 for 69c OR BREADED VEAL CUTLETS * (n rM Lib.Frida pkg.*. July< 79c 3. lt 4) Crosse Blackwall Pickle Treat 3 -". $1.I 1 Tender Florida YellowSweet 3 1 QOOOOOOOOOOOOOOOOOJf a DIM I Ste I IC k.. . ;Jar. rCross. .'o Btokwell JHot-Do9, Hamburger, Sweet' .L.d Gt ".r-I-Q' Corn. 10 ears 59 5o'115OTRAFREE D ,A ss tl'd Relishes,1 4 10-0:1'jan: $1 I.Cos I. . New ,Crop, New Jersey { Green Stamps Lama Brand Delicious I COLGATE} .6..it. CIIIIJjIa.DENTAL d....CREAA...ef: o D Stuffed Olives 3. i fr: $ I.I : Blueberries pint 49c . family size 83c New! From N.bisc. Boo000000@9.000000 B D ,Chit-Chat: I Crackers 81s ozpkg.. 41 U.S. #1 All-Purpose t .live Rlbbon 21cahns $1. : Potatoes 10'bs' 69 C 5O5O D Purple .Plums. 4 . . J1l Green Stamps - >0 ..II.ri......d,. ...ell ; aunt nellie's aunt nellie's aunt nellie's tide I dreft oxydol ALKA SELTZER TABLETS large, size, 59c beet 'n onion salad I sliced carrots red cabbage detergent detergent detergent (-.i,.. ,,way. July X 1M I 0000000000000000 1'-u..,.. 19- 16-eL(lass 19. 16-es..... .19' .sase 1It 79' .'!.s.'-- 35' 1It. 831vk ' - : w 1i... ", .- SS.. .. S ," ... ..,; "r,..,.. ,..".... .... ....... " < ' . .1' ;-- : .0.4<- I {. thL; ; ; ;:::: : :t. -==- . Tuesday. June 30. 1964 Gainesville Sun 23 'r. <-'I-: ; eJ : , ; . (1 .'. -. I ,::,. t. ---_. -... - II" J A t e '/ t iMARKtTs :f . ' !/! ( , .. ,J'- stock up'! we'll be CLOSED ALL DAY SATURDAY, JULY 4th , (1))I kL' e YJ W IJ J I It ti _ 1 R>' 'Ix # (Ii , ;. # ,.V x 74 ' I d \ X ?z i '" 1 JWth 1 tY'A I / WHEREFor Bar-B-Ques, Small Fresh Pork ,rx SHOPPING. ; . -- --- -- - Y.: t YYXTRA ;;< Ribs. per 49 _"" "it"?''';' -- 'ira . J Spare Ib. .- IS A .. " Breakfast Club Tasty Smoked -. ;.:, PLEASURE i Sliced Bacon. per Ib. 45 PRICES EFFECTIVEWED.THURS.FRI. .,7t." FREE ] iooFREiooEEXTRA Copeland's StyleBrauns'weiger ., .- J, Green Stamps Jftl Green Stamps. ) ; ilb niis coupon and purchase eF I -ik A\U a..a Aurchu .h ; (! p 39Tarnow's JULY 12.3, 1964dairy SWIFT'S OR WHOLE PREMIUM SMOKED EITHER HAMS END ARMOUR'S CANNED STAR HAMSD BONELESS .. Ib. 45em 3-lb. can $2.29txpir.s . ( irM Friday July 3. I94 ( Friday July z U4don't > : Fresh 'n FlavorfulSliced :: : 8. > 0 00 0(}((1()()U()QJJ 0 0 0()(}Q j Bologna: ;. 39CTasty Quick-Frozen 1,y Halibut Steak 59C -, I *b! e 4j 25 Extra Free S&H Green Stamps With ) " Mrs. Kinser's Salad v Y c , , Premium Label Sizzle Sealed All Meat Swift's Franks 2 ;oks: 89' r s. >IF , I (Buy Two Pkgs., Get One 8-oz. Pkg. Free) "i 4 ',. , ,...I \" treatsBetty f ; !",: 1 - Crocker's Buttermilk .;,..:,.P--'T: .:" Biscuits e ... 4 SS 39c 2 1 *t1; : r u\ - FUitchmonn'a Corn Oil ***to.v ". f ( Margarine . . I-lit.em. 39reokston.'s < -j' Assorted Flavor '" ,.. 5 j* Yogurt . . . pill I9ct 5.a \ .a.ai / Wisconsin Cheese Bar Treat / Longhorn Cheese Ib. 65$ ,forget to stoclinp,on these. A'1I Wisconsin Cheese Bar Breakfast Club,Enriched SlkedU '__.. .. t Sliced Cheese . 12 pkp es. 49c Hamburger Buns 2 pkgs.reg. 391. ."..>, , (American or Pimento) Breakfast Club Enriched Sliced . Lroxen foods D Hot Dog Rolls 2 ?&. 39 , For Cookouts, try AkoaD j Minute Maid Pink or Regular Aluminum Foil 2S-ft. t. -J . 12-ox .. 33GAINESVILLE ' , 45* roll \ Lemonade . 2 ca... : ; You'll Need Fonda White ; - SWIFTS PREMIUMGOVERNMENTINSPECTED Morton's Coconut; of Gorman " Chocolate Cake !*-T 59* D Paper Plates L... .._..... P9. 59t.o.I't WM Cram Saner Birds Eye farfct Fldo M MM Earth! HEAVY WESTERN IEEF.tkfmibtNSm Small Onions ... Ji,:. 39c o S'heart Dog Food 3 Birds Eye Frozen Small SOx ; 1M! Baby Limas I . 4 'pks O-*. $1. z Hollovoy Houso (plus 50 stomp coupon) -- -- _:- ,--- 'v' __.__.- --,_ ___ (w/Musego and cheese) " .. Broil These Tasty TenderChuck Pizza ,. . . 'ST79 C Mealtime Meld (plus 50 stamp coupon) * Steaks lb. 59CDelicious Cube Steak or FreshGround Veal Cutlet .'. . ':;:.:. 79c t t 'SHOPPING CENTER Beef 3 Ibs. $129 Sinfleton's Breaded Qukk Shrimp Frozen 2 VtS!. 99c r 1014 N. MAIN reSTORE Mrs. Pours Family Pack % MARKRT$ English-Cut for Cookouts! Fish I C a k es . . 'ST 69 C 4 #4 HOURS 9 a.m.-9 p.m..Mon. thru Fri: Short Ribs ..Ib.4'9C Skenandoak Game Qukk Hens Frozen. .Cornish. .-. .' '<;'t;*. 6ge ,CLOSED ,ALL"DAY 'SAT. JULY*;jTH -- -- cascade pink thrill liquid joy downy fabric comet Camay' heavy=duty, : !' ". -new" detergent detergent detergent softener cleanser :toilet soap lava':soap crisco oil .b."Ie 45" n....? ,65" .aas.... 65" ",b...1L 47" 2 :!; 33- 3 alae 31- 2 re,:,25tf' :t4-os.\. .39_._. ;-Save More in I '64 ; : : TI E i 'HT'Ip # j --- .- ".- .. . , . - - - . .. . : , Gainesville Sun Tq .day, June 30, 1964 1 . - I . v Your Men in Uniform ,. : Y :. \ ': ' i .. 1' 'i' Technical Sergeant'William E. Pvt. Roger King, 22, son of Second Lieutenant Kerry M.! 4?', .,:: .-" *; \ '. .":,.. .'. . Sapp, son of Mrs. :Bessie V. Mrs. Thelma Palmore of High Kelly, son of Mr. and Mrs. John: "-? :'. : ; ;: : t.44." ., : " " Sapp of Lawtey, has graduatedfrom Springs, recently completed a R. Kelly of 1322 SW 12th Ave., "J' . the Tactical Air Command the 15-week Army cable Southeastern splicing course Signal at won vocalist second category place in of the the classical U.S.- .,,siitl, r, :-... ... -... .' -.- -- -. .........."*... '. . missile school at 'Orlando AFB. School, Fort Gordon, Ga. I Air Force World Wide Talent !" t Sergeant Sapp- 36, a missile <&& . Contest .. recently completed at mechanic, received specialized King was trained to install, Shaw AFB, S. C. .. .,. ', '. . training as a member of a'combat maintain and repair aerial and f'. 7 7"0 crew which will be assignedto buried cable. Lieutenant Kelly, a tenor, won ', + a Pacific Air i Forces He entered the Army last the Turner AFB, Ga.,. contest (PACAF) unit at Kadena AB, December and.completed basic which led to the Air Force-wide Okinawa, to man and maintainthe training at Fort Gordon. competition for a "Roger' . Mace missile. His new The son of Robert King, of trophy. He assigned to Turner - unit supports the PACAF mis- High Springs, he is a 1959 graduate as an air traffic controller H.HT - sion of providing airpower for of A. L.' Mebane High with an Air Force Communications H Mr. Merchant ! defense of the U. S. and its allies -School in Alachua, and attended Service Unit which helps in the Pacific area. Edward Waters College in maintain communications for He is a graduate of Bradford Jacksonville. Before enteringthe control of global Air Force op High School in Starke. His wife, Army, King was employedby erations.His ) Nellie, is the daughter of Carl the University. Hospital in wife, Mary, is the daughter - Snider of Olne, Kan. Gainesville. of Colonel and :Mrs. WillisR. Givens of Vero Beach. ,. The lieutenant, who receivedhis .." .,,; ._'- .... ._f . B. S. degree from Stetson 0 COMFORT . QUIET University in Deland enteredthe . . ., . roomfulFRIGIDAIRE Air Force in February 1963. .t\ J" "; ... .or.Ii -' ; ':'. . .....by the He was commissioned in May ,+t.}, J.-.: 'ft:'Y I; t ry \..., 4 '," ,. .;-\>;r ,' ,'tt'. 1963 upon completion of Officer .;: < ,:. :.) : -tfffi.: t. . Training School at Lackland .: AFB, TeL : . ' James E. Snow, 17, son of -- .. . ROOM AIR CONDITIONERS Mrs. Doris 0. Stanley of 4010E. --" Univ. Ave., completed ba I . training recently at the Naval : YOUR SUMMER Training Center, Great Lakes, . ' Dl. , The nine week training in- I cludes naval orientation, history Business COULD and . organization, seamanship . ordnance and gunnery, militarydrill first aid and survival. During the training recruits BE BLOOMING! receive tests and interviews ! which determine their future in the Navy. Assignments .<1:. -1 ''T a.. .... r .. ....".. : "" SALE"It Army PFC James H. Kenne, son of Mr. and Mrs. Henry H. {, Keene of Micanopy, was recently J . . assisgned to the 9th Logistical - . ain't the heat it's the humidity" Command in Thailand. .,,'",. - Kenne, a water supply specialist - Don't Buy Just A in the command's 528th Room Air Cooler Engineer Army Detachment in May 1962, and enteredthe was Summer activity at the University of Florida is at an all-tims high, with faculty , Buy A last assigned at Fort Belvoir, and other permanent employees here in the greatest numbers ever. In a Univer- t, ROOM AIR CONDITIONER Va.The 20 year-old soldier attended sity oriented economy such as ours, the purchases of University affiliated persons ' '" GHS. f 'There Is A Difference" often provide the margin between good and not-so-good months. _ Lewis W. Bohannon, airman l Let us show you "Under the Hood" of the NEW apprentice, USN, son of Mr. and 1 : FRIGIDAIRE ROOM AIR CONDITIONER. Mrs. Cecil Bohannon of 791 NE 23rd Blvd., is serving aboardthe MORE SPENDABLE DOLLARS ARE DRY COOLING More Moisture Removal Navy anti submarine war- ' Low Cost of Operation Fare aircraft carrier USS Lex- , ington operating out of Pensa- Styled Well & Ease of Installation cola.Lexington serves as the training : j; : AVAILABLE IN GAINESVILLE.i: Galvanized Steel Rust Resistant :i ' aircraft carrier for student Dependable Service aviators at the various Naval Summer Than Ever Before! Air Stations scattered throughout .- ' QUALITY.DOESNT COST YOU the country.. Each of the "" 't ft. ,' .c ,: . IT"PAYS"VOU.Just aboard : . students must qualify r P " the Lexington before they are ,: : Most sales go to those businesses who actively bid for them. You can write your i, designated Naval aviators. Come In and Register. ,t own sales story for this summer. Will it be good or bad? Make your bid now for . RECEIVE A GIFT FREE Fighting Erupts '.1 the best summer market in .Gainesville's history through the medium that , In Addition To You/ Free Gift, You .......- ' PLUS: May Win 2 Other Prizes Inside Cuba daily goes into almost 90% of the homes in the immediate Gainesville area, to ,'j A Weekly Prize A Grand Prize .;- the persons who will make almost all of the purchases during what is destined 1 MIAMI AP) Fidel Castro ; Last Week's Winner: No. 1392 ( & . Please Claim Your Gift By This Sat. forces killed four men, woundedfive ;., I .' to become Gainesville's greatest summer of business activity . and captured six others :. . 'Til 9 Monday night in fighting at Ya- . Open Fri. p.m. Easy Terms '. guajay in northern Las Villas Province, Havana Kadio said. .,' . JIM VOYLESAPPLIANCES The Miami monitored news- ..'. .. ... .) 't. .. ..!4 .,{...'':. .. . cast said the victims were "ban- < 'H.V - 419 N.W. 8th Ave. & TELEVISION Phone 372-5303 dits The counterrevolutionaries operating regime commonly in the province.refers as ban-'to" :. ': : .'; ,, : :.: : : : : : 'j:: ;v; ,;. :; :: .. i dits. ';' ". (" ,,1h&'S. '; ; f l " Ii '' fjO t.. < .. . . 1. .. : ' . ' . 4 . .,. It. .I., ) .: ,;,,' s.' -t..... .'. 'UUJIU$ I' f $: ; / ". :'> ... / 0 . ; ::1: : : TOWN TIRE CO. :... '., ,., : YOUR J.il : : P; ""t ,'.''f;:' . ; .1. " : 1.\ : ; 605 N.W. 8th AVENUE PHONE FR 6-9090 i .i. :, ;; 't. : : '.;::/, : BUSINESS ) YOUR B. F. GOODRICH DEALER .: : ;) . p. GROWS : . . -- PRE-HOLIDAY SPECIAL! : --=" WITH ' : ; \ V ..- . \ ADVERTISING I .v." ' \ x : : : . : New B.F.G.D drich . J coIMMANDER Zoea ,,1 1 ; NYLON'TIRES 7r with : TRUCK T1RE TOUGH , _Super-Syn_! IA -- Guaranteed 15 Months Actively Promote " 1E , NOW i. in the' '1 ;: . . fi1I' \ 11 . ONALL LOW SIZES'i tube i 6.70x15 black type &IruJ3uIth Sun' . 1 1i t t tl i / I t tt For assistance in planning and preparing an 1 :. effective summer advertising -. .1'11 'h j program e ;e ...: ", . .. r CALL 3728441. . LI COMMANDER 220-built with the ,Guaranteed Guaranteed i j : same type rugged rubberused in heavy- I' 21 Months 24 Months !,I S B.F.Goodrich truck tires! . . duty NYLON BIG EDGE ..... \ .Aa-NYLON,'CORD for,extra strength' : LONG MILER IVERTOWN: '. I-\-1 : and safety! -' 2115$1 +..,._. The: 8,700anticipated enrollment at the Univ. of Fla. this __4_ j . $1415 $ A GUARANTEE YOU CAN TRUST; summer is an increase of 1,100 over lost summer, and is :1-: AH B-F.Goodrich tires are guaranteed against almost( double the 4,606 enrollment for the last summer term ,f ... .. ... t i cuts.cuts break caused by road hazards encounu..ts. w NISwrtW.awla.h** under the semester system in 1962. - s teredinnormaJdriving.lf.tlleissod.rNgedbeyond Whitewalls slightly higher .... ' . full allowance for remaining tread "\ ;; .. repair.acamst you the purchase get of a replacement,at current retail : These prices plus tax and tire off your car..,, : t. "' "; '?'.. '.....- ... , M;: list p *e.Your a B.F.Goodnch dealer has details. I 1t <.Y t.t ...." ". -; ?- "",'_"'.'.; i.' ..:' :i: ;;:'" : "- !: :; !!i :."::;:- t.-. -# >>: ,"..L : ..-a.5. - .. '". ) .,If -.- c.. f \ --,..,.- ......-.-, '- '- ;;:.....-. ..' '<'''.' ,. ,. :cZ4 -" . - - . , ...._ ..,. .-'" ."' ." ,_ \; ,**'**' r. ..! .E--j . / ..,,,. -:-- ---- --- -'- I ... ._ ;,_ . \ - ; ;-. . Attention ; .I. -: (' d l' I (f)"\; Radatz No Mo.nster'He's : k ->" k ct : tH Should Be On RoyalYou .# 1 .c Just a MachineBy r Z .. .Z p.N can't argue with an 11-0-0) ) football record and a national a a t.f'J.; rope', 'tii r HAL BOCK rest of the way. championship. lt9.Jif.6f; ( ''I Associated Press Sports Writer Boston shortstop Eddie Bres Therefore, the 1964 Florida Athletic Coaches Association \ 't>>.(.!-;,-:>'-; .:"'"., '/":<,.' <1{ Dick Radatz a monster? soud drove in two runs with a clinic here the last week of July should draw one of its fi.! ::1, A .f./('Fr 'ef6rQ Y I Why that's silly. Any American double and a triple and scored best turnouts from the mOIl who coach football in Sunshine l f League batter can tell you another after walking. The hits > State high schools. j %#y fl-rl 4"k4 ;'hSi1i'c_,d" ,1. that thing Johnny Pesky keeps pulled Bressoud's average to Texas' .Darrell Royal is the clinic headliner. He certainly "' --- :'" dvJ-ft- : ;:>i"'.;; ;"*'2-t: .' ,. 1; ji.: .304 and ended a lengthy slump \ .' '' 1't.l: 1 ;' :;;;:' H;;r\: .ag ,- calling out of the Boston bull- should command attention.Royal's 4""" -': :m.:{.", ::, pens is more like a machine. that had dropped him below .300 BIG MEN IN BOSTON VICTORYEd for the first time this season. flip-flop offense in which strong side linemen are Take Monday night for ex- moved right or left to provide the front for smashes Robin Roberts survived two power Bressoud (L), Dick Radatz ample. Radatz threw 32 pitchesat solo home runs by Tony Oliva Kansas City Athletics and 24 and Harmon Killebrew's 28th were strikes. It was his 40th ap- circuit as the Orioles extended Pilots of the and his Follow pearance year their league lead to 4th ,,:', games 2 1-3 inning sting saved a 4-3 .llie'm' tsfei : over the idle Yankees. ; 4' -' Red Sox' victory.The Norm Siebern hammered a save, his third in two two-run shot for the Orioles, &1U.S Player Ballots days, was the 13th of the season who have won 10 of their last for the huge reliever whose 93 11 games in their drive to the I \ k\ strikeouts give him second best total in the AL. Peskey's man in top.Sam McDowell had the White \Down the LineBy the bullpen sports a 1.62 earnedrun Sox blanked for 8 2-3 innings but by the backs is expected to draw most of the attention and shoo- average seems 'a Mike Hershberger's bases load- and questions from the scholastic mentors. MINNESOTA SLUGGERS LEAD WAY in to snap Jim Konstanty's record ed single sent it into extra in It's for the former Oklahoma quite a success story quarterback - BOB HOODING of 74 appearances in one Tony Oliva (L) Harmon Killebrew his rise from the bottom to the top. The personable pleted except for pitchers and nings. Chicago then exploded for , has from the frustrated disgusted BOSTON (AP) The top nine announced today by PresidentJoe season. four runs in the 10th with run- Royal come a long way - batters in the American Pesky has nothing but admiration . coach who watched his Mississippi State team lose Leagueare Cronin. scoring doubles by Tom Mc- the All-Star for his stopper. "He's so Craw and J. C. Martin the 26-0 to Florida in the opening game of the 1956 season. on squad corn- AI Kaline, a terror in past key important to us, the Red Sox blows. I' That was the day the Gators' Joe Brodsky, from his linebacker [mid-season classics, was promi- "it's unbelievable. 11mr4Th manager says, Jim clouted two-run post as the fullback, picked off three passes thrown nent among the latest additions. ." King a ri First Place homer and Ed Brinkman deliv- by Billy Stacy, a sophomore quarterback for State. Brod Manager Al did National Lopez, as Elsewhere in the AL Monday ered sacrifice a long fly to give sky ran two of them back 100 and 35 yards for touchdowns pilot Walter Alston followed - Baltimore stretched its winning its It endeda Washington victory. and another for 27 yards to set up a score.Dominated Suns the with Rapped players' balloting streak to seven games a six-game losing streak for the down the line in naming their 6-3 victory over Minnesota, Chi- Senators. I State 15-3 JetsBY second choices. Lopez also add- cago topped Cleveland 5-1 in 10 Claude Osteen, who won his I by ed first baseman-outfielder Joe innings and Washington defeated sixth game, doubled in front of In between State drove from goal line to goal line, or so Pepitone of the New York Yan- Detroit 53. New York and Los King's 12th homer in the fifth it seemed. Final statistics were something like 17 THE ASSOCIATED PRESS kees "because he can play two Angeles were not scheduled. inning. Then Brinkman's sacrifice . first downs to three and yardage was approximately 300 for buried The Columbus in seventh Jets place may in the be positions." Radatz came on when the fly brought Don Lock home ; f'uesday, June 30, 1964 State to about 100 for Florida. Lopez will complete selectionof Athletics had reached Sox'starter with the deciding run an inning The final indignity, or maybe it was just the crushing but International league standings, [ an eight-man pitching staff, Earl Wilson and reliever later. Lock had walked and LI they lots of blow, came as the first half was running out. State was on hairs are causing to be announced Wednesday Arnold Earley for two runs moved up on Mike Brumley's >R and ulcers Florida's yard line, striving for a score to tie the game at gray among night. The game will be played in the seventh. He got pinch hit double. opposing . 7-7. One of State's fine backs, his name escapes memory, Jets managers.The their fourth in July 7 at New York's Shea Sta- ter Doc Edwards to fly out and had a wide-open route for the score, but fumbled going in and won dium. then stifled the Athletics the the Gators recovered. a row Monday night by blasting FOR CHUCK McKINLEY That's the kind of day It was for Royal and State. league-leading Jacksonville 15- Chicago, now in third place 1 3. This came on the heels of but in the thick of the The Texas coach should be in a far better mood to reminisce pennant -- three straight victories over fight all season, failed to placea Not EasierBy You when he chats here for the FACA clinic. remember Things Getting best the most recent occurrences. That 11-0-0 and Toronto, another team in the man among the 17 non- thick of the pennant fight.In pitchers. So did Cleveland and, national championship should be good for much mileage, Night Game other games, Buffalo kept KANSAS CITY BOSTON Kansas City. Since all teams -- for Texan. GEOFFREY MILLER even a abrkbl abrhbi ; . pace with an 8-6 victory over have to be represented, Lopez Causey ss 4010 Schilling 2b 3001 1 Rochester, Syracuse pulled to Mathews cf 5131 Mantilla If 2110 WIMBLEDON, England (AP) must consider that factor in his Colavito rf 4010 Y'trz'sM cf 4 0 0 0 Caught on the RunA within 1V4 games of the lead pitching picks. i Jimenez If 2 01 Stuart Ib 3000 Things aren't getting any by defeating Toronto 4-3 and Green pr 0000 Malzone rf 3b 3100 3120 easier for Chuck McKinley in Detroit dominates the addi- Bryan c 2001 Thomas vice president of Daytona Speedway has informed that last-place Atlanta turned back Edwards e 1000 Bressoud ss 2122 defense of his Wimbledon tennis tions made today with catcher Charles 3b 3000 Tillman c 4010 the rumor of an impending sale of the popular track is just Richmond 53.What Alusik Ib-lf 3110 Wilson p 3000 championship. 'They just seem Bill Freehan and second base- Williams 2b 4 1 2 0 that and nothing more.G. makes Columbus' that a rumor present way. Bowsfield p 1 0 0 0 I. R. Dudley, vice president for finance, sent along a recent showing so impressive is man Jerry Lumpe joining out- Tartabull ph 1 0 0 0 After all he has to face fielder Kaline who has been selected Jo'ph plt-lb 2010 yet audited statement regarding the financial conditon of the fact that the Jets had not Totals 32 310 2 Totals 27 4 e 3 s P the Daytona track. It Is shipshape, thriving and ever-grow ,won a game at home since for the 10th timesecondonly Kansas City ............. 000 001 20ft-3 veteran Australian internationalist - I June 1 until they returned for to Mickey Mantle's 13. In Boston ................ HI 000 OQx 4 Fred Stolle and either top- ing.Among 12 All-Star contests Kaline has E-None. DP-Kansas City 2, Boston seeded Roy Emerson or German recent improvements are _a doubling of the press this stand-and they're making X LOB-Kansas City t, Boston 7. 4 facilities and publicity department, covering and paving of their noise against the lea batted .345 with two homers man 2B-, Williams Bressoud.. 3B-Bressoud.Colavito. Mantilla SF-,Schilling Till upset-maker Wilhelm: Bunge$. the pit areas, construction of a television tower, the new gue's best. and six RBI. ) Bryan. But they're all right-handed. IP H R ER BB SO Joe Weatherly grandstand, improvements in sanitary facili- 12 Runs First baseman Norm Siebern Bowsfield. L, 1.4 4 5 4 4 1 1 And brash, bounding Chuck has ties with two new infield restrooms and a lift station. Speed. 1 The Jets scored 12 runs off and shortstop Luis Aparicio rep- Wyatt Stock ................... 2 2 0 1 0 0 0 0 2 1 2 1 had his troubles with the lefties. way offices also are being expanded. starter Dick Hughes in the first resent Baltimore. Wilson. W. t-3 ... 6 7 3 3 4 6 " Earley ......... 2-3 1 0 0 1 0 The San Antonio, Tex., star .u Gator fullback Larry Dupree is hard at work on his own three innings and then coasted Boston third baseman Frank Radatz ......._.. 21-32 0 1 1 2 moved into semi- summer conditioning program. The speedy back from Mac- against the Suns. Dick Crott, Wilson faced 3 men In 7th. Wednesday's Mahone, outfielders Jimmy Hall HBP-BY Earley (Jimenez). WPBowsfield. finals with a struggling 6-3 6-3 , , clenny weighs 193 now and is on a self-prescribed diet of an ex-major leaguer makinghis T-2:44. A-21.095. of Minnesota and Chuck Hintonof 4-6 6-4 decision unseededAbe over weight training isometrics and running. first appearance for Columbus Night Game I failed to survive the second Washington and Pepitone also MINNESOTA BALTIMOREab Segal of South Africa Mon- were named. r h bi abrhbl inning despite a 6-0 lead. Versalles ss 4 0 0 0 Brandt cf 4320 day. iEEFEATERiEEFEATER Previously announced as start- Rollins 3b 4000 Johnson ss 3111: Ken Off Four walks sad a single in Oliva rf 4232 Aparicio ss 0000' Five Sets Boyer the second cut the Columbuslead ers were Elston Howard Man- Killebrew If 3 1 1 1 Powell If 4020 tle and Bobby Richardson of the I Allison Ib 4000 Clmoll If 0000: So far the 23-year-old Texai ' in baL and brought on re. Hall cf 4030 Siebern Ib 3113 has lost five sets. All buj om Yankees rookie Oliva I 4000 Robinson 3b 4000 liver Fred Green who held ; Tony Henry c 2b 4000 Orsino c 4000 Snyder have been to lefties. Last Jacksonville hitless and scoreless Harmon Killebrew and Bob Al- Pascual p 1000 Kirkland rf 3001 I year . to Fast StartBy lison of the Twins Baltimore Mincher ph 1000 Adair 2b 4010 he didn't lose a one en route to, for 7 1.3 innings. The loss ; Roberts p .2100 was Jacksonville third in third baseman Brooks Robinsonand Totals 33 3 37 3 Totals 3l73 the title. a Minnesota ................ 103 ooo 20x-3 The Wednesday semis have Martini Menappreciate Los Angeles shortstop Jim Baltimore ..._ ...._.....103 000 20 - MIKE RECHT I bat .300 in one season," said row.Right hander Bruce Bru- Fregosi. I E-Allison. DP-Baltimore 1. LOB McKinley against Stolle and ST. LOUIS (AP) Always a Boyer, who is probably one of baker and John Ryan, who Hinton, Freehan and Kalineare I Minnesota 2B Hall.5, Baltimore Brandt 7.Johnson Adair. Emerson, the topheafavorite its bride.I the best all-around third base- went into the game against among the leading nine.HR-Oliva 2 (16). Killebrew (28). Siebern to win it all, playing Bungert. ridesmaid; never a 1 1oWs men St. Louis has ever had. Toronto with a .113 batting league batsmen along with start- (5) Johnson. IP H R ER BB SO, Each is a rematch. Bungert up- 1IfI ;that's Ken Boyer of the St. "I've had them all in separate average, gave Syracuse all the ers Allison Oliva Robinson I Pascual. L, f-5 ... 2 2.3 S 4 2 2 4 set Emerson in the quarter identifiable , I Klippstein ......31-3 0 0 0 1 1 R ., , Cardinals. seasons but never together" power it needed to win. Fregosi, Mantle and Howard. ,Fosnow ----------2 2 2 2 2 :I finals last year, then lost to Mc- I Roberts. W, 4-4... 7:1: 3 2 0 in the semis. Chuck took Boyer has given the Cardi- 32 Homers PB Henry. T-2:17. A16610. Kinley excellence.THE . the title with a victory over lals nine years of consistent Boyer hit 32 homers in 1960 Night Game - CHICAGO CLEVELAND Stolle. erformance that have made he has hit more than .300 five abrhbi abrlibl third base- Landis cf 4130 Howser. 5000 Bungert, possibly Germany'sbest IMPORTED ONE outstanding dIn an times, and he has driven in 111 !3uford 2b 4010 Davahllo cf 4000 w kr aan hi the National League. runs in a season. His steady H'sh'ger rf 4011 Wagner If 3000 since World War II, pulled BEEFEATER - Ward 3b 5000 Smith rf 4010 But the big right-h;nder biter play is shown in the last six Hansen ss 3110 Moran 3b :3000 another major surprise Monday, Nicholson If 3 0 0 Salmon Ib 4120 whipping Rafael Osuna the has never had the sensationd years in which he has driven in St'hens ph-If 1110 Azcue C :3010 : 94 PROOF 100% GRAIN NEUTRAL SPIRITS FROM ENGLAND BY K08RAND N.Y. Cun'ham Ib 1000 Chance ph 1000 champion in straight sets, 6-4,1 year that would take him out more than 90 runs, hit more America Ltago 1 NATIONAL LEAGUEW Minosa: ph 0100 Brown 2b :3010 . Musial then 20 homers and hit W L Pet. O.B. L Pd. G.B. McCraw Ib 1011 McDowell p 3000 6-2, 63. i I II 1 . of Stan more _ I the shadow Baltimore 44 25 .Ml San Fran. U 21 .411 M'Nertn'y c 10 0 ORomano c 1000 than .285 each New York 40 21 .588 4Vi' Phila'phia 42 27.609'I Willie seasonHe 1111 Mays. Martin c r Hank Aaron, or Chicago 31 2t .547 t I Pittsburgh 38 32 343 5- He has never led the league I has been named to the Minnesota Boston 34 3* 37 IS .JJI.,3 11 9 Chicago Cincinnati 34 38 34 33.53S.500 I SV4 Wilhelm Peters Robinson p ph 3010 0001 1 0 0 0 I It's smart to be th-r-r-ifty ,4. Cleveland 33 36 .'71 12 St. Louis p National League All-Star team 36 37 .493 8V4 Totals 94 1 5 0 a hitting, or runs batted in, or Los Angeles 35 3t .473 12V4 Milwaukee 35 37 ,486 Totals 3 7 S 10 4 beenIs I for six straight years, including Detroit 32 37 .444 13 Houston 3S 39 .473 10 Chicago .?.....-_- ......000 000 oci 4-5 tome runs. He has never Washington 30 45 .400 1/ Los Angeles: 34 31 .472 10 Cleveland ............... Ill 000 000 t-11 when the brand is . valuable player. this season. Kansas City 2$ 45 .34 1' New York 22 53 .291 23V4 most . Yesterday's Results > Oavalilio. LOB Chicago 13 Cleve- At the of 33 is off Chicago S, Cleveland 1 Cincinnati Yesterdays 4. Results land .. "I've always wanted to driven age Boyer Baltimore t, Minnesota ) Milwaukee 7.Chicago St. Louis 1 4 28 Peters Landis McCraw Martin. and to his greatest in run Washington 3. Detroit 3 Houston SB-Landis. S-Wilhelm.IP . hit 30 homers year production M Philadelphia l 1 100 runs Boston .. Kansas City 3 H R ERBBSO with a chance to step Only games scheduled Los New Angeles York ..7.San Pittsburgh Francisco I J Priers ...........0 5 1 1 2 4 4EaKaUNDERWEAR 0 0 0 0Wilhelm. Todays Came Buzhardt 2.3. into the spotlight. He leads the Minnesota Arrigo i-1 at Baltimore Barber Cincinnati Jay Today's 4-3 Game W.1.3'.11.3 0 0 0 1 1 league in RBI with 54. 1.1Kansas '-SMilwaukee at Chicago Jackson McDowell .,m...* 6 1 1 7 71 Boyer City Pen 7., at Boston Connol- McMahon, L.. 3-1 .. 0 222 1 0 has 12 homers and is hitting 15Chkago Craig 4-3 Blasingam 0-1 at St. Louis Bell ...... ...1 2 2 1. 1 Plzarro ,-4 at Cleveland Kra- 'New York Stallard 5at San Francisco McMahon faced :3 men In 10th. SALE! MAJOR lick 12. night Perry 43Philadelphia HBP By Peters (Wagner). WP- .297.Boyer Detroit Wickersham 19-J at Washington Bunning 7.2 at Houston Johnson Peters. PB-Azcue 2. T3:06.11"5... has 'averaged more Narum 7-3. night 4-4. night LEAGUE Los Angeles Belensky 4-3 and Meyer 1-3 Only games scheduled. Night Game I i than 150 games a year' for the at New York Bouton 5-7 and Downing Temerrew-s GItMS DETROIT WASHINGTON MANHATTAN SUPIMA ' 22. 2. twilightTamorreW St. Louis akrbbi . ahrkbi at Milwaukee. ILEADE N Cardinals, but "that 162-game Game Philadelphia at Los Angeles N Lumpe 2b 4110 Bla'ame 2b 4115 I schedule is rough "When Washington at Chicago. 2. twI-nigM Chicago at Cincinnati N Wert 3b 4000 Kennedy 3b 4115 I ' you Cleveland at Detroit N W.Yortt at Houston. N Kaline rf 4011 King rf 3112! ATHLETIC SHIRTS : work in an office," he said Los Angeles at Baltimore N Pittsburgh at San Francisco Freehan c 3010 Hinton: If 4510 . Kansas City at New YorkMinnesota 01 Phillips Ib 3001 Cash Ib 4 0 i Batting AMERICAN LEAGUER t+, "you get two days off a week. at Boston NINTERNATIONAL FLORIDA STATE LEAGUE Demeter U .IILodt cf 2100 100% Supima fine cotton, white swiss r ;. 136 Runs _Minnneso/a.Allison Mlnnesot.. ,335.: 15; 011".'I Think of how it is working sev- W LEAGUE L Pd. G.B. F' llUdenlale W J L 0 a--"_ Thomas McAuliffe cf ss 4 4110 1 2 2 Brvmley Brinkman c IS 3 4010 0 1 1 rib cotton. Sizes S, M, L, XL, L '* I,"nesotl. 54. I en days week after week. Youcan't Jacksonville 42 32 .573 Llke/'nd 1 0 .500 IV* Regan p 2020 Osteen p 4110 ((pletxev+. Mb+ne limos 1 Wood 1000 U " batted In 1 jac in pit MANHATTAN Runs Rochester 3* 30 .565 1 Oh. 60 Stulrt. UmnesO 51. lois Hinton.Vlshlngton. .I rest physically or men- Syracuse 3t 31 JS7 144 Orlando Sarasota 1 1 .500 IV.* Phillip ph 1511 I a. -Olive. M 1 2 .333 2 Hits Toronto 3t 32.S4t 2 tally. St. Petersburg 35 3 S 3 Totals 31574 fLDojblesAlllSOM1 BrwpEr Buffalo 39331n. 2 1 t333 2 Tata BOXER SHORTS. . Mlnnesot.20; "I can feel things I didn't Richmond 3* 40 .444 IA\ Miami Daytona BeachYesterday 1 2 .333 2 Detrorf ..-..,,,,,,,...,.-. 1M 200 0003WashteftM 1 I'' >>. tiud. 11.strtemsk6 Boston 1, Yen Atlanta 30 40 .43 10V I I .000 2 .. .. ...,.. 150531 10x-4 v+ feel two It's 24 11 .333 17V4 Reswlts site, MlnneSOtl. .. 21/ years ago. nothing Yesterdays R**.tt. Miami t St. Petersburg 0 McAvliffe. Wert. DP-Detroit 1. LOB Cotton Broadcloth in whitet colic Home runs Killebrew. MlMe50t.Mb ..sbStOIIe serious, but I don't always have Syracuse 4. Toronto 3 i Tampa Daytona Orlando 0, 10 inning -Detroit 4. Washington 7.28U1rnp.o. I colors Sizes 3042. 4111. BaltImOre and AlliIOfto Buffalo 4. Rochester t Fort Beach at Lakeland ppd rake Regan Ostcefy Bromley or fancy prints. , 3U that zip I had earlier. Richmond 7.Atlanta 5. Lauderdale 4. Sarasota 2Lakeland Kennedy. HR-McAutiffe (12) King (12)., bases-'parlcio"" Blltlmore. Columbia IS, Jacksonville 13 10 innings -Phillips, Brinkman. SB Thomas.IP I II 1 REGULAR 4..is.i Chicago. 12. VGrt.I TKaysOameaRochester Todays Came H It ER BB SO J 3.75 VALUE 'f ' Pitching 7 ec\l1O"t-FonL\ New 1-2. .100. at Buffalo at Orlando Regan, L.: 3-7 .,.. 4 5.:1:1: : II )t t .9091 KraIalld4 Cleveland. York g4; Ex-Vandy Grid Syracuse at Toronto Tampa at Daytona Beach Fox .... ...,..2 2 1 5 5 NOW i Strikeouts Ford. t4twtadatz. Atlanta Richmond Fort Lauderdale at Sarasota .... 2// PACKAGE i Osteen W. 6-4 f 1 3 :3 J : t 4 Boston n. Jacksonville at ColumbusGentile Miami at St. Petersburg PB-Freehan. T-2:25. Ar-4.7u.- ;} ' III. 1 NATIONAL LEAGUE Standout Dies : Clemente.itt$- at ban $2'85 . Batting 17S . Kroh Runs.3411- May William, San Francisco OI .3A6.eII 611 AI- Out LAWN IRRIGATION 0 f3 FOR i : 'J ?: : . NASHVILLE Tenn. AP-J. Philadelphia. 4!. . 143 Runs May bitted SIn FrWCl5CO.In Boyef'53. St. louis.I Vaughan Blake who carried.on For a While aLf Pittsburgh Hi Wil- tradition of SYSTEMSCustom Hits Clemente. a family being a .Um Doubles*. Chlccge._ aenwnt.,1- Plttlbu'Vh. 211 Vanderbilt University football BOSTON AP) -Kansas City Designed For Your Lawn Tailored To pttttama_Chicago.Santa 19Tripla ptk+0a 73 C."bon. captain, died at his home here slugger Jim Gentile is not expected Your Needs And Your Budget By A Specialist Lf "" ". r ta. 6. He 76. Monday. was to return to action until. FrandKGor For best Home runs Mays. $aft performance and efficiency we hove available BuckI I William*. Chicago and Howard. Lot For three years, 1906 through after the All-Star game the club I ner. Champion. Thompson and Rainbird. Flush Pop-Up or I n.e Stolen es. bases II. will. u. Awle ..J 1908, Blake and his brothers Dan announced Monday night. I Impulse Type Sprinkler Heads larper, Cincinnati and Brock. St. Louis. and Bob captained the Vanderbilt Gentile pulled a cartilage froma FULLY GUARANTEED s = t ? r p*Pitching. 10-Z. 433 7; deelslons--Farrell.Burning Philadelphia.Hous.7.1 teams which compiled rib on his left side June 25 i Call Sudden Service Oil Co. 225 W. UNIV. AVE. L Jn.Stikeouts. Kout,.. Los Angelev 11<; I 20 victories, four losses. and two and was sent home for exami-j FR 6-4404 Free Parking on 1st Fed. Lot. Pqd *. Lo:* Angeles, I U. I ties. aa, and treatment I \ I 26 Gainesville Sun Tuesday June 30, 1964 . - . rn IN CHURCH LOOP * \ .. . Face :Rocked | .t"" .."'t._ . As Dodgers i I.L_: ...t Games Made UpChurch - .c.. . ., .;ir::.N. : League makeup games Central. Robbins and Canady; Jones and! were played last night at City Highlands 100 003 26 11 5 Waldrey, Kenyon. Nip PiratesBy Park. Kanapaha Presbyter a u Kanapaha 440 003 x-11 9 4 First Meth. 3030002-8125 downed Highlands Presbyterian Wesley Meth. 000 002 1-3 8 4 11-6, First Methodist beat Wes- Loggins and Newell, Todd; Geiger MURRAY CHASS Face suffered his third loss in ley Methodist 8-3. A's Rehire and Bryant, Shipp. Associated Press Sports Writer five decisions and had his and Southside Baptist crushed The flame in Elroy Face's earned Southside 290 ((12)5-28) 31 1 run average soar to 5.23 Calvary Baptist, 28-1, in games fork ball appears to be flicker- for 22 games. played on Field No. 2 Eddie LopatKANSAS Calvary 001 001 710 ing. As a result be's, not putting Face's showing followed a __ On Field No. 1, Latter Day Smith, Roebuck and Lea h y, out fires the way"he once painful pattern that has devel- 4 Saints rolled over Grace Presbyterian CITY AP-Ed) Lo Smith; Purdy and Johnson. did.Face oped for the man who won 17 25-11, Parkview Baptist pat has been rehired for a new- LDS 500 (12)8-25) not long ago one of the straight games in relief in 1959 downed First Presbyterian ly created job as vice presidentin Grace 800 21-11 8 top relief pitchers in the majors, and who has averaged 61 appearances 12-1 and First Baptist crushed charge of player presonnel at Brown, Whittaker and Hall; was rocked again Monday night a season for the past North Central Baptist, 2W.( a salary hike under a new con- Whitehouse and Myers. In Pittsburgh's 7-6 loss to the eight years. 1 Combs, Jamerson and Good tract, three weeks after he was Parkview 50313-1215 ninth-place Los 'Angeles Dodgers. He was called upon June 21 to all had two hits for Kanapaha. !fired as manager of the Kansas First Presby. 001 00- 1 3 . The Pirate keep the Pirates close in a game Canaday, Redlpck and Robbins ,City Athletics. I Bryant and Ward; Fletcher and 36-year-old right- 3 , Chicago led 2-0. However the had a pair apiece for High- . hander entered the game in the "He's a tremendous fellow Brussmej Cubs lashed him for two runs > lands. with out- First 012 505 7-20 22 seventh inning just after'a four- great experience as an Bap. and three hits in two-thirds of r Three Hits scout and North Cen. 005 001 06 10 run rally had tied the Dodgers standing pitcher, manager - and collected 5-5. He retired the first batter,i an inning Ingman Bishop ," said owner Charles O. Lankford and Cobb; Mixon and but before retiring the side, he! On June 12 he replaced starter ,. three hits each for First undefeated Methodist Finley Monday. I II Maddox. _ which remained - walked three batters and Bob Veale in the sixth inning I gave t in Church play. Geiger had I . after the Cubs had scored two two singles allowing the up three for Wesley. losing Dodgers to score two runs, runs and had two more runners l4-OKMom! .J which they needed for the vic- on base with two out Face put Southside Baptist got 31 hits NEW 1964 GMC another on before Joe Amalfi- with Dugger and Kitchens collecting - tory. That's what Jack Rhine 13 to be saying after he tried out the appears four each to lead. Wil- tano belted a grand slam homer. For his brief appearance,, ramp. That's Mom, Mrs. Mary E. Rhine, left; and sister Judy, 11, center. The liams and Johnson had a pair PICKUP TRUCKS Other GamesIn Rhines live at 2919 NE 21st Terrace. ( Sun photos by Tommy Lewis). each for Calvary. I other National League Baldwin paced LDS' 18-hit at- ... games Monday, New York tack with four blows, all dou- $1768 I edged San Francisco 4-3,' Hous- Three Practice Sessions bles. Roberts and Locklear had i i ton trounced Philadelphia 6-1, two each for Grace.MacDonald. LOW DOWN PAYMENTrtIJP CINCINNATI brhU CHICAGO brhbl Milwaukee downed St. Louis, Hit I Rose 2b 5110 Am'fitano 2b 4 0 0 0 7-4 and Cincinnati whipped Chi- I Keough rf 5020 Stewart u 3010 MacDonald had three hits for r4 Pinson cf 41 1 0 Williams If 4000 cago 61.Frank. Remain for 'Soapboxers'Just Parkview while Grussmeyer got Robinson If 5110 Santo 3b 4010 Howard drove in three Johnson Ib 5011 Banks Ib 4010 two of the three' blows losing Edwards c 4 21 0 Gabr'son rf 4 01 0, runs for the Dodgers, including Cardenas ss 4 1 3 3 Cowan cf 300 Bores 3b 3012 Bertell c 3111 the winning one with his second I three more opportunIties the Gainesville Shopping Centerare sped and weigh each racer. off winning pitcher Bryant. I! - O'Toola 2000 Burdette p 0000 MO KW. M ATCM pMtsmsu Coleman p phlOOOOttph 1000 sacrifice fly. He also bomered. remain for boys entered in scheduled to be held from 6 This will be the last chance for Bristowe had two singles, a : Burke Rogers Ph ph 1000 1000 'The Pirates, down 5-1, had ral-Ithe Gainesville Jaycee Tropi- to 8 p.m. today, tomorrow and contestants to have their vehi double and a triple for First! 220 N.W. 8th Ave. 372-3582 ' Totals 3(111 < Totals 321 i.1 lied for a tie on two errors by cal Pontiac Derby to test their Thursday of this week. cles checked before the racers Baptist. Kenny had a homer II i Chicago Cincinnati ..001.11 000 000 Ml 000-1-4 third baseman Derrell Griffith, homemade racers from the official After completion of the Thursday are impounded and inspected by and two singles for losing North I I E-Cowan. Santo 2. DP-Chicago 2. two wild pitches by Bob Miller, starting ramps before the session, the ramps will be Jacksonville Soapbox Derby of- . LOB-Cincinnati t, Chicago 6. a walk and singles by Donn July 18 race on West University dismantled and shipped to ficials on Thursday, July 9. I 3B-BoroS. HR SB Cardenas 2 Santo. I I' -Bertell (3). Clendenon, Bill Mazeroski, Bob Avenue (Gator Hill), accordingto Jacksonville for use by Jayceesin I O'Toole. W 7-4 .. 7 IP H 4 R 1 ER 1 BB 1 SO 5 Bailey and Manny Mota. Derby Chairman W. W. Wil- that city's race on July 11. have All entrants their are requested the to 8fA.\i; JEll IIAM at Henry ......... 2 1 0 0 1 2Burdette. Jesse Gonder's two-run homerin kerson. Preceding each practice session racers Tropi- ;,... I U 4-2 .. 3 7 5 5 3 1 cal Pontiac showroom on N.W. 1 \ Scott ............. 3 0 0 0 1 1 the ninth off Bob Bolin lifted Wilkerson said practice sessions at the Shopping Center, local r2 - McDaniel...... 2 1 0 0 0 2 July 8 for this important inspec- Shantz ......... 13 2 1 1 0 0 the Mets to their fifth victory in from the ramps set up at Jaycees will thoroughly in- kJ-i1' IS PART OF THE SCENE WITH ......... Elston 23 1 0 0 0 1 WP AAcDaniel. T 2.34.: A7327. 10 games with the leagueleading tion.Wilkerson - also announced that PEOPLE WHO HAVE A TASTE Giants. The blow followed a - PITTSBURGH. Night Game LOS ANGELES one-out walk to Larry Elliot. Jim Belk-Lindsey UCT Win all derby drivers are expectedto I I x FOR GOOD LIVING IN ab r.. bl ab r h bl meet with him at the Shop- rj Hart belted four hits includinga 5320 % Wills Alley ss 4000 ss 1PI Mola cf 5022 Parker cf 3210 fourth-inning homer for the ping Center at 6 p.m. tonight fora Clemente rf 4 0 1 0 Fairly Ib 2022 In Junior ActionBelk final orientation meeting and Stargell If 5 0 0 0 T.Davls If 2 01 1Clenden'n Giants. League sce31r3oalcracsl Ib 4 2>C 0 Howard rf 2113 to sign up for the July 11 Jack- I / it i FLORIDA Freese 3b 5210 Roseboro C 2100 Bob Aspromonte's hitting and Mazer'kl 2b 4122 Griffith 3b 3000 Bob Bruce's pitching led Hous- Lindsey edged Knightsof two errors. With two outs, two sonville Soapbox Derby. He em- Pagllaronl c 3 01 0 Gllllam 3b 0000 Lynch ph 1011 Oliver 2b 4021 ton over Philadelphia. Aspro- Pythias 3-2 and United Com- runners on, Hinson relieved phasized that this is a "must"meeting "j1 Vlrdon Gibbon ph p 1000 OOOOUVIIIerp.Miller p 2020 1000 monte climaxed a five-run first mercial Travelers d o wn ed Botts walked another batter to for all 45 boys enter- Bailey ph 1110 Perran'skl p 1 0 0 0M'F'ne inning with his second grand Florida National Bank: 8-4 in load the bases and then struck ed in the cnntest. ph-C 1000 I I E 111151) Totals 38115 Totals 277117 lam homer of the season. Junior League baseball gamesat out the next one to save the vic- All racers entered in both the I IWilllvawy .' ............ . Pittsburgh 10100 410-4 Harris Jacksonville and local eventsare Field last Los Angeles ............... 101 211 MX-7 Bruce allowed seven hits, two night. tory.UCT E-St.rgell. Griffith 3. OP-Pittsburgh after the fourth inning, andidn't Knights of Pythias trailing 2- took advantage of 10 expected to be completedthis 2. LOB-Pittsburgh 10 Los Angeles 7. week and the construct Ion JB-Mazeroskl, Falrty.. HR Howard [ walk anyone in winning 0 going into the final inning, al- walks en route to its victory.I (IS). SB-Wills. S-Parker, Griffith Fair-. his eighth game against four de- most pulled it out. Two runs Robbins had two hits for losing' workshops which have been . ly. SF-MazeroskL. IP Hpw0rd.2.;,*H..:..RTRBs.SO feats. He retired 16 consecutive came in on three walks and Florida National Bank while held nightly at the Boys' Club / - Gibbon .......R'3 1 I1 1 1 0 for the past month will be dis- Priddy ...... ..31*. 5" 3 .J r. 1 1 batters at one?stretch..; Soxman and Scarborough dou- tc Haler UMTucn Simon iKBft man jsnun: wo iamn IT WE wi I. KW BSWW CD.. tumm.! nut, IT. . sisk ../sc9a' i\; o 'o Belk-Undsey. Knights of Pythias continued after Thursday night. > ;Mathews walked inj his bled. UCT four in the Face, l.2.3'-::::. 1 2 r 2 3 Xo :gEd ab r h abrh got runs Law..1 1 0 0 0 2 first four appearances, then J. D'la'y 3b-lf 1 1 0 Mathews Ib 300 fifth to take the lead and heldon. ' L.Mlller ........ 6 237 5 2 1 4 Cheatman rt 100 Bailes cf 301 ( Miller ....... 23 .2 1 1 1 0 homered in the ninth inning, tying Quinn cf 100 Boyd p 301 . PerranoskT. W. 3-31232 0 0 2 2 ., B. M'Nel. Ib 3 0 0 Fuller c 300 I Io. HBP- By Prlddy, Roseboro. WP-L. the Cardinals 44. The Davis C 3 0 Hartman 3b 311 Major league games today Miller, R. Miller 2. T-2 Jl. A-", 46. Braves went on to score three Yeomans. M'Nel ss 2b 100 301 picore Kldwell If ss 200M. 100 will send Boys' Club against I Night Game more runs in the inning. Gene Boothby If-3b 210 Guenther 2b 200 Rotary at 5:30: and Elks meets ! Botts 2 01 NEW YORK SAN, FRANCISCO: : p-2b Mayhew rf 200T. ab r h M ab r h M Oliver singled home Denis Du'la'y Ib 2' 1 Pringle ss 200 Kiwanis at 7:30. ' Steph'son 3b 41 1 1 Kuenn If 1000 Butler rf 200 Bryon If 1 00 Menke with the deciding run. Hunt 2b 4000 Snider If 2010 Hlnson 2b-p 1 0 0 Tisdale rf 100 Altman If 3110 Oavenp't ph 1000 Mathews scored two earlier runs Lee If 000 \ Chr'fpher rf 4 0 0 0 Lanier 2b 3110 Cunstill d 20 ' Kranep'l Ib 4010 Mays cf 4000 on singles by Lee Maye. Totals 24 3 3 Totals 21 2 2 ,+ I I Elliot cf 3111 Cepeda Ib 4011 The Reds whipped the Cubs Knights of Pythias ............ 000 002-2 f xs I Gender e 3112 Hart 3b 4241 Blk-Llndsey 101 Olx-3 Samuel ss 4020 J.AIou rf 4030 behind the hitting of Steve Bor- -l Fisher p 1010 Crandall c 4011 _ Hickman ph 1 0 0 0 Pagan ss 4000 os and Leo Cardenas. Boros Florid National United Com. Tray. Jackson p 1000 Bolin Peterson p ph 3000 1 0 0 0 drove home two runs with a Seaman c abrh 411. Ellis 2b abrh 400 CLEANINGREPAIRING a ' Totals 32 4 I 4 Totals 333715 in the second inning while Bass d.ss 300 Scar'ough ss 411 I A. ' triple Green 3b-p 300 Robbins 3b 402 f' 9 9r .,,.......... f New York 100 100 002: -4San Cardenas doubled home three Spears lb-3b 3 0 0 Goodhart cf 400 Francisco .......... 110 110 000-3 Chltty 2b 300 Register p 420BUlotM E-None. DP-New York 1. San Francisco runs in the third. Dick Bertell p-lb 3 21 Rinser rf 100 I I 2. LOB-New York 5. San FranCisco Scott rf 110 Andrews If 100 I homered off Jim O'Toole who 7. Martin If 100 Mosley c 421 "We Rod 2B-Crandall. Lanler Samuel 2. HR_ 'recorded his seventh triumph in Smith ss 200 Atchinson Ib 4 1 0 . Stephenson (1), Gonder (3). Hart (f). : Crosby cf 200 Johnson If 100 Them Out" f S Fisher, Lanler. 11 decisions. Balsamo If 100 Beck rf 100 II IP H R ER II SO Bishop rf 1 0 Wilson rf 100 Fisher .........6 0 3 3 1 3 Wheeler If 100 Butcher If 110 Motor Block I Jackson. W. 4-10 3 3. 0 0 2 Parker If 110 Bolin. L. 2.3..1 0 4 4 3 0 Giants Sox Ferrell rf 100 FlushedWe T230. A10232. Totals 21 4 2 Totals 34 14 i MILWAUKEE Night Cam ST. LOUIS Take Games United Florida Com.National Travel 110 030 042-1 001 4Gator Pick-Up & Deliver 4 s? ab r h H I , abrhbl Flood cf 51 21 the RADIATOR SHOPWhite Seminole action at Mathews 3b 1 31 1 Brock If 3128 League I Signs Menke ss 3100 Groat ss 4121 Boys' Club yesterday saw the Electric Aaron rt 3010 Boyer 3b 4011 Maye cf 5032 White Ib 4000 Giants edge Dodgers 6-5 and WASHINGTON (AP) The Cline Terr cf c 5110 0000 Warwick Gaqllano rf 2b 4010 4020 White Sox bump Cubs 12 10. Washington Redskins of the Na- & Battery << Oliver Ib 5231 McCarver c 3110 The Braves Angels game was tional Football League an- F 7L J CartY If ,5032 Washburn t .00 ! Boiling 2b ,500 OGIbson p p 1000 rescheduled for July 8, at 9:30 nounced today the signing of Service Sadowskl Schneider p 1000 1 0 0 0 Skinner ph 1000 a.m. and the Phils Athletes I two rookies, end Russ Brown of Bailey ph p 1000 contest for 3 p.m. Both games the University of Florida, and 118 N.W. 8th Are. Krl-j Totals ph 34 1000 712 4 Totals 34 411 3 were postponed because of rain. halfback Ozzie Clay of Iowa FR 2-8581 Milwaukee ........... 001 111 004-7 Outstanding players included State University., St. Louis ..............., 291 111 000-4 Rusty Witt and Waylan Willis - E-Brock DP 1, St. 2. -Milwaukee Louis 2. LOB-Milwaukee 10. St. Louis .. Cubs; Jerry Philman and . JB-Boyer. Gagllano. May.. HR- Ricky Yantz, White Sox; Glenn LIMITED Mathews . (I) 58-Brock. S-Mnke. SPECIAL! y1IMEAirConditioning Brock. Hobble. Whittington and Fred Hewitt; i Schneider ...... 31-35 IP H R 3 Eit 3 II 0 SO 1 and Ray Cauthen, David Heath- Mrs. Turner needs a Sadowskl ........ 2-3. 1 1 0 1 coat, and Don Sureth Giants. Unit tune-up Hoeft .. ..._.._u 2 2 0 0 1 3 Tlefenauer. W. 3-42 0 0 0 0 2 Washburn .. 3 3 1 1 3 1 ! Hobble .... ... 2 2-3. 2 1 3 2 (Again ) Gibson, U 6-5 .. 3 1-3 5 4 3 1 4WP 265 Plus Installed -Schneider. Sadowskl 2. PB-Mc Taxand Carver. T-2J3 A-1U34. PHILADELPHIA Too bad. Maybe now Mrs. Turner will switch to AMOCO Gasoline. abrhbi abrnhi -- upi Taylor cf 410 4000Kaskou 0 Fox Ib 310Calllson 5000Herrnsrin t, of AMOCO she could have extendedthe rf 4tOOWhltecf 4210 If she had been a steady user , Allen: 3b 4000 Bond H 4111 I Covington rf 4 1 OGalnes rf 4130 4 Dalrympl c 4 0 3 0 Staub Ib 3101 t as c and this s vital avoided i life of her car's Rolas Sievers ss 16 3011 400 Grot Aspro'nt c. 3b.400 3 t 2. : ;. engine parts tune-up. Mahaffey p 0000 Bruce p 4010 Cater Mcllsh ph ph P 1006 1000 1001Brtogs a:4 You see, AMOCO is the only gasoline for your car that is Certified Totals 341 71 .Totals 34404 M..ia4lp .la ............. 010 000 000-1 Lead-Free. at the sign that "The Only One" theAMOCO Houston .."............ SOl 01* 01-- -' Stop says on E-Allen. LOB-Philadelphia 4. Houston h, 7.2&-D.lrymple.. HR-Aspromonte (I). "TRY pump-only at American Oil Dealers. $B Gaines 2. IP H R. U II SO KINGEDWARD" Mahaffey. L. 7-3 .. 1 3,5, 5 1 S McLlsh ......... 5 4 1 0 1 5 Green ... .. ... 1 0 Baldschun ...... 1 1. 0 0 1 Bruce W M .... f 7 1 1 0 4 America's Largst Selling Cigar HBP By Mahaffey.' Fox. WP Mahaf- fey. T-2.14. A11103. . :. AMOCO 1fi.h.I :' i I BILLIARDS Custom units available en most late models-Ford, _ 3 The CUE STICK rT7 . ,Chevrolet Pontiac, Oldsmobile, Plymouth Valiant ." : ;;p 1 - ; ;',' {.' SUPER-PREMIUM, GASOLINE ; 905 KrtfAIN ST. and others. ''f : 'f\r' ,:: () in the..FoocI. Fair-Shopping Center i I Financing AvailableHawesPowers u ,,... CERTIFIED : OPEN THURSDAY JUNE 2 .. ur ,b 1' Motor Co. f . i i You. expect more'from American and you gsi ill (AMERICAN LEAD'FR _ Mothers and Fathers for This is a Family Billiard Room < and and Girls of Age. I .,. ; , Boys: Any AIR CONDITIONING CENTER : Children must have written permission from parent or : "All Makes and Models Serviced" ""r'AVAILAILI NICAB.. ili '. l . ie* " guordiar* and It must be notarized.For t ; O'44.TN. A i >t .co. - : i FR 2.2561 AT North test American Service. 1550 N.f W.Mo R convenience there is Fret Notary Service 204 N. Main St. D.r.rs Amcricaa Service, 2225 N.W. 6th Phone. 372-2225 at ,the CUE STICK BILLIARDS Dick* Awaits Service. 504 S.W. 4th Ave. 372-9360 1 j UM'S AjMcrkcM Sinks, 730 W. Ua rr. Av.. 376-7529 Ii 1 .. 4 S t ! \\ ;- .::: . 1 LTI 111 I l 26 Gainer 1 Sun Tuesday, June 30 1964 __ ' Face F.F F- .. .". IN CHURCH LOOP ' Rocked -'l'.m { "f . II. P n .h Games Made As Dodgers .1 \ .: : .. \W: Church League makeup games I Central. Robbins and Canady; Jones and | : were played last night at City Highlands 100 003 26 11 5 Waldrey, Kenyon. Nip Pirates Park. Kanapaha Presbyteri a u Kanapaha 440 003 x-11 9 4 First Meth. 303 000 2-8 12 5 i downed Highlands Presbyterian Wesley Meth. 000 002 1-3 8 4 a 11-6, First Methodist beat Wes- Loggins and Newell, Todd; Geiger . By MURRAY CHASS Face suffered his third loss in .i' \ M ley Methodist 8-3. A's Rehire and Bryant Shipp. Associated Press Sports Writer five decisions and had his I and Southside Baptist crushed The flame in Elroy Face's earned run average soar to 5.23 Calvary Baptist, 28-1, in games Southside 290 ((12)5-28) 31 1 fork ban appears to be flicker- for 22 games. played on Field No. 2 Eddie LopatKANSAS Calvary 001 001 710 Ing. As a result, he's not 'putting Face's showing followed a .t On Field No. 1, Latter Day Smith, Roebuck and Lea b y, out fires the way'he once _, 1 ; Smith; Purdy and Johnson. painful pattern that has devel- Saints rolled over Grace Pres- CITY (AP-Ed Lo- did.Face oped for the man who won 1 7 byterian 25-11 Parkview Bap- pat has been rehired for a new- LDS 500 (12)8-25) not long ago one of the straight games in relief in 1959 tist downed First Presbyterian ly created job as vice presidentin Grace 800 21-11 8 top relief rocked pitchers in the majors and who has averaged 61 appearances 12-1 and First Baptist crushed charge of player presonnel at Brown, Whittaker and Hall; was again Monday nightIn a season for the past North Central Baptist 2V6.( a salary hike under a new con-I Whitehouse and Myers. Pittsburgh's 7-6 loss to the eight years. Combs, Jamerson and Good tract, three weeks after he was Parkview 50313-1215 ninth-place Los Dodge Angeles He was called upon June 21 to all had two hits for Kanapaha. fired as manager of the Kansas' First Presby. 001 00- 1 3 ers.The 36-year-old Pirate right keep the Pirates close in a game Caaaday, Redlock and Robbins ,City Athletics. II I'Bryant and Ward; Fletcher and Chicago led 2-0. However the 'p' had a pair apiece for High- hander entered the game in the a4r f. ,/ t. : "He's a tremendous fellow Brussmej Cubs lashed him for ... .. lands. two , runs 012 505 7-20 22 seventh inning just after a four- with great experience as an out- First Bap. and three hits in two-thirds of Three Hits run rally had tied the Dodgers standing pitcher scout and manager North Cen. 005 001 0- 6 10 55. He retired the first batter an inning Ingman and Bishop collected ," said owner Charles O. Lankford and Cobb; Mixon and On June 12 he replaced starter .' three hits each for First Methodist - but before retiring the side, he Finley Monday. Maddox. walked three batters and gave Bob Veale fa the sixth inning which remained undefeated two singles allowing the after the Cubs had scored two --- '----- In Church play. Geiger had I I j Dodgers up to score, two runs, runs and had two more runnerson Everything's A-OK Mom! three for losing Wesley. which they needed for the vic base with two out. Face put r Southside Baptist got 31 hits NEW 1964 GMC and Kitchens col- another on before Joe Amalfi- with Dugger tory. tano belted a grand slam homer. That's what Jack Rhine, 13, appears to be saying after he tried out the lecting four each to lead. Wil- For his brief appearance ramp. That's Mom, Mrs. Mary E. Rhine, left; and sister Judy, 11, center. The liams and Johnson had a pair PICKUP TRUCKS Other Games I Rhines live at 2919 NE 21st Terrace. ( Sun photos by Tommy Lewis). each for Calvary. In other National League Baldwin paced LDS' 18-hit at- games Monday New York tack with four blows, all dou $1768 i edged San Francisco 4-3, Hous- Three Practice Sessions bles. Roberts and Locklear had : ton trounced Philadelphia 6-1 two each for Grace.MacDonald. LOW DOWN PAYMENTLow CINCINNATI CHICAGOab Milwaukee downed St. Louis, r II hi abrhbl Hit Monthly Payments Rose 2b 5110 Amf Itano 2b 4 0 0 0 7-4 and Cincinnati whipped Chicago t keough rf 5020 Stewart IS 3010 6.1.Frank MacDonald had three hits for Pinson cf 41 1 Williams If 4000 Remain for 'Soapboxers'Just Parkview while Grussmeyer got ikc Robinson If 5110 Santo 3b 4010 Howard drove in three t 5011 Banks 1b 4010 cP Johnson Ib two of the three' blows losing Edwards c 4 21 0 Gabr'sen rf 4 01 0. runs for the Dodgers, including Cardenas u 41 3 3 Cowan cf 3000 First Presbyterian collected G M Boros 3b 3012 Bertell c 3111 I the winning one with his second three more opportunities -the Gainesville Shopping Center! spect and weigh each racer., off winning pitcher Bryant. T>oot WTIRjlh Coleman O'Toole p phlOOOOttph 2000 Burdettt p 0000 1000 sacrifice fly. He also homered. remain for boys entered in are scheduled to be held from 6 This will be the last chance for Bristowe had two singles, a 22011w. MA.M* r1. 71211.7 Burke Rogers ph ph 1000 1000 The Pirates, down 5-1. had ral- the Gainesville Jaycee Tropi- to S p.m.. today tomorrow and contestants to have their vehi double and a triple for First 220 N.W. 8th Ave. 372-3582 Totals 31 i 11 i Totals 321 5.1 lied for a tie on two errors by cal Pontiac Derby to test their Thursday of,this week. cles checked before the racers i Baptist. Kenny had a homer I I II Cincinnati .023 000 001-4 third baseman Derrell Griffith, homemade racers from the official After of the Thurs- and t Chicago 001 000 000-1 completion are impounded inspected by and two singles for losing North,I. e-Cowan. Santo 2. DP-Chicago 2- two wild pitches by Bob Miller, starting ramps before the day session, the ramps will be Jacksonville Soapbox Derby of- . LOB 28--Cincinnati Cardenas J,r,Santo.Chicago 3B-BorOS.6. HR a walk and singles by Donn July 18 race on West University dismantled and shipped to ficials on Thursday July 9. I -Bertell (3). Clendenon, Bill Mazeroski, Bob Avenue (Gator Hill), according Jacksonville for use by Jaycees |p H R ER BB SO All entrants are requested to . O'Toole. W. 7-4 .. 7 1 1 1 1 5 Bailey and Manny Mota. to Derby Chairman W. W. Wil- in that city's race on July 11. JEll lUllIS .. have their racers at the Tropi oN j Henry .. .. 2 1 0 0 1 2Burdette. kerson. U42 .. 3 7 5 5 3 1 Jesse Gonder's two-run homer Preceding each practice session -cal Pontiac showroom N.W. 1 f Scott .. ........... 3 0 0 0 1 1 in the ninth off Bob Bolin lifted Wilkerson said practice sessions at the Shopping Center local on McDaniel...... 2 1 0 0 0 2 July 8 for this important inspec- Shantz ......... 1-3 2 1 1 0 0 the Mets to their fifth victory fa from the ramps set up at Jaycees will thoroughly in- PART OF THE SCENE WITH Elston .. 2.3 1 0 0 0 1 r WP-McDanlel. T-2:34. A-7,327. 10 games with the leagueleading tion.Wilkerson Giants. The blow followed a also announced that .111 PEOPLE WHO HAVE A TASTE PITTSBURGH. Night Game LOS ANGELES one-out walk to Larry Elliot. Jim Belk-Lindsey UCT Win all derby drivers are expectedto abrhbi abrhbi meet with him at the Shopping ., FOR GOOD LIVING IN hits Hart belted four includinga I Alley st 4000 Wills ss 5320 , Mota cf 5022 Parker cf 3210 homer Center at 6 p.m. tonight fora fourth-inning for the Clement rf 4 0 1 0 Fairly Ib 2022 In Stargell If 5 0 0 0 Davis If 2011 Giants. Junior League ActionBelk final orientation meeting and Clenden'n Ib 4 24 0 Howard rf 2113 to sign up for the July 11 Jacksonville I i1> Free e 3b 5210 Roseboro e 2100 Bob Aspromonte's hitting and Mazefkl Pagllaronl 2b c 3 4122 01 0 Griffith Gllllam 3b 3b 0000 3000 Bob Bruce's pitching led Houston Lindsey edged Knightsof two errors. With two outs, two Soapbox Derby. He emphasized .1 Lynch ph 1011 Oliver 2b 4021 over Philadelphia. Aspro- Pythias 3-2 and United Com- runners on, Hinson relieved that this is a "must"meeting I , Gibbon p 0 0 0 0 L.Mlller p 2020 mercial Travelers d o ed Botts walked another batter for all 45 boys enter- i iJIN. VIrdon ph 1000 RJWIIIer p 1000 monte climaxed a five-run first wn to AVF'ne Bailey ph ph-C 1110 1000 Perran'skl p 1 0 0 0 inning with his second grand Florida National Bank 8-4 in load the bases and then struck ed in the cnntest. I ,ew Totals 384115 Totals 27 7117 slam homer of the season. Junior League baseball gamesat out the next one to save the vic- AU racers entered in both the I 011 IXflti m wy 1111611 . Pittsburgh .............. 010 toO 410-4 Jacksonville and local / eventsare Harris Field last Lot Angeles ............... 111 211 20x-7 Bruce allowed seven hits two night. tory.UCT E-Stargell. Griffith X D-Pittsburgh after the fourth inning, andlidn't Knights of Pythias, trailing 2- took advantage of 10 expected to be completedthis 2. LOB-Pittsburgh 10. Los Angeles 7. week and the construct Ion 28-Mazeroskl. Fairly., HR Howard walk anyone fa winning ,0 going into the final inning, almost -walks en route to its victory.I ly.OS.AAazeroskL.SB-Wills. S-Parker Howard, Griffith..I- Fair. his eighth game against four de- pulled it out. Two runscame Robbins had two hits for losing workshops which have been IP ;N ;IRBeSO feats. He retired 16 consecutive in,' on, three walks and Florida National Bank while held nightly at the Boys' Club Gibbon .f :-ITS 1 l' 1 l' 0 for the past month will be dis- Priddy .'2-3. 3' S ..J"1 1 batters at one."stretch., Soxman and Scarborough dou- Kticof raracn jruittiifliraisi won jsma wo lomn H THE JAMES I. SUM BOTUJW W., CUBWT. IUM rr. Sisk .** C92* ,1" 0 0 Belk-Undsey. Knights of Pythias continued after Thursday night. . fEdMathews' walked in his bled. UCT four in the Face, L.2"3-:::: 1 2 -r 2 3 Jo : abrh abrh got runs , Law............1 1 0 0 0 2 first four appearances, then J. D'la'y 3b-lf 1 1 0 Mathews Ib 300 fifth to take the lead and heldon. Miller .. 23 7 5 2 1 4 Cheatman rf 100 Balles cf 301 R.Miller ....... 2'3.2 1 1 1 0 homered in the ninth inning, ty- Quinn cf 100 Boyd p 301 11V Perranoskt. W. 3-31232 0 0 2 2 B. M'Nel. Ib 3 0 0 Fuller c 300 Cardinals 4-4. The HBP-By Prlddy Roseboro. WP-L. lag the Davis c 300 Hartman 3b 311 Major league games today Miller. R. Miller 2. T-2 Jl. A-',*44. Braves went on to score three Yeomans ss 3 01 Plcore If 200M. M'Nel 2b 100 Kldweil ss 100 will send Boys' Club against Night Game I more runs in the inning. Gene Boothby If.3b 21 0 Guenther 2b 200 Rotary at 5:30: and Elks meets NEW YORK SAN FRANCISCO Botts P-Jb 2 0 1 Mayhew rf 200T. abrhbi abrhbi. i Oliver singled home Denis Du'la'y Ib 21 1 Prmgle ss 200 Kiwanis at 7:30. !' I3b 41 1 1 Kuenn If 1000 Ienke with the deciding run. Butler rf 200 Bryon If 100 V Hunt 2b 4 0 0 0 Snider If 2010 Hinson 2b-p 1 0 0 Tisdale rf 100 > Altman If 3110 Davenp't ph 1 0 0 0 Mathews scored two earlier runs Lee if 000 ChrTpher rf 10 0 0 Lanier 2b 3110 funstill d 20 Aa Kranep'l Ib 4010 Mays cf 4000 on singles by Lee Maye.. Totals 24 3 3 Totals 26 22 1 1 1r Elliot cf 3111 Cepeda Ib 4011 1 The Reds whipped the Cubs Knights of Pythias ............ 000 002-2elkLlndsey I Gender c 3112 Hart 3b 4241 > iqi eix-3 Samuel. 4020 J.Alou rf 4030 behind the hitting of Steve Bor : a Fisher p 1010 Crandall c 4011 Hickman ph 1 0 0 0 Pagan ss 4000 os and Leo Cardenas. Boros Florida National United Com. Tray. Jackson p 1000 Bolin Peterson p ph 3000 1 0 0 0 drove[ home two runs with a Soxman C abrh 4 1 1 Ellis 2b abrh 400 CLEANINGREPAIRING A Totals 324S4 Totals IS 311 3 in the second inning while Bass cf-ss 300 Scar'ough ss 411 9'' y $ triple Ii .......... Green 3b-p 300 Robbins 3b 402 New York 100 100 001-4 Spears lb-3b 300 Goodhart cf 400 San Francisco .......... 010 111 000-3 Cardenas doubled home three Chitty 2b 300 Register p 420 E-None. DP-New York 1. San Fran runs in the third. Dick Bertell BIztotes p-lb 3 21 Rinser rf 1 00 ! Cisco 2. LOB-New York 5. San Fran- Scott rf 110 Andrews If 100 R'pryny homered off Jim O'Toole who . Cisco 7. Martin If 100 Mosley c 21 "We Rod ?B-Crandalt. Lanier Samuel 2. HR- recorded his seventh triumph in Smith ss 200 Atchinson Ib 41 0 r Stephwson (1). Gonder (3). Hart (fJ.Flsher Crosby cf 200 Johnson If 1 00 Them Out" 'g S- Lanier. 11 decisions. Balsamo If 100 Beck rf 1 00B'shop I . IP H R ER BB SO rf 10 Wilson rf 1 00 ;.. Fisher .........4 ( 2 3 1 3 Wheeler If 100 Butcher If 1 10 Motor Block t .y y j- Jackson. W. 4-10 3 3000) Parker If 1 10 Bolin. L. 2.3 _.. f 0 4 4 3 5 Giants Sox Ferrell rf 1 00 FlushedWe T-2:38. A10232. T.tals 1012 Totals U 14 I United Cam. Travel 110 042-1lenda Night Game Take Games :F National 110 001-4Gator Pick-Up & Deliver MILWAUKEE ST. LOUIS abrhblabrhblFloodcf I t.: 51 > 1 Seminole action at the RADIATOR SHOP 1a4 - Mathews 3b 1 3 1 1 Brock If 3120 League Signs Menke ss 3100 Groat IS 4111 4, Boys' Club yesterday saw the White Electric Aaron rf 3010 Boyer 3b 4011May cf S032WhIte Ib 4000Cline Giants edge Dodgers 6-5 and WASHINGTON (AP) The Torre cf c 0000 5110 Warwick Gaqllano rf 2b 4 4020 01 0 I White Sox bump Cubs 12 10. 'Washington Redskins of the National & Battery r Oliver Ib 5231 McCarver c 3110 The Braves Angels game was 1 Football League an- Cartv If 5032 Washburn 1000 Boiling 2b SOOOGIbsonp I p 1000' rescheduled for July 8, at 9:30 J nounced today the signing of Service Sadowskl Schneider p p 1000 1 0 0 0 Skinner ph 1000 a.m. and the Phils Athletes two rookies, end Russ Brown of I q% t a 1 I : eyJ" 1000 1 contest for 3 p.m. Both games the University of Florida, and, 118 N.W. 8th Ave. 1000Totals 34 112 6 Totals 34 411 3 were postponed because of rain. halfback Ozzie Clay of Iowa I FR 2-8581 Milwaukee ......?. 001 ill 044 7 Outstanding players Included ,State University. St. Louis ................ 20111. i oo.-t Rusty Witt and Waylan Willis - E-Brock 2. DP-Milwaukee 1. St. Louis 2. LOB-Milwaukee 10. St. Louis 6. Cubs; Jerry Philman and - 2B-Boyer. Cagilano. May HR- Ricky Yantz White Sox Glenn LIMITED Mathews (I). 58Broclc.Menk... ; y1IMEAirConditioning Brock. Hobbie. Whittington and Fred Hewitt; SPECIAL! 1 IP H R lit" SO Schneider ...... 2135 3 3 0 1 and Ray Cauthen, David Heath- Mrs. Turner needs tune Sadowski............... 2 223 2.4 1 0 1 1 0 3 1Hoeft coat, and Don Sureth, Giants. 1 Unit a -up Tlefenauer W. :3-42 O' 0 0 2 1I Washburn .. 3 3 1 1 3 1 I ! Hobble ... ....22-3. J 1 3 2 (Again ) Gibson. L.. 4-5 .. 314 S 4 3 1 4 t 265 Plus WP-Schneider. Sadowski .2. PB-Mc- Installed Tox Carver. T-2.SJ A-l 1,336. PHILADELPHIA nd Too bad Maybe now Mrs. Turner will switch to AMOCO Gasoline. abrhbi abrftbi -- up Taylor 2b 4000Kask ou 5000 . Callison Herrnsfln rt cf 4 4000Whltecf 0 0 0 Fox 2b 3010 4210A'len 1 ltl3 If she had been a steady user of AMOCO, she could have extendedthe : 3b 4000 Bend H 4111 Covington rf 41 3 Gaines rf 41 3 C Dalrympl c 4 0 3 0 Staub Ib 3101 life of her car's vital and avoided this Sievers Ib 4000 'pro'n'3b. 31 2 4 engine parts tune-up. Rolas u 3011 Grote c ,4001 MahaHey p 0000 Bruc p 4010 Cater Brings McLlsh ph Ph p 1000 1000 1000 : j jcL You see, AMOCO is the only gasoline for your car that is Certified , Total $41 71 Totals 316 tPhiladelphia 6 Heuitoa. ...,..... .... SOl 110 OtO tOt 0 004-1.-4E ./., s Lead-Free. Stop at the sign that says "The Only One" on the -Allen. LOB-Philadelphia i. HoustonHRAspromonte 7.ta-Caines'iB-Oalrymple.2. (I). "TRY AMOCO pump-only at American Oil Dealers. IP H R IRBftSOilahaHey. KINGEDWARD'9 U 7-3 .. 1 3 S' 5 1 1A' Dish ......... 5 4 .1' 0 1 S ' Green ....... 1 , Baldschuo .: 1 1 0 e e 1 Bruce W. M ._ 7 1 1 0 6 Amerce' Lafgotl Selling Cigar 1 : " HBP-By Mahaffey. Fox. ,WP-Mahaf fey. T-2:16. A-11,103. : 1fRfb '" The CUE STICK BILLIARDS Custom units available on most late models-Ford, ;,. AMOCO ; ;1:: r < Valiant ,Chevrolet. Pontiac Oldsmobile, Plymouth ) ' if '905"NitAIN ST. t and others.' J; SUPER-PREMIUM in the-Food Fair Shopping Center I Financing AvailableHawes.Powers Illl"V' , THURSDAY JUNE 2 : OPEN - .. Motor Co. You "from American and HI (AMERICAN ) LEAD'FR '? expect more you gg I for Mothers and Fathers This is a Family Bdtiord ROOT __ #P" < ": ' 1J1 t1i and Boys and Girls of Any Age. : AIR CONDITIONING CENTER ; I I.i :: -" Children hove written permission from parent or Serviced" 0 * must "All Makes and Models 11r e1lleAee'It s . . '.. OlliCOarAAVAILABLE guardiar* and it must be notarized.For pass4TiF AruleAx !' FR 2.2561I AT North test Americen Service. IPSO N.E. Wal40 RJ, 372.5570' "M i 204 N. Main St. . eonvelvesite.. there Is Free Notary Service ; t'&. ; T.f", t# *, O yers Ai .rtes Service. 222$ N.W. 6tfc Pfione 372-2225 '.t ot. the- CUE STICK BILLIARDS i I } # : ** Dick Americca Service. 504 S.W. 4rlt Ara.. J72'-93&0 I Leu*'. AmerkM Service 730 W. UB/V. Ay... 376-7529 ( I .. 1 t o r. . Gainesville Sun Tuesday, June 30, 1964 . f t r Paul Goldsmith SPORTSMAN Watch Out for the Hammers! I r DIGEST a/sk I ...._,_ p . Choice To WinFirecracker PLAY FISH W.'IMa TO SUIT By BOB GREEN patently thought so, too, doubt- was half through that it.was Some time later,the photos were prompting a series of highly interesting NEW BRUNSWICK N.J. AP of. 16- colorful ( ) lessly visiomng a series measuring 10 feet short. consulted. > and THE: REEL "Ladies and gentlemen," the pound weights crashing into, finance And then there..were the trial I The results in two of theheatswere l comments ffora the press sec I public address system announced -' company's property. I beats.in the 100-meter,dash and juggled around a. bit,I II ..tion. 400DAYTONA "two automobiles are I '!announcement was the re- the 110-meter hurdles. They Iwere I I I .w. . ALWAYS parked ,in the middle- of the sult of just one of a ,series of using a new photo tuner T a take4&f CRANK hammer throw area. 'I problems that beset officials at setup. ' BEACH Paul votes on the outcome of the ACTION SINGLE- "They'should be removed before the National AAU Track and So the heats were run and the'I Goldsmith, quiet spoken Indi- Firecracker and Goldsmith and PEELS Tai the start of competition." Field Championships last Satur- judges made their picks and the, ana veteran who holds the his Plymouth received 16 of GAIN LINE Which sounded like pretty day and Sunday, problems results announced. Reporters'' track's qualifying mark of them. Estimates of Goldsmith's WHEtf PLAYING !caused either directly or indirectly I A FISH/ good advice.. Their owners ap- busily pounded out the word.jEver I 174910. mph, is the Pure 011 winning speed ranged from by the advance of mech- racing panel of experts choiceto 166.550 mph, which would anization. whip a big fast field in the break the existing mark by Fraser WillS Super-Duper > ;,.. , sixth running of the "Firecracker nearly 16 miles per hour, to For example, there was some a Y Yrk JUST TWICE-A YEAR 400" at Daytona International 148.992. SOME ANGLERS n Florida sort of super-duper measuring CLEARANCESHOE' Speedway on July 4. Goldsmith winner of the last STRIP UNE 1N OpenLEHIGH device ,used for the javelin The nationwide panel cast 54 Daytona beach 'road race in BY HAND WHEN PLAYING A FISH. IT'S A SAFE ACRES (AP-Ama- throw. An announcement was 1958 and a former national mo- PRACTICE E USING AN AUTO- teur Howell Fraser of Lynn made that this is the device torcycle champion,' edged out MATIC REEL THAT TRIGGERS-IN GHS 3 2 another Plymouth driver, Rich- EXCESS UNE. BU; IF REEL, IS Haven outplayed professionalsand used in international competi! I Iw ard Petty, by two votes, despite A SINGLE-ACTION TYPE, PLAYA amateurs alike Monday in tion, the Olympics and such like II I Petty's world record smashingwin FISH FROM THE REEL PONT winning the Florida Open Golf and that it's extra fast and terribly -I STRIP LINE By HAND. OTHERWISE Tournament three strokes. and the latest - accurate by quite here in the Take Wins Daytona 500 in WHEN YOU HAVE WORKEDA SALE ! February. FISH CLOSE, SLACK MAY BE Fraser carded a final round thing. i TANGLED, CAUSE TROUBLE .If* score of 71 for a 72-hole total of Only they had set it a little bit Third Place 0 FISH BREAKS FOR FREEDOM. happento In SeniorGHS Fred Lorenzen and his No. 28 280 on the 6,615-yard, par 36-36 wrong to start with and didn't Shoes Ford took third place with seven 72 Lehigh Acres course. discover until the competition I you? 7.99 QualiCraft No. 3, GHS No. 2 and. votes, followed by two other ... I I Santa Fe scored Senior Gaines-League Ford drivers, Junior Johnson Spurs RompIn : wY'' '?:':":ii rib&irK: ;H1ii ''::':::':' ::"::.:;:::;;!: ;::;: : :a3k::: J't!!!' ;::::;:::: l f? I If you from bought your insur- I 3.974.97Pumps .basketball victories at and A. J. Foyt,who got five and ::::It':' ville High School gym last night. four votes, respectively. The ; ..; .:,.*.;' .. ...>. .;:ii. ...., .. .. .!! ...... ,.. '. ..;;./ ;... I !l!!. pony agent, you were left : : GHS No. ::: : : :i: : :::>: :: all alone. If GHS No. 3 won from small number of votes received SoftballHIGH : .t : : : ::.:.:.. :.: :::} <.:. <.;;;;/..... ., .. you boughtit ' 1 by a 41-34 margin.Wayne Rick by Foyt, double Indy 500 : 1' ( ;drink: :> ",' I = .. i>: ;: through an independent breezy cutouts, slings, heels tiny to taU, '/ I : ; :; insurance end rainbow of colors from stock. ' had 13 points and Carl Johnson winner and USA C driving: SPRINGS Spurs .. ..... : : : agent you white a regular :: I had friend 12 for the winners. Tommy the \ a nearby you champ was surprise of the to 23-0 . romped a High Springs nwa4x:sG.aw7aAiNW V.W.M'.y ++.rwb Yi could call Parker had 20 for the losers. Panel voting. on. 3.99 and 4.99 Casuals League softball win over Fort GHS No. 2 topped Newberry Forty cars are scheduled to 65-22 Bill Boaz hit 25 points White last night, scoring in every Kirkpatrickmonson as start the Firecracker at 10 jn. .inning. OLD 1.99 2.99Skimmers and Mike 13. James & Sneeringer on Saturday. The big race will Tom Diedeman and Robert OLD & Harmon had eight for Newber have curtain a raiser on Fri HICKORY Davis each had four hits for the when ,open looks,gay strap-ups' ,many colors. day, two 50-mile qualifying - ry.Santa victors. McNeil had three, in- Fe downed Hawthorne races will be and run, by 74-29 as Andy Strickland got 17 time trials on Thursday, which cluding Billy Gibson a home pitched run. the shutout RICIDK f INSURANCE Jnc. Choice group 7.99 dress shoes,5.97 points. Pat Baker made eight will determine the two pole positions limiting the losers to four 31 N. Main 372-8438 Gay 5.99 little heels, stacks, 3.97 for Hawthorne. for the Firecracker. scattered hits.Tonight's i Handbags reduced,just 991 to 4.97 Tonight's will end More than America's Most games 40,000 fans are ex- will send Magnificent Bourbons plus tit Yonge Howard at Bishop 7, Buchholz against P.meets K. pected battle over to watch the 2.5-mile the 160 Speed- lap Canon Telephone against Co.games North.and Southeast Florida |i;;;.s.:.;.;.;.::.::,. t; : ?w"'l:: r-Q' r ::": ,,<-v" ":'::::1:">::;:: ;: "71"'i.:' r1r""j": :' HURRY IN FOR CHOICE OF SIZE! 4 Westwood League games at 8:15 and in P.Sophomore K. YongeNo. way posted for the awards.Duncan more. than $61,000in Transformers play Rebels. f r i;.:.:".:.:...:::.::.::;.:. ::;...':...',.:.....:....,.. ....,;..years. ::; .:it Kg7i:; :t.r: ::::\:: :.:...:. .:;:: ...".::.k YOU ,AGEAiurns rdrprrdrrrluyrcra 5 plays P. K. Yonge No. 6 Spurs 812 ,48-23 23 ..:.':.:..:.:::.'N..:.:....:':."...'...............:.:...:..:... 10.. .,..year'' .':mellow! .v..: '.:..:.:.v': :..........................:.] Gainesville Shopping Center Open 'Til 9 p.m. in the Senior loop at 9:30. Beats Ft.Gibson White and Diedeman 000 ;000 Turner 4 E; :':::.;::: ;;:..::.....:. ::.:.:::;; :..;... .,... .:,....::.,:... .: :. ...::...:..:.:ZL..w.:: -<:Cb: YY 5l:i: : Tea nut. and. Dubose. 10 mis oio STRAIGHT mm WHISKY-85 PROOF OlD HICKORY DISTIUERS co.FUIU. ,j --- --- CIte Stick Barbers, 10-2 I I . Duncan Brothers beat Plum- BilliardsOpening SetCue ball mer's Temple LO-1 games in Barbers Community won at from Lincoln 10-2 Live League and Field Modern Bartley soft-last FIVE BEAUTIFUL BUYS AND ONE GREAT PLACE TO BUY Stick Billiards, a family- night.J. Young led Duncan Brothers -I (NOWat your Chevrolet dealers ) type recreation center, accord- with three hits includingtwo ing to proprietor Bob Sullivan, home runs. Sinatra Williams - will open at 905 N. Main St. on had two hits for the los. -.-. .- - Thursday. -- - Sullivan said there will be a ers.Almond had a pair of hits for .7 u..= . ladies lounge for women inter- Bartley Temple while losing , ested in playing.billiards. live Modern got only two safeties moo There also will be a member- off winning pitcher Robert ship card system for you n g- sters. They may pick up cards, have them signed by their par- 1 T ents. Cards also must be nota- "' I rized and Sullivan, a notary pub- Taylor.NEW r: ,, lic said he will perform this S I I 7 , I 1 t f4p / 7 service without charge. Sullivan said he is hopefulthat . the national trend toward fromMoroMSWE 1;;, 7 ---S .- j' : : family-style billiards will be re- S - ceived well in Gainesville. y : : ,; ' Cue Stick Billiards operating! > " hours will be from 10 a.m. to 26 Sports Rider midnight The location is in the i Food Fair shopping center, ad- jacent to Cookie's Restaurant. __ - ,4y ZmistowskiTakes 'Y'' I _ I li - LeadEUSTIS I q T - (AU) Tony Zmis- only -1P tcwski of West Palm Beach took a one-stroke lead into to- 36995The : day's final round of the 35-hole TatO1 ultimate lawn 1 State! Jaycee Golf Tournament. mowing luxury. Cuts full 26* ,1 a Zmistowski, playing in the 15 k. J. 7 - to 17 age group carded par 72 swath..powered by a Monday.Bill full 4 or 5 HP engine. Harris of Fort Lauderdale - Fred Curry of Orlando and Kemp Gholson of Chattahoochee fo'kmed with 73s. i I In the 13 to 15 group, Terry Catlett of Jacksonville led with 72, followed by Mike Estridge of Automotive-type drive train. Mulberry and Doug Hall of No belts no chains. 3 speeds Sarasota at 75. forward one reverse. t ti Eddie Pearce of Tampa shota BUDGET TERMS! . i 79 to head the 9 to 12 age group. Beau Baugh of Cocoa JIM shot 84 and Chares! Major o' .1. VOYLESAPPLIANCES ....... _ Coral Gables had 89. 1I & TV : ( j :--. -; : : 419 Phone N.W.372-5303 StH Are. : In the last four years the Pittsburgh Pirates Cincinnatiand Open Friday -.n 9 P.M. ti Los Angeles Dodgers hate "-- ; won National League Pennants. J Model* gown abate top l THINK OOODYEARS COST MORE Been waiting till now to buy that new Chevrolet? You've struck Any one of these can be Just what yon want, too. Sleek Superit TRY THIS BIG BUYI rich! Want to know why Sport models dressed up with soft vinyl interiors, stick shifts, Famous Nylon'AllWeather Because right now it's "Trade 'N' Travel Time" at your Chevrolet CHEVROLET great choice of-power plants and other optional extra-cost cqt p. M2' dealer's. The greatest time of.the year to get.the most travel ment right on-up to air conditioning.Roomy wagons for camping, : i with TUFSYN fun from a new,car-and to make a truly fine deal on;your old one! World's Fair travel or what have you. Plus as solid a choico of tr 3-T Nylon cord gives this tiremater And those five beautiful buys?1-The luxurious Jet-smooth: I TRADE ,"' TR''ELsunloving' convertibles and sporty coupes as you'll ever get to see, strength than other econo-. Chevrolet. 2-Chevrolet's latest, the youthfully styled, highly II )) And here's the greatest thing about Trade 'N' Travel Time- my-line tires. And Tufsyn M th.toughest rubber Goodyear baa ever accepted Chevelle. 3-Chevy n for families who appreciate econ- >\ it ME. whichever these five 8'reathihwaYperformersfrom Chevrolet used utr' omy along with g-- you pick,you've got yourself a great way to go.And the lint wsy 47toU Black Wad I I t NOW 795 "Tvb Type rTic .w. with its oad-hugging traction and easy handling. 5-You can go *" to go is right to your Chevrolet dealer's and that's tight VM0- \ end Racal JUST Ible T1re all out (that's for sure!) with the sensational Corvette Sting Ray. FOR THE CHEAT HIGHWAY PERFORMERS during Trade .N' Travel Time wuiterraUs sell it.OO-. s ei'IbatiitilatT !NSTANT CREDIT To Holders of Not Credit Cords CHECK THE TNT DEALS ON CHEVROLETCHEVELLE- CHEVY II- CORVAIR AND CORVETTE NOW AT YOUR CHEVROLET'DIALERS. .,;r- Tw[ , i -: Irtronrc.o/taa ra ._ " N 81MT GAS WELL >':' : .' ,: UNIVERSITY CHEVROLET CO. r >: ,; S' - Ilk :: 1515 N. MAIN ST. GAINESVILLE. PHONE> 376-7581 114 N.W. 13th St., Phone 372-1489. I 'r For Correct Time Dial FR 2-1411 ... .. . ' I S4* .I4.- - j Tuesday, June 30, T9S4 Gainesville Sun -. ', '.;'..-... r -MARKET Two -DiversIn Gilchrist Election Probe ] BUSINESS ! IlEPOI.T.L' .?te# Daring 1 j. W f REVIEW' '/.,Fp ({::' c !'U1-11)11 r2' ; Results in 'No Findings'I Experime ,. ..., c __ _ "' "v'" J - Commission. . Yt '. MIAMI (AP) A special TRENTON-A Gilchrist County grand jury had The petitioners for the gra t Late MorningN. chamber was made ready to !"nothing to report" yesterday after completing its investigation jury investigation said the i ii PriceStability (e) New York Time* of possible violation of the state election NEW YORK TIMES MARKET AVERAGES, JUNE 29 carry two daring divers 400 feet formation on the election panj: Y. ListingAllis to the Atlantic Ocean's floor to- code in the May 5 Democratic primary in Gilchrist. phlet "is false and the cand High Low Close Net Chg. day for a 48-hour experiment in The 18-member jury had sat dates mentioned thereon wer 25 Roils.. 147.63 146.05 146.77 Up .04 dial 54 Greyhnd 56 living and working under tremendous -for about eight hours,yesterdayin mission and School Board distrIcts -not involved in the problem 25 Industrials 834.29 825.18 829.43 Off .20 Alcoa 72tt Gulf Oil 55% water pressure.Jon the County! Commission meet- was accomplished last (redistricting and consolidation 50' Stocks 490.96 485.51 488.10 Off .08 AmAir 44% Int Pap 31%I ing room and had heard testi- year in Gilchrist County. .mentioned therein." AmBdPar 41% Jones&L 79 iAmCan Lindbergh, son of famed mony from 26 witnesses. Jury 47 Kais Al 3% aviator Charles A. Lindbergh, foreman Joe B. Wilson Jr., aft- Consolidation of the high The petition further stated STOCK and Robert Stenuit didn't haveto schools in Trenton and Bell that the candidates listed the AmMot 14% Ken'cott 82% had been in FLASHESNEW I er the last witness TippingBy has been an issue between the MARKET AT&T 73% Lig & My 75% ; leave the research ship Sea heard, told Circuit Court JudgeJ. pamphlet did not give any per- people of these two towns fora Diver to see that their temporary - AmTob 31% Loch'd 35 C. Adkins Jr. that the jury! son or party permission to SAM DAWSON Armour 51% Lorillard 43% home on the bottom of the number of years. use their names and "the pub AP The Tobacco issues after had "nothing to report. YORK ( ) having I ocean was ready for occupancy. Signers of the petition ask and circulation of said lishing NEW YORK (AP) Stability ACL 72% Mag'vox 31% stock market retreated slightly been mixed in early trading, Thus, the grand jury apparently - of wholesale I Babcock 31% MM&M 58% They could see some of their ing for the grand jury inves- statement worked a fraud prices a rare from its record high level early turned downward in the wakeof had found no violation of: upon thing during business expan- this afternoon. a report that the smoking Beth Stl 37% Mahasco 13% prospective "neighbors, too. the election code. I tigation were Eudell Watson the candidates named." sions has been a mark of the I public was reducing consumption Boeing' 53 Mons'to 79 A television camera was em- Hand, T. E. Lindsey, EdgarB. The signers of the petition current upswing. But new pres Trading was moderate as of cigarettes. Borden 72% Mont Wd 37% placed in the submersible, port- The grand jury probe h ad Mills Jr., Marvin Sanders requesting the grand jury investigation . sures may be building up to tip prices wavered narrowly. I Brunswk 9% Nat Dist 26% able, inflatable dwelling, called been requested by six Gilchrist and T. M. Walker. said they were not the balance. Interest continued high in I' Polaroid advanced 2 points Celanese 65Vi N.Am Av 48% the SPID which was lowered on County citizens who filed a petition Rowell lost his bid for re-elec- seeking to have the election American Telephone's new split and was one of the few issuesin Chrysler 48% Penney 54% a cable without mishap Monday. with the Circuit Court. tion in the May 5 primary to set aside, but that they believed - Already there have been con- stock. It opened unchanged on the list to post a gain of bet- CocaCola 132 Pep Cola 59% Mrs. Edwin Link, wife of the The petitioners cited an election -Harold Slaughter. Lindsey was that a fair'anct impartial investigation I, siderable fluctuations in some a block of 20,000 shares and ter than a point. Com Ed 49% RCA 32% leader of the expedition to a pamphlet which was distributed -an unsuccessful candidate for would be to the best f commodities. Some prices have then lost hah a point. RCA and Raytheon added' CoR Edis 89% Rep Stl 44% deep in Bahamas waters, reported in Gilchrist County on tax assessor, losing in incum- interest of the people of Gil \ risen for industrial particularly Brokers were hoping AT&T about half a point while Zenith Cont Can 51% Revlon 35% pictures were coming in the morning of the May 5 pri bent A. M. Quincey; and Hand christ County. . materials because demand has l would reach a new high. They was down In the same range. Dow Che 71% Rey Tob 42% fine on the ship from the TV mary. The pamphlet named Sheriff Clyde Williams. State Attorney T. E. Dunr caught up with supply. Others said this would give the mar- duPont 251% Seaboard 48% U.S. Rubber gained almost a camera. six condidates for county The candidates who were can and his assistant, Mack have been raised as a result of ket a psychological boost. point and advances of about EAL 32% Sears 115% office who supposedly had the listed on the questionable pam- Futch, directed the grand jury recent wage contracts. And General Motors, which began Firestone 41% Sinclair 45% "We casn see fish swismming in half a point were registered by endorsement of a so called phlet as having the endorsement proceedings yesterday.At . more such negotiations are in with and out of the SPID's labor contract negotiations Phelps Dodge, Homestake, Air Fla Pw 46% Socony 81% open "League for Better Govern of the League for Better the conclusion of the investigation - the offing. the gaining about half a point. Fla P&L 71% Southn C 61% door, Mrs. Link said in a radiotelephone " Reduction and American Can. ment. Government were Watson, Ro Judge Adkins t But so far, weakness in other U.S. Steel picked around Ford 52% R 14% conversation with the has the up Xerox was another gainer of Sperry i After listing the six "endors well, Hand, Eli Read, who was thanked the jury members and commodities kept over- Associated Press in Miami. otherwise She half in a point an Frmst Da 11% StBrand 78% all price index almost level. about a point while Control ed" candidates, the pamphlet re-elected school superintendent -reminded them that they weak group. Frept Sul 35% StO NJ 86% reported the divers appeared Data was off a point. concluded "We forced redis- Mrs. Carter would constitute a grand jury I : ; Evelyn an The cost of living or con The Associated Press 60-stock Frueh Tr 31% Texaco 79% "enthusiastic. They'll probablybe sumer price index -hasn't beenso average at noon had dropped I Du Pont dipped a minor frac-. Gen Dyn 27 U Carbid 126% relieved when they get tricting. Now we can force unsuccessful school board can. until relieved at the next regu- has held consolidation with your help." didate; and Lank Akins, who lIar session of Circuit Courtin accommodating. It . industrials off .3 to 311.4 with Gen El 79% Un Fruit 23'/4 oing.; to a fairly steady if slow up- .3:, rails off .1 and utilities off !tion.Prices advanced in moderate Gen Fds 87% US Steel 58 Redistricting of County Com- was re-elected to the County' Gilchrist County. ward course, due mainly to ad- trading on the American Stock' Gen Mills 40% Univ Mat 12 Lindbergh and,Stenuit planned vancing charges for services. .5.The Dow Jones average of 30 Exchange. Gen Mtrs 87% WestgEl 30% to follow the example of the Since the present business up- industrials at noon was off 0.98 Corporate and government Goodrich 50% Winn Dix 37 curious fish once they reached Mussel HuntersHit 'Airborne'Vaccine started in 1961 the their room in the ocean depths. swing early :to 829.6. bonds were steady. Goodyr 43 Woolwth 28%I Bureau of Labor Statistics I II I They were equipped with cam- Is wholesale price index basedon eras and lighting gear and plan- ned to swim in and out of the the 1957-59 as 100 average DescribedDENVER Hard TimesOther has moved between 99.5 and YOUR MONEY'S WORTH SPID making photographs to 101.2. It now is right in between, test their equipment 'and per-I just slightly above 100. The con- haps snap pictures of creatures, Colo. (AP-Whcle) ! sumer price index in April was seldom if ever seen by man be- STEVENSON, Ala. (AP-Lee white shell has been used in recent populations can be immunized 107.8, from the same base. Training Teenage Dropouts Garner, whose Tennessee River years by Japanese grow- against disease without the use Individual commodity price fore.The mussel shells have buttoned ers as seed or nucleus for the of needles or pills, a Denver two divers rehearsed' dress shirts and cultured pearls produced by changes have been marked during spawned pearl scientist reports, but human Monday in a 200-foot drill dive. necklaces for two decades their captive oysters.For . the last three how- was fears prevent use of the new ever. years, By Sylvia Porter ,. *, fIt / Mrs.ful. Link said it was uneven clad in overalls and on his some reason, shells from i technique. knees. Changes ranged from gains of ora'there /' the many other varieties of I 4.4 per cent for lumber and I 'took us. about an hour far outrun the rise in the cost are the other "absolute Today their trip to the depthsoff Instead of one of his 40 out mussels in the Tennessee, or 'We have become" accustomed ' wood products and 4.3 per cent more' than it should have to..of living. essentials" for clothing, education Great Stirrup Cay for the board engines, Stevenson's mus- from pig toes found in other to being injected, lamented. Dr. , for tobacco and beverages to decreases -rive from New- York to Boston entertainment, personal National Geographic Societywas ; sel man was fixing a power rivers, seem to lack the quali-] Gardner Middlebrook, directorof But the great, offsetting factor research at National Jewish of 3.6 per cent for chemicals a couple of weekends ago and medical care, etc., etc.I expected to take about 20 lawn mower-and his position is ties needed to promote first-rate ! and almost two hours families the nation oyer is symbolic. pearls. And because mussels Hospital in Denver.He . and 4.8 per cent for fuels more don't need to interview the minutes. than it should have to drive that the unprecedented number young marrieds of the early Digging for mussels in the look alike to the uninitiated, it said that immunization and mass - More power.recent price increases back. The reason wasn't traf- of f war babies born in the late post-war era who happily created Two physicians manned controls Tennessee, once a million dollar takes an experienced eye like through airborne vaccinesis have been listed for various met fic. 1940s are now crowding into families of three, four and which wer* able to boost yearly industry providing jobs Garner's to separate the good possible as a means of preventing als. Coal prices have risen at the big-eating teen years. more to know how brutal their the pressure in the "down car" for 1,000 fishermen, also is on from the bad: tuberculosis, polio and mines after the latest The reason was simply that There are 16 million in' the cost-of-living squeeze has be gradually to match that on the its knees. In the past 10 years, When he began musseling 21 measles.A . many. Cris,. our young teenager; and big-eating 15 to 19-year age come. ocean floor even before the vehicle musseling slumped before the he his shells increase.In years ago, shipped wage most previous periobs of Elizabeth, her. teenage friend group this year, up nearly 3 than her 55-year-old mother, 30 left the Sea Diver's deck! plastics industry, rose again mostly to Muscatine Iowa. pioneer In the research of from Miami, were with us. and million from 1960. There are and descended on a cable paid with postwar Japan-and now is immunizing by inhaling vac business expansion price changes per cent more to feed a teenage There, tons of shells were their piteous cries, ,"We'retarving1' 3.5 million 16-year-olds, up almost' out from a power winch.Lindbergh's. threatened with the disappearance turned into buttons. cines, Middlebrook developed an have been much quicker and boy than his middle-age pearl erupted with iercing - I . one million from 1960. of the oyster-like mussel airborne infection us This particularly father.As .and S ten I t's 1955 had appara larger. was ; reg Iarity.tRather" endure u By plastics popped Between: ,this, summer and itself. several The deviceis years ago. marked in theJ955-S7 boom. a mutinous andstarv- early as 10 costs of scheduled procedure was to pearl buttons from the market, the summer of 1965 more 18th age "Something is getting into the being used to test this tech Since then, however, capacityto ing" back-seat crew, we chosea feeding the leave the vehicle when it reached as nearly all button manufac- a youngster birthdays will be celebratedthan pass river and killing all the mussels nique on animals at several re produce has become so large bottom, then swim to the in- turers in Muscatine convertedto prolonged drive. in any 12-month period in costs of feeding an adult, and from Chattanooga to Savannah, search centers. that it acted as a damper on flated chamber and set man made materials. But Both Cris and Elizabeth are the widens dramatically up shop. - our nation's history. The number gap Term., says Garner, at 39 a wholesale price fluctuations. charmingly slender and both reaching 18 will be 3,728- during the teen years.At Mrs. Link said a single day's grandfather who has been mus- the shell game bounced' back Since 1951 U.S. scientists have This was true during the last have clear, healthy complex- stay on the bottom would be with the appearance of a new made great strides in develop. XX), about one million more the same time the expense seling since he was 18. "Thingsgot previous expansion period, 1958- ons. Both nevertheless are 'han reached that milestone in of feeding teenagers has enough to accomplish all the ex so bad about a year ago market in the Orient. ing the technique which they 60, although industrial wholesale close to non-stop eaters. Both periment's test objectives. The Japanese found that bits call aerogenic immunization. the same 1963-64 period.It soared far beyond the average that I bought myself a little prices did rise 3 per cent in that also have distinct, specific and, of Tennessee pig-toe shell, hand- costs nearly twice as climb in food prices. This reflects -I "But they plan to remain an- hardware store in town. I The basis of such inoculation This was offset by a rolled into balls and inserted period. ' particularly in the meat area, tiny much to feed a 16-year-old girlas the massive other That Garnerwas advertising day, she said. "That will explains why the of depends of 15 cent in the index into shells formed on use attenuated - drop food per expensive tastes. oyster a it does to feed a 3-year-olc aimed at the teen rr.r rket, the demonstrate that divers with fixing the lawn mower, instead organisms living for farm products.In Both therefore perfect nucleus. The germs symbolizethe pearl result - and much more than twice as resulting development of spe- this equipment could stay on of one of the engines pow- which are weakened but which current the has been expansion, direct still soaring cost-of-living much to feed a 16yearoc! cial and often expensive teen the bottom for several ering his fleet of flat-bottomed virtually a days, infectious. The highly abundant capacity to produce millions of families link between the Tennessee are organisms I squeeze on boy. It costs fully 25 cent food fads and per tastes. It also :whatever is required for com river boats. And the Tennessee also has acted as a brake on who are trying to live on com River and Japan's Inland Sea. are sprayed into a more to feed a teenage girl surely reflects our national pleting Valley Authority is spending : some specific job. chamber in controlled commodity prices. This surplusof paratively tight budgets. Both. Mussel shell prices rose as highas closely ' There, of course only concentration I are on proper $80,000 to try to explain why amounts.A . facilities has kept competitionkeen shrill complaints $180 a ton. explain why "moderate cost" food plans healthy diets for youngsters.Here's things got so bad. As yet, TVA in many commodity mark- persist about climbing foot d averaged for the entire coun- a new table, basedon No Clues has not embraced Garner'stheory "In good years, I've shippedup single sniff by a human, costs even though food prices try.: If Cris and Elizabetn were data of the U.S. Dept. of that pollution is killingthe to "400 tons of shells to Middlebrook says, and he's un. ets.Holley have been impressively stable -surveyed for one week, they Agriculture, showing a "mod shell fish.Whatever Japan, said Garner. He exports mune. Reports in recent years and we alone could knock these averages j erate cost" plan for one In Death Of the trouble, the pig- the shells in 25-ton lots, in of record I but "this I doubt if we've The Denver scientist said are living an era into a national garbagecan. week's food at home today as toe mussel which grows on the year TALLAHASSEE (AP) Rep. incomes record shipped than 50 immunizations the air- prosperity.The more tons. mass by Then of food on top I Charles Holley, Republican can-' cost, of food has risen UF GradJACKSONVILLE borne technique could be used didate for governor, reported to I only about 5 per cent in the Age 1954 1964 % Rise to Savannah is the keyto One reason is the price, which theoretically to fight any Infectious - Garner's fortunes and that of the secretary of state Mondayhe past five years. The govern Under 1 yr. $2.50 $3.90 561> currently is quoted at $47 a ton, disease.A . has spent $20,570 on his campaign .. ment's food price index is onlyat 1 3 yrs. 3.40 4.80 41% they lack clues in-the Policesay shooting the part.industry Its hard of, nearly which,flawless he is a, the Japanese result of warehouses.a backlog of shellsin big problem now is development . out of contributions totaling 105.7 against a base of 100 4-6yrs. 4.15 5.90 42% death of a former Univer- of the highly infectivebut $27,570. back in 1957-59. There's sim- 7-9 yrs. 4.95 7.00 41% sity of Florida student, whose non-disease producing vac Claude R. Kirk Jr. of Jacksonville ply no disputing the evidence 10 12 yrs. 5.85 8.40 44% body was found cines. on a lonely Seven Floridians Get Republican candidate fora that, even after adjustments Boys 13 15 7.15 9.90 38% stretch of Seminole Beach early Once these are produced,.then U. S. Senate seat, said he has for price increases and taxes, Boys 16 19 8.00 11.50 44% yesterday morning. biologists will have to collaborate . spent $14,596 of $15,393 total con'the rise in the average Girls 13 15 6.45 8.90 3Z% Hero Medalsthe with engineers-particular tributions. family's spending money has Girls 16 19 6.10 8.90 46% Glen L. Monroe, 25, receivedhis Carnegie ly those experienced in ventilation - masters degree in Englishlast -to determine proper doses week from the Universityof PITTSBURGH, Pa. (AP) recipients of awards for given amounts of air under Students Like Fruit Prices : Florida. He is the son of a The Carnegie Hero Fund awarded Monday were Clayton Spainhow- all conditions. New Foreign I Jacksonville banker. medals to seven Floridians, er, 13, of Fort Myers and four I J1 May Decline I He had been shot at least two of whom died in lifesaving Titusville brothers: Roger An- ; twice. Police said Monroe's wallet attempts. Six of the medal win- der, Delma and William Hop- People In Visiting in U. S. Homes WASHINGTON (AP) The and automobile were miss ners were schoolboys. kins. Agriculture Department predicted ing. Spainhower swam 50 feet to L- today that grower prices for Gerald L. Thuermer, 17, of save Herbert Briggs, 9, from The NewsBy Krm ftorfe ettttra non-American." sociology at the Indian I some fruits .this year probablywill Officers said they think Mon West Hollywood died in rescuing drowning in Lake Rhonda. He i j' e not match the unusually roe was shot somewhere else, Lawrence Saachi, 17, from received a bronze medal and da Salva who a ' Miss of School Public By WILL LJSSNER spent Administration TIlE ASSOCIATED PRESS two years in postgraduatestudy said that on his first higher prices of last year. shortly before the body was; a pit after Sarachi had sunk into $500 cash award. NEW YORK The With the of found, and dumped in a lonely deep muck. A bronze medal was The Hopkins brothers 9 aver at the University of Wis- visit to America he thought exception peachesand aged HYANNIS PORT, Mass. (AP age American is no "ugly American life strawberries, fruit crops are dune.area. awarded to his father, Garth to 18, prevented the dynamitingof consin, said "it was difficultto was "super- -Former Ambassador JosephP. American" to foreign students expected to be larger this year, Thuermer. a train near Mims. ficial. He of the bachelor was a Kennedy, 75, father some 75,000 strong identify any of the Americans then. than last. ; Free ClassesIn John A..Stephen Sr., 27, died While walking along the Florida late recuperating president, was -who are in the United as the callous, brash while struggling to save Andrew East Coast Railway tracks, today from minor oral surgery. States on educational assign- and swaggering characters On his second visit, whenhe Picket Spanish Emmanuel, 24, who had gone Ander stumbled over' wire con-I Doctors said he was In good ment. Those Americans'whom portrayed on the screen." took his Ph. D. at Cornell Negroes down while trying to swim nected to a battery. Working condition. the visiting students get to She left America a jazz lover, he was married and thus ableto State Capitol Slated HereAdults across a canaL Emmanuel J swiftly, the brothers dug up and know intimately they come to associate more closely with struggled with Stephen. a Mi- removed 45 sticks of dymamite After the 45-mInute operationfor Jove and respect.A greatly impressed by "the American families. He found TALLAHASSEE (AP)-Three interested in studying: amian, and both drowned. Steph- moments before a train passedthe a jaw infection Monday at way the American has been them sincere, kind and hospitable Negroes representing the Con- Spanish may register Wednes- en's widow was awarded a med spot at 60 miles an hour. Cape Cod Hospital, Kennedy returned survey of the student influenced by his history and day for free classes.Registration . of Racial Equality picketed al and $80 a month death bene- The brothers received medals home. - exchange programs in which how proud he is of it." And gress and organizationof fits. and $1,000. the U. S. plays a leading role, also by the inclination .of the Former students from India the state capitol Monday. the classes will be at J. HU- PARIS (AP)-Israel's Prime carried on by correspondentsof American woman "to domi- said they had gone to America Signs carried by pickets said: lis Miller Health Center from 7 Minister, Levi Eshkol says he the New York Times in nate her'husband," a charac- prepared to confront a "Violence unprevented in St. Au- to 9 p.m. Wednesday, in Room I Fund Nets $12,079,1 I is satisfied with his talks Cancer very indicates deal of racial discrimination gustine ,may come to Ta'lahas- various parts of the world, teristic she has no intention of good M423. Classes are free and reg-. with President Charles de that the best propa- emulating. North as well as see tomorrow. "Has St. Augus- istration is $1.IndivLiduals I South. said tine sold out to Mississippi?" Still Short Of $15,000 Goal Gaulle of France. ganda for the U. S. is expo- They they managed may register either - sure of foreigners to the ordi- Shapes NigeriaIn to avoid humiliating experiences and "Freedom Now 64. as beginners or as students The two met for an hour nary American family. Nigeria where the president and could see that that wish to review and brushup. Contributions in the American *cancer control program at Monday. Eshkol said they discussed - Miss Enid da Silva, feature Dr. Nnamdi Azikiwe, Americans themselves were Holiday Road No tests and no college Cancer Society's annual the Alachua General Hospital, the world situation and writer of the Kenya- Information is an alumnus of Line I n, ashamed of it and were constantly credit will be given. fund crusade in Alachua County -and educational and service especially the Middle East.WASHINGTONJ'P . Pennsylvania and Columbia Toll Estimated Ministry, preparutfarticles fighting it with somemusu.re Spanish speaking visitors have reached $12,079.9 programs of the Society's Ala . 'for nationaJ1Ma(oVerseas .i\J vers1ties,' American ideascithhich of success. TALLAHASSEE (AP) Sixteen and University of Florida fac- Drive Chairman W. S. (Tiny) chua County Unit, ) Mrs. 1oif'Kenya : Nigerians came ulty members regularly entertain Talbot said that the county's3oal The Society's volunteer boardof Mary Ingraham Bunting was and d I - . e papers, in contact during their student will be killed on first persons woman had the directors recommendedthat sworn in as I said In Nairobi: the classes with illustrated is $15,000.Talbot "I Today most, pleasantly dayshere are exercisingan Anchorage, the Alaskan city Florida roads during the Jul talks in Spanish on the history, pointed out that the state-wide a minimum of member of the Atomic( Energy was astonished to find Americans important role in shapingNigeria's damaged by the recent earthquake 4 weekend, the Florida Higbwaj culture and customs of Spanish- American Cancer Society will $l,l50OOO for the year would be Commission Monday. She has could be warm hearted, sin education.In .system of higher began' its existence as a Patrol predicts. speaking countries.The spend about $ O,1m; ) in Alachua needed. been president of RadclIffe College - cere in friendships ,with foreign tent town during construction of Fifteen persons died durinl classes are sponsored by County this year, including research Contributions can be made to Cabridge, Mass., since students like myself, and New Delhi Dr. Alfred P. the Alaska Railroad between the same holiday period las the Alachua County Adult Education grants and scholarshipsat I the Society's Information Center 1960 and has specialized In microbiology genuinely! interested in things Barnabas, teacher of rural Seward and Fairbanks. year. Program. the University of Florida,J at 113 N. Main SL and biochemistry. < b . Tuesday. June 30. 1964 Gainesville Sun 29 t - '"'. .' "w* I Fetes Missionaries : - - Rev. and Mrs. Benson Cain of Greek and the New 1 WANTED :, _ i I WANTAD. .'RATESPH. nissionaries to Japan,' were ment at Kobe Reform : ACROSS 23.Walking:' BETMAGART .' I .honored at a reception Sunday cal Seminary. Mrs. Expert Her. :: I ., 372-8441: ifternoon in the Grace Presbyterian -former Coline Gunn aviator 25. Partitioned . Church. canopy. HAVE YOU 4.Scotchfor 26.rco.'C1' 0 T E T A T E. t'4 D 'fo r "I. II I : . John 28. Lofty I "Classified ; The Cains, on furlough for a The Women of the ANY OF THESE .: ': 7. Dine mountains [ IoosEIII :OnlyDEADLINES fear, are stationed in Kobe, and the Youth Group I lO.Tnohundredth- SO. Exist I I I I Japan. Rev. Cain is professor in preparing for and I THINGS TO SELL? -.. 'anniversary 31.bird Mythical C 0 5 T A I B U R P E Ii I ; I Tues thru Frt. papers-5 PJTV. Day before publication 100 guests. Squirrel 32. Meadow [ For ad to go in' Sun. paper-12:00 Am. 51. 'N EIGHTH TNECIRCUITCOUtTOFFORJDA JUDICIAL CIRCUIT. IN AND, 1t 33. Full of ale For ads to go In. Mon. paper-i pjn. Sa'. OR ALACHUA COUNTY. "The Division of Plant 15. Indulge 34. Electric (Minimum ad 4 lines) .CHANCERY. Department of Agriculture They'll Bring You Extra Cash 16.Tissue unit of I JITY OF HAWTHORNE' Seagle Building. Gainesville : ",''' power SOLUTION OF YESTERDAY'S PUZZLE FAMILY RATES Ig Plaintiff. receive sealed bids for 5,400 17.Modern 35. harmless . V.ERTAIPJ. Fumigant-DD Vidden-D, or I I '" 18. Mimic insect DOWN 5. Close to. I 1 Insertion' .,.....'.........-....._l\........."...'....'.......... S4c fine _ : LANDS UPON WHICH TAX. ter .than 11:00 AM. I 19. Prior to 37. Nettt orks Subsided :Insertwns ............'................................... He Una is ES ARE DELINQUENT more particu- 1'<< Material to be ---r Rugs ::1 '. f : 6.IndiJpCDe Insertions ......_........' ............................. 17c line g ,rly: Lot 13. Block 3. Pecan Heights; loaded at Winter Haven ; 20.Lettuce 38. Absorption 2. Roman sable 1J lit line -- fie E 1 W by ICO N <. .S in NE V. W. I' ,: : : <> '. 21. Belonging 40. Biddy statesman 7. Finish i ottise charge mDu..d' by- mu.tfpying.: -iii tMsx.r.ted earn of tract described as follows: 3 ; .. .. Guns : . tor. "' Insertion x number of _ tcres In a sq. In SE cor. of SE Vit (usa) 6:30; 7:7NOTICE tolna 41. Light bed42.IndMdual 3.Fr. school 3. Helper . ' SW 1/4 Sec. 24-10-H; Lot t. Block 2. : ':'1'; 22. Perform 4. Hotel 9. Mote! genus f!i "- ., : .1' a .ecan Heights N 75 ft. of S.32 OF INTENTION Tools v :: I ? Us. of E 100 ft. of W. 3.U ch*. of REGISTER FICTITIOUS 11. Century i S e letter words per line IE tt of NE4 Sec. 27-10-22 ft acre Pursuant Section 845.09. __ t"' I Z :s S i-, / 1 a 77/ Instantly B . r NW.comer of NE Vi of NW Vi as per ttes.notice Is hereby given ,' Boats ; '. : 'l'/ rh .v 13.Sediment , Book 302. page 313. Sec 24-10-22; dersigned Mr. G. S. Michaels, y Same..2I1n" tot reed 4. Blk 11, Original Hawthorne. Sec. iness under the firm name of Tents .': : i:: //,( iT II II /3 17.Homesick 8 Pt.12Pt.. ordinary type ; 16-10-22. Engineering-T.V. Specialists. : 20. Beret Defendants. 4th St.. Gainesville. --s : ; li -: e Same as :3 linesordinary NOTICETa Florida intends to register : es type co Books atl persons and corporations In- name under the provisions of ; .... =6 fcrested In or having any lien or cl!?int said Statule.Dated .. .. :' ", I- V17 = Co pen any of the lands described herein: I at Gainesville. ,. Plants I : V/; : 1 18 Pt.ordinarytype == You are hereby notified that the City day of March. A.D. 194GSCSGE : I : .y : iT I f Hawthorne has filed I am'Its Bill ofomplaint I S. MICHAELS : 1 : = : : I I In the above Court to (3424) ,:U, 23. 30; 7:7 Pianos T --21.Anglo- B . breclost delinquent tax certificates with II r'l.Z, 24 Pt. Same as 5 line terest and penalties upon the parcel : .r r//- == ordinary type I NOTICE OF INTENTION :? t land set forth In the following Stoves 1 <: : '.0 '/ ZS" REGISTER FICTITIOUS : the aggregate amount of such Fhedule. certificates. Interest and penalties Notice Is hereby given that -y,. 'l'/J/h i I igalnst ax said parcel of land. as set ELLSWORTH sole owner Radios "1 l a 29 ;so The Gainesville Sun will not be responsible/ for more than one - beth In said Bill of Complaint being ness under the fictitious name Incorrect Insertion. nor will it t4 liable: for any error In adver- such parcels in the follow. WORTH'S VENETIAN 5 tisement to a greater extent than the cost of the joace occu- a jet ng schedule opposite to wit: Northwest 23rd Boulevard Skates 32 33 = 3* = = : 29. Dog's lead pled by the I'em tit the adve.tisem.nt. Nn adJustment will DESCRIPTION OF LANDS .. AMOUNTLot Florida Intends to register be made on errors that do not materially effect the value of *I= 13. Block 3. Pecan titious name with the ...; JS" 36 if37; trap 5 the advertisement. $120.40 Circuit Court of Alachua 1 'l' .: 31.Proportion ' Heights = Trunks .' IS E I W by 100' N & S da. In accordance with the I : } - 33.Goal State of Florida. 38 39 = The Gainesville Sun reserves the privilege of I In NE cor. of tract describedas ? revising or re- follows: 3 acres in a sq. DATED this 4th day of .1, Jewelry I : 34. Dank i i lettIng any advertisement which! It deems cbiecfionsi and to I In SE cor. of SE 'A of SW U IW. 4Q 41 f.Z 36. Acquire chance the classification of any advertisement from that ore Sec. 2'-1-22 $ 52.70 -Horace Ellsworth ( **'" Deserter |: dered tconform to the policy of the paper. 37. Lot 9. Block 2. Pecan (3399) <:,.Horace 16. 23 30.Ellsworth Bicycles :; 24 AP N.wsl..sueea ,-;; 39. Behold | Heights S 50 08 Par time min. 4 N 7$ ft. of S. '.32 ctis. of giffifflimCTjgCTmiiii }CDlillWl lllllIIIiIIUIIIIlIIllWl/llWlllllflWllWIIIIS! : e 100 ft. of W. 114 Chi. of NOTICE UNDER ::6 TV Sets . SE4 of NE V4, Section LAW 30 PETS & SUPPLIES 27-10-22 S 43.2S Notice Is Hereby Given that - Half-acre In Northwest center signed desiring to engage ClothingCameras BLACK standard poodle female i NE 14 ofSWV.asp.rDeed under the fictitious name of wks. old has had Shots & worm- : Book 302, page 313. Sec. 26- Private Home at number lOll 11 FEMALE HELP WANTED ed. FR 6-1997. 10-22 S 44 51 Avenue in the City of " I Lot 4. Block 11, Original ida. intends to register the DIETARY HOSTESS female age HAVE TO SELL Hawthorne, Sec. 26-1-22 $ 41.39 with the Clerk of the Circuit 25-35. High school education necessary American Shepherd pups Reg.FYtl In addition to the amounts set out Alachua County. Florida. Antiques CHECK some dietary or kitchen experience 3470 reasonable to good home. fx>v. In the foregoing schedule in- MARTHA L. YOUNG desirable. Excellent best before noon._ crest and penalties, as provided by (3<<1) 6:23. 30; 77. 14 working conditions. liberal fringe THREE (-week old registered minIature . 1 iw on such delinquent taxes together Furniture benefits. 40 hr. week. Contact Chihuahuas. 2 females and fits costs and expenses of this suit NOTICE TO CREDITORS Personnel Office, Alachua General 1 male beautiful and very reasonable - eluding attorneys' fees are sought to FLORIDA STATUTESI. Livestock THESE Hospital. Call FR 29712. enforced and foreclosed In this suit. f the Court ef the County PUREBRED 119. and AKC Beagle You are hereby notified to appear Alachua County Florida. LADIES puppes.; We board dogs. James' rd make your defenses to said Bill In Probat. DiamondsFish Kc-.nelg Rf. 1. Box 1.. Keystone Complaint before the 13th day of In re: Estate of Do you have a need to earn money' _Heights 473-4958. I My. 1964 and if you fall to do so on Pleasant and profitable work near _ Mahalia Knight FOR before said date, the Bill will be SALE Two Toy French r Deceased. Poles CLASSIFIEDADS your own home. Avon offers this Poodles aken as confessed by and will Call black 6 wks old AKC you. you Te All Creditors and opportunity. Avon Manager registered. J50 phone 4549351. |IP barred from thereafter contesting FR 2-0421. Claims ar Demands Against High Springs.FLORIDA . , (aid suit, and said parcel of land will state: Used Cars tit sold by decree of said Court for Pest Control is featuring 1 ton-payment of said taxes and interest You and each of you are SECRETARIES this month Tropical Fish and I rid penalties thereon and the costs of fled and required to present Auto TiresAquariums Tropical Birds of all kinds. We Jlis suit. and demands which you, or ELECTRO-TEC CORP. also have children's pets and IN WITNESS WHEREOF. I have here- you may have against the (DAYTONA BEACH. FLORIDA) supplies. Cail us for any of your pto set my hand and official seal of Mahalia Knight deceased pet problems. FLORIDA PEST Bid Court. this 5th day of June 1964. County. to the County Judge SECRETARYTO CONTROL PET CENTER FR J. B. Carmichael County Florida at his of 6-2661, 20 NW 16th Avf. Clerk of Said Court court house of said County FOR COMPTROLLER By Emily Waterhouse yule Florida within six Row Boats Executive secretarial experience 33 LOTS FOR SALE from the time of the first required In manufacturing indus- Deputy Clerk (Court Seal) of this notice. Each claim Golf Clubs try. Compose letters take dictation 2 lots each 110 x 140 4 blocks IEYNOLDS, GOLDIN & JONES shall be In writing and shall coordinate superv Iso r s' : North of 1964 PARADE OP Post Office Box 448tIS place of residence and post schedule's. Familiarity with finan f ; j, HOMES paved street $2508 South Main Street dress of the claimant and TypewritersMotorcycles BIG cial. accounting. contractural terminology _each.__Ph FR 21912Owner, Balnesvllle. Floridap401) sworn to by the claimant prefd. - 4=f, 14, 2X 30 or attorney and any such SECRETARYTO FORDYCE LOTS demand not so filed shall be BUCKINGHAM r -s- D. E. White CHIEF ENGINEER High and rolling exclusive new ...,.... D. E. White As executor of Requires experience as secretary resdenlial: area soon to be . ::1! Lt opened Will and Testament of SAVINGS and administrative/ assistant to a t One acre lots Used -highly restricted TrucksRefrigerators tu'k.y1y - : deceased. malor engineering manager. Familiarity '- 1'Luwial Call first offering I w. First publication June f, 1964. i with mechanics) engineering FORDYCE ; ;d (3400) 6:'. 16 23. 30 terminology preferred.GET . : i J'S 12 pointREPLY TO: 1 Associates Realtors, Inc. IN THE COUNTY JUDGE'S Director of Industrial Relation IL '4 '"* W. Uniy. 376-1236 '... .'tI,? "'" AND DA FOR ALACHUA Baby Buggies ELECTRO-TEC CORP. 4200' 210on s-241;wen; iraTnage CaS PO Box 667 Ormond Beach Fie Announcements fied! out bldg. 8705 IN RE: Estate 0'FLORENCE N. All. Ave employer) * Can equal I opportunity . A. BURNS.Deceilsf'C Electric Motors Capo Canaveral, Florid_. M4 NW 13th FR 6-6472 ! Also In Oats NOTICE TO 12 Malt Help Wanted 34 Waterfront Property All creditors of the estate Store Equipment 3 LOST & FOUND ENCE A. BURNS. deceased. 2 MEN WANTED Warm, handsome for school or notified and required to LOST: Man's Bulova watch Tuesday To assist me In my business. Neatin sports! When wintry winds bow! ONTHEGULFCedar claims or demands which they Farm Machinery P.M. In restroom of Hump- appearance car necessary age collar becomes hood. Key Shores against said estate in the ty Dumpty. Call FR 27310 aft 20 to 40. Call Mr. Haney. FR 2- Speedy Knit use Jumbo . County Judge of Alachua er 7 p m. Reward. 0500. t to 9:45,Sharp Wednesday, needles., 2.strands knitting worsedfor br Other Properties da, In the Courthouse at Infant's Clothing. only._ .: hooded zip front lacket." Pattern ' WO- direction sizes 4, 6 t, payfa Andrews Florida within six (6) 4 PERSONALIZED SERVICE . , . ATTRACTIVE POSITION fur wide , , .10, 12> 14 incl. 4 It h .i ' 24oO H..16e,..1..j if.20 f*<-50t t of from this the notice.date Each of the claim first Sewing Machines awake ma!], no age limit neat Thirty five cents In coins for Cedar key 3841 LEARN TO DRIVEl Special attention appearance. good charac t e r. this pattern add 15 cents for 1 must be In writing and must 3727611 be- Acre on Suwannee River on high to nervous or elderly. steady work. Phone each pattern for Ist-<:Iass mailingand : NOW! 2 SMASH HITS! place or residence and post Office Easy Way Driving School. FR tween 8-30 to 5:30._ special handling. Send to Laura FR bluff 22235.room 100 .ft. river' frontage Phone ; Equipment . 7.00 dress of the claimant and must ? 700}. tic b* State of Fla 7:00 Wheeler Gainesville Sun, Needlecraft ; Open See Both EXPERIENCED roofers. Apply " to by the claimant his I Dept., P. O. Box 161. Old JUST LISTED Modern 3 bed. Show 7:45 Late As ':51 A.M. in person ready te worn. t attorney. or it will become Movie Equipment 6 SPECIAL NOTICESI 2314 N.E. 19th Drive. Chelsea Station New York 11. N.Y. 2 bath HOME with 90'frontage t FIRST AREA RUN cording to law.CLYDE Print plainly PATTERN NUMBER on LITTLE LAKE SAN. [ Shown First & Last F. MOONEY will not be responsible tor debts THE Independent Life Insurance NAME ADDRESS and ZONE. TA FE. a 300 deep. 170Dock; **** I Executor of the Esate of Outboard Motors incurred by anyone other than Company has an opening for an BARGAINI Big. new 1964 NeedleCraft Bar-B-Q pit. A modem home # FLORENCE A. BURNS myself after this date June 30. ordinary agent. Advance draw to Catalog over 200 desigis: with therrrostaflc controlled r. I "Ss i(3451) 6 30; 7:7. 14. 21 19<<. Donald C. Menne, 1306-A: qualified applicant. Call J. I. only 25 cents' A must if you knit oiant heat kit. equip all qual- } ( SW 13th St. Williford. Manager at FR e-2512 crochet quilt. sew, embroider. Send ity construction Price $20,000. Sports Equipment . I for Information and appointment.MAN 25 cent CallREDFPANKS / RIDERS WANTED to Akron. Ohioon SPECIAL VAL UEI 16 COMPLETE REALESTATC wanted for local milk route f7JiIJ8lp.1' Vacuum Cleaners July 10th. Must share expenses. age 23-35,' married. bondable QUILT PATTERNS In deluxe 7 N. E. 1st St_Ph. 376-Oair BOX OFFICE Call 372- 460.I new Quilt Book. For beginners high school education or equivalent WEEK-END Camp on Crystal cleaT' ; : 12:45 & 6:30 have new 1964 model automatic preferred. Apply 204 S. W. experts. Send 50 cents nowl spring, running into the Suwannte Nursery Furniture Zig Zag sewing machines. No 5th St._ River. House has not teen como H& SHOWTIME[ 1 : attachments needed to do the WANTED pleted For further details. Contact - : following decorative stitches PLUMBING SERVICE MAN 14-Sales Help Wanted Frank B. Howard Real ft- Fishing Equipment buttonholes appliques monograms tale Broker, Box 703. Grady Fie I I ADULTS $ blind hems. Etc. $575 HE MUST: EXPERIENCED Real EslateSiies- n.nce Co. Office High Springs, *}'ID .. 1t CHILDREN per mo $5450 total price. IIS person with busy active office. Fla., .. ,. Have a City License " Washing Machines W. Univ. Ave. 376-1075. Write Box 455-A Gainesville Sun. Stay sober WINFRED H. CRAWFORD" t ciNtM .scoet oxoeatcxuAC: 20th Fox Says No DUE TO DIVORCE must sell 1964 Be reliableBe CONTACT MAN Reg. Broker. totalizing In Zig-Zag sewing machine. Like willing te werk II tours I National Credit and Discount firm LAKE PROPERTIESACRE.. 2nd ACTION THRILLER 9:50 Building Materials new. monograms, buttonholes Live In city has opening for salesman to con- AGE. I miles Nacf MelroseRAINBOW , I THE NO.1 sews on buttons. fancy stitches. Have a pisoniGIve tact and establish local servicefor GR 5-19'1. Pick up payments $645 per mo. references .* Business Professional men I Heating Equipment Small bal. Call 372-7660 or FR 2- Gainesville area. It you have any RIVER near Rainbow JAMES &PlfflH ATTRACTION OF 2051. HE CAN EXPECTSGood type selling experience this is Immediate Springs. Beautiful lot trni \ paySteady and unusual money-mek- beech, furn'shed: eotfeae. C'/II ''JONES' 1964 PARADE OF HOMES or write Musical Instruments work ing opportunity with ran:d advancement. BILL DICKS. Realtor t 6REATESA! RED 'SP :W.POPUW PR. Junior August Woman's 9 16. .Benefit Club Charities. Paid vacation Personal Interview 0.2516. I). I. 19. Inglil. FtorWa- U1" Draw for rig'ltrnln. See ny 'f'mhf-r for tickets.: Time & 1f? over 40 hours and $125 weekly. Camping Equipment Write Manager Box 4)17, I STORY! Core Call SHQCKLEY PLUM.lNG, INC. Cleveland 23. Ohio 55 Homes for Sale 8 Baby Sitters, Child 377-0405. Plumbing EquipmentChildren's __ 17 Work Wanted Male HCM ) BR, t bath, stove 4 refrigT I WILL keep one child. While: ) at TROUBLE SHOOTER air cond. fenced nice yard. Playthings : play facilities. FR 15401. and maintenance.Must willing. has drivers license __!!!. 2703 NE 10th Ter. Ability - thrive en hard work. Color by Deluxe needs summer Job Call 376-0036 UNJSUAL architect Designed home. TINY TOT to work well with others es L sential. You will be paid accord- 3 BR., 2 bath. 4 acre on Hog- RC.FUN 1st Time At This Electrical Appliances PLAY SCHOOL ing to your ability and experi IS Schools; & Instructions view town Creek. Class walls provide ence. Good future with top com of woods from all rooms. BIGGER Cats Parakeets Visit u* and see for yourself. pany. Reply te Box 446-A c-e MEN A women u 10 Si fo train lor Sunken Iv. room. with fireplace PARTY THAN Dogs >4 SF nth St FP ATMVfEmployment1 Gainesville Sun._ CIVIL SERVICE and built In Hi FI. Dining area kitchen ecuippe Including wash. WANTED part clerk. Some expert. Examinations. For Information I,. Each: e R, with built In dress. ' Thurs. 10 a.m.DEBORAH : ence preferably Apply 2201 N. send name. address 1 P"No.. er and desk opening on private & Main St. Phone 174371. Ask for Key Training Service. 112 W. p-ircn. vaster BR.. with separ. -Mr. Pettry._ Adams St.. Jacksonville. ate bath and dressing xwn. ., :. :: V! 11 FEMALE HELP WANTED WANTED experienced short order Real Estate Exam Paneling and beam c el ling .. : throughout. Patio and screened cook. Apply Larry's Restaurant, ", . .. porch. Air . I ; ._ '4Nothing- r 1225 W. Univ. Ave. COURSE cond 523000. meN - It WAITRESS wanted good hours Restaurant apply > ACCOUNTANT CPA firm has ATTEND First lesson free.HOWELL'S .w. 36th Road. Call FR -7Ul. In Wonderhouse > l -. 4t person. for staff member with desire > BUSINESS COLLtoSCOLLEGE -- 1. 1 } 14 SW First St. behind opening 5-ROOM FRAME house screen*! LAST Sears. and educational requirement 211 W. Univ. Ave porch reduced for quick sale, I ] to become C. P. A. Replies kept FP 6-3507, 372.3727.SHORTHANDTYPING. $2,495. Phone CePhis Goodman 2 DAYS! TIME on your hands? Turn it Into confidential. 401 Robertson BldaOeala. .. 521AJUW1l1lston.. i will sell it foster money. Set your own hours. Must FiaTIMEKEEPER. _ UKIVE IN be Intelligent. respectable andreliable. Secretarial Courses Classes now : KERB-RUm lUllS White only. Call 376-1150 for field construction forming. Howetrs Business Col project In Louisiana. Probable lege. 211 W. Univ. Ave. FR 6- FURNITURE JOBHMHI5-SiI21 1:30 to 11 30 a.m._ duration to end of year. Duties 3507. > LAST TIME WAITRESSES wanted to work thru Involved detailed paper work. UPHOLSTERYFor and S to 11 at night t Call FR .S416.. :me GH 4G \- than theGAINESVILLE days neon a week. Good salary. Good 28 Livestock & SupplesWANrTO top quality workmanshipcall JWE.N'JlCHNlCCtOP Show Time : working conditions. Apply' Sandwich I-Help Male or Female SEE your hogs properly 372-6142 Inn. 110 N.E .*''' Ave. finished en dry lot or pasture, .. Phone FR '-"*24._ START A NEW CAREER In then try CPA Cooperative Mills GAINESVILLE I & --- fIII1A OPENING for resident nurse at the Florida Real Estate Pro- 12 pet. Porfcmaker meal or pul UPHOLSTERY . tv.lM 6LCI6 U$- C1 A .' Camp Crystal Lake. 4 to I weeks lets. Special for June- FMX ISO NW. lift sf. this summer. If interested con- fession. Gunesvilie or Alachua. Phone FR STARTS I [ tact Dwight Hunter .t School Ad- Become a member ef Florida's fin- ',t095 or 461-2105. .Free Estimate. *-nek vi endeiivery. mimstratiofi Bidg. Ptu FR 2-4391.: est profession. Multrirollion dotUr 1 SUN. win :9 MILK cows; 2 are springing real estate corporation 4- THURS. BEAUTY DEMONSTRATORSEarn pay for your schooling and guarantee has 3 wk. old catf. They're all and have shots. milkers LRdg. up to $5 per hour den" fto employment. For Interview heavy strafing famous Studio GIrlCosrnetics. call Oeala 629-7T21 collect. Call 466-3411. FREE ESTIMATES enFI -..-.----_-: Full or Part Time. WANTED completely honest ki- 2 year old Colt. trainee to |jump a. 'KM ACES end Q-.liry : . Peene 374-4336 after i ride, 2 western eaddios.< brIdles.blankets : ELVIS i teingent energetic and effective A halters. All for 350. H RECEPTIONIST, doctor's efice. licensed real estate ntesmen.Male Central Air e PREBLEYil WANT ADS General office work with typing or female. who are willing 376-3149. essential t girl offics. Permanent te work hard with the ultimate ' : ,.dent. WrB01I 441-A objective ef becoming rich. Apply 30 PITS & SUPPLIES ConditionersBest e-o GainesvilLe. Sun. Giving age.marUal Gladys Smith, Realtor. 12M 2nJ Feature status end experience.. FOR siGerman Shepherd Pboey W. Una/ Ave. 373-S3TX k' Included. with papers. Doghouse ! : EXPERIENCED waitress wanted. COOK'S HELPER good pay good Phone FK 6-C719. == ::1 : '. Apply Manor Restaurant FR hour Apply hi person wen ar. . ::1: StIIU5UIC- t'-.1 CALL .; 4-S212. house Restaurant U S. W. 1st BLACK AKC reg miniature Ne roaMe poodle ef pvppw*.r re-* Best In Insulated equipment ducts.using .bsttrnaliy ,.- VNa il \lULBRYnI1IfL :TEN young ladies age IMS for inteevtew St. behind Sean.PLACEMENT. fused. Phone 372.28e. signed. engineered and installed work, must be free M SERVICE :1 ....'- travel outside of Gainesville. $1.50 Office Professional ENGLISH shepherd euppte Good FR by Hock and pets. for watch: ALL AMERICAN HEATING . per hour plus expen*** Call 372- Technical u-. i TOtJ co ect. Fla. Institute of Public College Graduate 2-0033. .. L AIR CONDITIONING CO. i. -. 376-4672 O.Mi.n. For .[**. call 372-637T YOU -'t.M pr wd *. ewe eI PH. 376-8258 ''''2M A.M. t-4CO P.M. these beautifulmarked, heathy. Wanted experienced w a I tresses.Must a..tIII9J1a r \ 1930 NE S3rd Blvd. , . beagle pups.Bred A.K.C. registered Friday : & Lar- Monday through N.I0. be ever 21. Apply P\III\ > 24 Hear Service .. to fcunf. Ideal pets. PH 263555. - M .OCOLD. : rys Restaurant. t725 W. Univ. PERSONNEL CENTER Ave. 10J NW 2nd Avenue -- ;i, ru'U'4L/iUI.: SSThJ'1iI /, SVS WASNT BUILT TOCREEP. ii Thf 5A(4RK-VE7C77iE THIS ROEfa / MiCHAEl5HN.Y I!! IF XXJHURTHSR.rtLru DOST SWEAT I , i PHAIfTCM JUAMfS KNOWH TOJHS KILL youChurch / TWO } SIGN THATSA15 TO MLSSfT WilO KW7AS ( ? THE CVE SPEED/ I JVNOt AND VNO KWOKLO"ON JUST WEE DCW ceUVEREP 811tE HARO R&iT ftST- i- BEACH AW? BACK/-Tr H, SOME CAY VWEN 5h S FAVK7JS, I CAM SAY 1 D80VE THE -KX fUi-CC SSCCATtfS - ? t AO 7h MARK OF JETTAViAY SPEOALV o / _ ? - .... .... -. ;;;.... - . "iuiie, -= : - .; ... a - *. -., -, -. '= - . " I 30 Gainesville! Sun Tuesday, June 30, 1964'DAYS < . " . "-'A ,1 ; < Beneath -- This Banner Are The World's. Best BargainsCLASSIFIED : : ' ,: .. t2 / . ; : d : :t t. ; . .,. I .:'; ,: ;',;'; ; I I ADS, 1 0 z. '- -". 4 $3 ,Clean out the Closets & Utility Rooms Now-Pick up extra cash Person to person ads are for non commercial users selling merchandise priced I LJNES! at bring$100 quicker or less action.with the selling price stated in the ad. additional. costs for ads that require the full 10 days No refunds for ads that DIAL 372-8441 A Courteous ,Ad-Visor Will Help You Word Your Ad. ----- 35 Houses for Sol 35 Houses for Sale 35 Houses for Sole 34 Houses for Sole 35 Houses for Sale 35 Houses for Salt 35 Houses for Sale WEST PARK NW SECTION. 3 BR. 2 batnsi N.W. ieUion. Low down pcTymeniT 4 I BEDROOMS, 2 baths, air-cond.. FOR SALE OR RENT. 2 BR CC8 BY OWNER. CB.BR. 2 bun BY OWNER 3 blks. Llttlewood, i 2030 NW 55th St. large carport & utility rear terrace LR, kitchen 2 Br., 1 air*cond. 2 Ig. Fla. room. Near Boy's Club house $150 down $75 per mo. home, cent. heatirg & air cond. BR. 2 bath Ig. util. rm.. fully I By owner, low down payments. 3 excellent condition. Good : walk m cedar lined close *. Parquet and schooL 13500. $900 down. Rent unfurn. $75 per mo. 1030 Close to Bishop. Metcalfe. ft St. landscaped, window AC $454 THETIMEISNOW.I. bedrooms payments less than terms. 372-5754. floors ttta bath, screened 372-9714. N.W. 55th St. 2-181. Patrick. Well kept on large lot. down on new FHA Loan or other ' rent. Phone FR 2-0258. po.c'Concrete patio. lOG x 100"lot 3 Phone V6-2748 after 4 weekdays available. SO N.W. 3 BR 2 bath, home with redwood I Take up payments 175 mo. BR CCB with cent. heat ft financing FOR SALE BY OWNER 2 BR screened In porch, establishedlawn F< 4-i94i. air cond. FR 4-782 after 4 P.M. for appt. 36th St. 372-3882. CCB near Stephen Foster SchooL & shrubs. Fedder's Air Conditioner on Sunday, anytime weekdays.BY 23 FHA evaluation $7,250. $250 down, .. built-in GE stove. Car- OWNER Near Westwood $46 per mo. to a qualified buy- ries a 5'pet.. GI loan exclusive FURNISHED School 3 BR 2 bam CEN- FOREST PINESGAINESVillE'S Do You Have A Room er. 724 NW 34tp PI. swim club membership. Originally TRAL HEAT & CENTRAL AIR kitchen cabinets"count ApartmentOr sold for $14,450. price now MODEL HOMESOPEN CONDITIONING. Built in kit., NEWEST COLORED FOR SALE BY OWNER $14.200 with " $550 down $87 per family room; large living room. em! New 3 BR home T/t baths living mo. Including taxes & insurance.No Mtg. Bal. approx. $14,900. WILL New home In top Northeast 10- House to Rent? & dining rm.. family rm.* all qualifying necessary. Phone 10:00 'TIL DARK CONSIDER $1,000 for equity THIS cation. U shaped kitchen features DUPLEX RENTALS electric kitchen, cent. heating ft 3723471 for appt. to see. WEEK ONLY. Call 374-2927. 23 cabinets plus cupboard air conditioning. dbl. garage.lot lets J BR 2 !bath home features giant Gainesville's ,biggest new home .ell formica tops. .Gener. of storage en a school.large If Inter.near size master bedroom with walk values In $13.000 to $17,000 range. PRESTIGECOMMUNITY al Electric bullt-lns. Three large REMEMBER-A rental COSTS new elementary : In closet & huge living room. No money down VA, pay only bedrooms. two full luxury baths. ested call 372-8175. vacancy Tappan built-in oven & range. Air $100 closing. FHA from $450 down Huge storage room plus lots of WORK SHOP conditioning, 13.2 cv. ft. GE refrig Including closIng.VILLAGE. closet space. Immediate occu- CAROL ESTATES 3 BR IV* bath, erator. Beautiful landscapi! n g. BARGAIN PRICE pancy. $9' per month after only YOU MORE than the ad that will rentit dining rm., Fla. rm.. Ig. utIL plenty of shrubbery. Traverse rods GREENBY Here's a chance to own a quality 1550 down FHA or $99 per rm.. fenced back yard near installed. Concrete patio. Present home In a prestige communityfor month after paying only closing - schools & churches. 372-8771. value $17,000 todays price $14,500 HUGH EDWARDS. INC. charges VA. lust $ For Sale by owner. 3 large bed with Exclusive$550' down, $99.50 per mo. 2S37 N.E. 13th St. 374-7771 living among some of the HUGH EDWARDSINC. _ rooms. Florida room. hardwood .swim club membership. finest families In North Central ; floors 2 full tile baths CCB _Phone 372 3471 for appt. to see. Florida. Three bedrooms IVi - Here's what your Vacancy COSTS YOU Ave.home.FR$17,000.21265. 1110. N.W. 36th GLADYS SMITHFOUR McKINNEY $1X300.baths. Lots$80 of monthly storage Including space. 376-7971 taxes and insurance. EVERY DAY until it is rented : LEAVING 8 R. 2 tath.TOWN cent.will heat sell tejilt my- In 3 BEDROOMS GREEN HUGH EDWARDS kitchenhome.. You can save WE have several large homes for DEATONREALTORS YOUNG ', $1500. Call FR 2-3826 or. GR sale In the Northwest. Four bed- INC. \: < .... . IF RENT IS: YOUR LOSS PER DAY IS: 5-5722 Melrose.NO wood rooms area and,more.and West Flnley Hills.or LIttle-Air. 376-7971 AMERICA [ 1it !i " DOWN PAYMENT 3 BR.. 2 conditioned and In prime condi- F $. ''J. bath. Central heat, central air tion. Call us to see these fin I MOVE IN : $40 $1.33 day 2 Bedrooms Stove hood with light &nd fanS per mo. . per cond. Northwest. $19,000. Call homes-372-5393PICfURESQUE HOMESNo S a 376-* 27. Three bedrooms Florida room- Large living dining area Double compartment unit oak strip floors corner lot Quality Homes Masonery Constructs; Venetian Blinds $50 per mo. . $1.66 per day Builder CloseOutBUILDER 123 x 100 near University andJ. Terrazzo Floors Tile window sills 70 acres stream running through J. Finley School-Call FR 2- Money Down Painted plaster walls Large lawn with grass and $1.83 must sell a limited num property. Permanent Bahia pas 3617. WESTVILLAN.W. Tiled tub and showers shrubbery $55 mo. . day per: per ture. Pear ber of new homes in one of orchard 360 brand VAMinimum Large double sliding door Insulated Attic Gainesville's most beautiful areas. name Pecan trees. Brick farm $60 per mo. . $2.00 per day Close to schools and shopping. home with full farm equipment. GOOD LIVINGIn 16th Ave. FHA Linen closets Closets S a Close Paved to Streets school and bus stop Hugh Edwards Inc. 376-7971. Call 372.5393- this attractive 3 B.R. 2 bath Back storage closed e Planned play grtjnii $65 per mo. . $2.16 per day New hoe'tY' $9400.PAY RENT 3 bedroom? tile I TWO STORYIN Convenient home in the location.Northwest Has central area. 6' 37th St. Close to Schools Washing Machine fixtures tl -top condition air conditioning units. Sensibly and heat for ready bath $65 per month. Located For appointment call 372-5321 3275322Take on or $70 per mo. : $2.33 per day S. E. 45th Terrace. Also some earning and living. Apartment upstairs priced too. Call FR 2-3617 Churches and down-stairs three for further details.LITTLEWOOD. TERMSWALTER trade-ins. Call FR 22372. for large northeast 8th ave. to northeast 26th terrace turn left 1 black. rooms rentals. All furnishedand $75 per mo. . $2.50 per day BY OWNER 4 BR, 2 bath, extra priced at $18,000. Good finan Shopping --- -- -' large shady lot Ig utility area cing. Close to downtown. Call -I III big kitchen with skylight, tcrrai- 372-5393. Here Is the house that will suit OPEN 10 AM-6 PM I $80 per mo . $2.66 per day zo floors. 4018 NW 13th Ave. West- your needs. It has the location- morland. 376-7993 after 5 for ppt. GLADYS right by the school. It has 3 B.R. SMITHREALTOR : $85 per mo. . $2.83 per day BY OWNER Carol Estates. 3 BR, combination 2 baths Fla.- room Central- heat.Kitchen It STUBBS, LOCATED I CO3PAEUTHESE 2 bath kitchen 600 BLOCK 1 equipped optional. 4/i% NE Associates: Is priced right only $14,500 I INC. 1121 21st $90 per mo .. . $3.00 per day Ave. Phone mortgage.372-1316. Carolyn No"es Anna Hinson Can be FHA financed One yr. NW 34th ST. old Owners have left town - and must sell. You should Investigate -- "We Trade Houses" I HOME VALUES $95 per mo. . $3.16 per day NEW JWK before you buy. Call FR PHONE 372-7070 I Large 4 Bedroom. 2 bath home 23617. I IIt's BEFORE YOU BUY I ( $100 per mo. . $3.33 per day I with beautiful family room and 3728404HOME ASSOCIATES , leI dining room. Lovely built-in ii I ___ kitchen with J. Fred Butterworth oven. range. dishwasher Guy Jayne and disposal. Central heat and Income In Northwest.New Col J. W. Davis H. J. Wiltshire \ CALL 372-8441 TO PLACE YOUR and FR 28945.air cond. Good terms. Phone Live ment Listing in and your rent on two attractive the bedroom other.duplex.apart.Only Multiple ListingConventional Later Than You Think! i SAVE! Get In The SwimFREE $17,500.00.DELIGHTFUL. two bedroom house M The following are need for f SUN RENTAL WANT ADS lifetime family membership very convenient to the University. In Carol Estates Swim Club and Lovely large living room with occvpancy. Community Center to all new fireplace, cool screened porch, School Starts in 10 Weeks IIIIIIIIIIIL.! ............................._._ : Hugh Edwards home buyers. 376- large bedrooms. shaded I lot. 7971. Shown by appointment only. 00 IDEAL SPACIOUS and gracious, th-ee bedroom S. W. 3 br, 2 beth, family rm, Now Is the time to see Palm View Estates ft Fernwood Manor. 1 1115 NW 40th Drive 3301 N.W. 29th At,. HOME small family.for 3 young BR. cojple 1: or two bath home in the preferred fire pi. shaded lot, fine residential You May choose from 3 and 4 bedrooms 1 and 2 bath homes or E 3 BR. 2 bath. $350 dn.. $96 bath address of Black Acres. area Equity only $200.00. month. dn. $119 g per 4 Br. 2 batS BOO 35 Houses for Sole 35 Houses for Sol CBS low down payment and You will like the hardwood floors Take up payments of only $125 you may choose a home site and build the home of your choice. = per mo. t"' only 1609 SE$59 39th per Place.mo. FR No 2-3233.closing. panelled family room large mo. call Mary Moeller These suburban are complete with city sewers, water, paved gIllS NE 5th St. I' FOR SALE0R TRADE far tr.- FOR sALE BY OWNER 3BR. 2 amount modern of closets and the streets and storm sewers all within walking distance of H 3 BR 2 bath, $350 dn., $Me er by owner. 3 BR, 1%* bath bath red brick: home. Low down WOULD you buy a $20,000 home kitchen.at 2450000.Available tomorrow Near GainesvilleSee elementary and Junior high school. Bus service to senior high per month. 3311 H.W. 29th Art built-in kitchen central beat. Call payment assume FHA mortgage. for considerably less? Located in 376-8779 2118 NE 15th Ter. FR 4-4060 or an atmosphere that offers heart's J. W.KIRKPATRICK. this 4 spacious.br. 2 bath charming home Ig.2 school: churches shopping medical center University of Floridaare IBIIIIIIJIIIRIIIIIIIIIIIIJIIIIJIIIDIRIIIIIIIRIIIIIIII! 3 Br.. 2 bath, $750 dn. $112sr r FR 21879. desire for relaxed comfortable story all within easy commuting distance. See our new models ) 4f. mo. NEW vvuer$35.OOO. 5 bedroom living rm. dining rm Ig land living. 25 minutes from Gaines- .. bath, studfr formal 1 dining room BY OWNER 3 Bedroom 2 tarn vi lie. Here Is scaped yard. Lake view. Melrose today. Prices start at $12,250 with central heat and built in ; opportunity. f. living room with fireplace electric built In stove. oven. garage I Write box 444 M your Gainesville Sun. Realtor call Mary Moeller kitchen. Drive west on 16th ave. turn left on 39th terrace to model Norwood kitchen wall to wall carpeting screened porch patio. near 31 N. Main Phone FR 2.8404 : 3330 & 3320 central heat and air conditioning schools and shopping center. $109 Member Multiple Listing homes. Phone: FR 29545 dally FR 4-0948 nights. Butler Bros. on landscaped: acre. N. W. total monthly payments. VA Loan BLACK ACRESPRICED ASSOCIATES: Anglewood NW 30th Ar*. 33rd Court. 374-WU. equity on. terms. 2016. ,_N.E. 17thTerrace. TO SELL BY OWNER. 3 Floye Mathiasen Irene Bunnell 2000 Sq. Feet. Looking for space and i Hope I BR. 1 bath, Udn, $77. FOR SALE BY OWNER NW 600 : bedrooms 2 baths hardwood A.__W. R e e c e. Capt.. USN Ret. grccious living? See this 3 br, NEW 3 Bedroom CCB. tile bath = per "'00 I I floors, central heat, air-cond. 2 bath house. Fla. rm, central 35th Ter. :3 BR. 2 full bath- carport and utility room. $9,000 units electric and drapes. heat dbl. garage Ig. corner lot. "H" Inc. Ig. pare'ed' Fla. rm. shady $250 down. $45 month. Phone FR range MERRILLLITTLEWOOD I fenced In yard. cent gas heat 23355 days. Storage and utility room Ig. sin- SW. Call Mary MoellerInvestment i iI 4617 SE 1st PI. hardwood fMors. Convenient to gle carport. lot 110 x 12C' with Llttlewood westwood ft Univ. shade trees. FR 6-6427. AREA I ; We Trade Homesor 4608 SE 2nd PI. NICE Beautiful I Immed. occupancy avalt. Phone Check These 4812452 Hawthorne. Fla. :1 Bedroom 1 bath ome. livingroon. FOR Sale, or trade. New 4 BR. 3 centrally bedrao-n heated 2 bath and masonry alrconditioned. horre 46 Acres near Med. Center. suitablefor j or PropertyIlIIIIIImIIIIIlllllllnlllRIIIIIIUIIUIIIIIIJI 3 BR, t bath, $400 *, $41 - f dmlhg kitchen and home located in Westmoreand: Apt. sites or business. per mOo FRAME house. 4Vt .ac., '2 ,.pities oaK floors throughout.room Four blks. Estates. On city sewers pavedSt Built-in oven and range,. ark =i I east of Starke.'Drapes in every floors 2 car garage well 'landscaped - 2 bath Rms., Income Ig. Ig. family U.F. 162 ft. near campus. from Littlewood School. Good central heat. termite treated yard and paved street room.. 2 pecan trees on property. terms Call 2-8965.$500 down" $90 per mo. Central Rm. & heat living built-in Rm., dining kitchen area.Including I ONLY $24,300. property or build for tenant. NEW HOME ALL OUR HOMES ARE 303 SE 38th St. .. with drive added. Call landscaped R OPEN FOR YOU TO ENJOY GE dishwasher. 2 courtyards $700 DOWN MOTEL SITE on new interstate BR. 1 bath, $-COO dn. 114 3 969 2821, 944-8801. FOR sale CCB home 3 BR 1 bath walk to schools close to Attractive: bedroom 75 exit-call Mary Moeller R SEEING ANYTIME IF t BY OWNER Flnley School Area. $300 down. take up payments. U of F It medical center FHA BLACK 2 bath masonry home in 3 YOU WILL JUST CALL. per mOo Phone 6-9774 or see at 1753 N.E ACPES next to Golf 1123 S.E. STREETFR B 4th Spacious :3 bedroom house In $22,700. Down payment $1.700 Course. THIS IS AN EXCEPTIONAL - quiet neighborhood. 2626 NW 2nd 21st Place. Imr-e3iate Budget Values From 6-S3OlorFR4-7999 o :; rncy. Drive by BUY AT THE FHA VALUE Ave. FR 20992.SEDRUOM. $69 Msnth. New CB home, lowdown 1C27 NW 40:h Dr.ve.; Call Butler OF 17500. 3 BR, Itt bath C.B. house, near t I ball. CCB screened psynrent. See at 210 S. E. Brokers:!: 372J543 daily 374-9048 business, low easy terms. In- WI\.JJIIIIIIIIIIII\ uw00wuzuw00Buuui320wwamsuuwE porch. ar: con 4,Toned cen:ral! 2"h St. Call 3723576 or 372. nioht. $300. DOWN :3 bedroom masonry vestigate. Call Mary Moeller heat. 2502 N.E. 12th Streel. FR MASON MANOR. By owner. :3 BR. home with built-in oven and & Pierson 6729. 4692.LITTLEWOOD 2 bath screened porch range. I year old. See at 3132 N. Kirkpatrick cen. AREA W. 9th St. ONLY $85 month. "INVESTORS" Completely fur 4 8 R. 3 bath, 2050. sq. ft. living heat. FHA. $1.000 down leaving per MaryMoeller Butler Bros. BuildersInvites balance of $15.900 2530 N.W. i nished. 2 BR frame home. about area central heat. built-in kit. 10th Ave. Tel. 3722378. CONTEMPORARY charming , j 1500 sq. ft. Located 822 Tl.W. 39th 1 blk. from Westwood Jr. High home with three bedrooms two Ave. near bus line and across J blkS. from Llttlewood clem 2 yr. old. BR 2 bath. cen. heat baths central heating and alrcon- street from Steven Foster School. school. Ideal for Ig. family, or & air cond. fenced yard, well ft ditionlng Florida room and screened Bedrooms 1 Bath / 3 Lot 100 x 141. Also car shed and family and elderly persons. sprinkling system. Can be pur- patio in excellent condition. Youto work shop. $3,000. Must have cashat I Priced for Immed. sale. 3449 chased like rent, no down pay this price. Call owner FR N.W. 13th Ave. 3722893. ment. 3022 N.E. 13th Dr. Ph. 372. Situated on a beautiful landscaped Realtor 4.2534 at Nationwide Insurance Office 4824 lot three bedroom 2 bath house 79.84 per month after minimum FHA or FR 4-4710 home. N.W. 34th Street 3 BR. 2 bath with central heat and aircondltion- home. Central heat and air con ENJOY FLORIDA Ing plus Florida room and screen.Cd 1019 W. Unlvers'FR 4-4471 down. Includes insurance and taxes, BY OWV ER beautiful :3 BR 2 bath ditioned. Out of city limits. deep porch outside city limits. Member Multiple Listing home. Cen. heat and air cond.. well. R.E.A. Power. LIVINGFlorida MARY MOELLER BROKER built-in oven and range. Palm View Estates j terrazzo floors. living rm., dinIng Looking for a split level. Let vs ASSOCIATESE. . rtru halls. WW carpets. builtIn REPOSSESSED 3 BR. 1 bath built. ranch model designed for show you this beautiful three W. Moeller Foster Kessler I kit.. full draperies. 2-car garage in appliances small down payments Indoor-outdoor living. Large corner bedroom home with central heat. Dick Durbin with auto. dr.. Ig lot with monthly payments $85. Located lot lust one block from Stove. refrigerator freeztr well and Irrigation system. 1435 on SE 28th Place. Call FR community swim club. Convenient and drapes included. / 3 Bedrooms 2 Baths NW 14th Ave. Call 376-0773. If noanwer. 22372.If to schools. Two full baths tc call 481.2597.. you have a lot free and clear three bedrooms. Central heat- GET OUR FIGURES FIRSTAll A new community of distinctive - LARGE 3 BR. 2 bath. CCB home. and want a nice home huilt at a Ing adaptable to air condit:on- John! Merrill S 86.53 per month after minimum: FHA homes in the fashionable ing. $500 down FHA $85 month. type masonry construction. Full appliance. Near Llttlewood. retsrnable price call 376-6957 or Terms to suit buyer. Owner movIng write United Construction Co.. NO MONEY OWN VA. $87 3721494MULTIPLE remodeling add-ons and home down. !ncludes insurance and taxes, Northwest. out of state. Call 3723773. 2419 N.E. 10th Ter. per month Includes taxes and LISTING improvements. Call United Con- built-in oven and range. a 621 N.W. 35th St. Insurance. Pay only $100 of Associates: A REAL RANCH HOUSE cosng! charges. MARCELLA PARDIW. struction Co.,376-6957. All Right A COOL BUY 3 BR. IVi Bath, 3 BR, 2 bath, knotty pine kitFhe:\ H. BUCHANNANLAKE Featuring : HUGH EDWARDS 2.1' N.E. 10th Ter. ' AC. WW carpeting. drapes. HW with bullt-lns. beamed telling fireplace - . floors. fenced yard. "7 per mo. fenced: yard ft patio. 2 GENEVA II Including T S. I. Owner I leaving. car attached garage. $19400 or INC. Beautiful custom brick home Ig. / Other 3 and 4 Bedroom FHA homes from Phone 3723784. 71 N. W. 19th 15,600 cash & assume $120 per 376-7971 LR w-fireplace. DR built- -S r5 Lane. mo. 1504 NW 21st Ave. 372-1961. In equip. In kit. 3 BR 2 full EYES RIGHT! 'L tile baths lots of closets ft stg. $16,000-520,250 space. Terrazzo floors, cent. heat Sea real' dream living In Shadow Models to $18,200 ' i iI Lawn Estates. Models Open.F. c! : IN THE & AC Ig screened porch overlooking Down payments from $400.M FUN 100 white sand beach. D. Oliver. Bid,. property extended to Hwy. 21. Ph. FR 1-084 Carport with uti!. rm. $27400. Financing West en NW Jtth Ave. past can be arranged. This the den Springs intersection. j a4Ia VA Loans Available Is an exceptional home. Sur. Sea alga M left. rounded by homes of comparable NOTHING DOWN V.A. value in a restricted area. LAKE Partially GENEVA turn home LR. Ig. kitchen McCOY'SMacoma ($100 Closing Costs) 2 BR. bath guest house Homes 3 & 4 BEDROOM & garage on shady well land , SUN scaped lot. White sand beach extra bonus of almost 2 Inc.For . NORTHCENTRAL FLORIDA acres more or less will be sold attractive 5- Sale. very with this home. .all for $la> Palm View Estatesis bedroom 1-bath home. 4417 000. Financing established. E. University Ave.} walking distance to Lake Forest Court Manor COATS & MOTORS BOATS 6 MOTORS OUTDOOR ;CRTtON. LAKE home.GENEVACB 2 BR. bath. LR w-fire Schools. Price 112.500. $500 Highland planned for professional men and their ___ place. kitchen, screened porch down and $79.50 per month. families. Ig. shady trees and white sand Call Gerald or V. Q. McCoy 12" Plywood fishing boats. 24' GRILlS List of Classifications to Choose beach. An elevated lot with Jr. Day FR 6-7290. nights FR $49.50 HOOD-SPIT AND MOTOR from beautiful wide span view of the 4-5015. Office corner N Main FERNWOOD MODELS YEAR51. lake. $1X000 cash but priced to and 23rd Blvd. Where ALL homes (not just the most expen- THE TACKLE BOX GOOD SERVICE STORES sell. Possible outside financescan m N. "aln m-3S31 Skiing $Swlmmlng.DlvtnCIeck be arranged. 'Ttte Heart Of East GaInesville" sive) have the following quality features: from WALKING DISTANCE TO $12,250 with Oartie Fishing Equipment.FR LAKE up 2-1191. i CB ..SALR w-fireplace ft dining ELEM.. JR. HIGH & PAROCHIAL - Safety Items. area. Lg. kitchen. 3 Ig. BR. SCHOOLS. 3 Bit 2 bath, Owens Corning fiberglass Insulation certified aluminum windows AD\"ERTISE TH!: with extra Ig bath. Screened cent. heat aair cant: extra central heating optional central air conditioning ede/ from $400 down Golfing EQUIIrnent. porch overlooking sand beach quite wiring for all future needs modem cathedral beam ceil. SERVICE DIRECTORY with lot extending to Hwy. 26. Ig. living rm. 20x20', Ig. dining Ings television wire built-in telephone outlets In master Tennis Equipment. 4 car garage. This property has area breakfast area In kitchen. bedroom and kitchen spacious: storage areas Wolmanlzed been appraised at several thousands pressure treated lumber foldaway closet doors full landscaping F Lots of kitchen cabinets. dish IMMEDIATE OCCUPANCY: Baseball EQUIPI'flSflt. Ads dollars over the asking and spot sodded lawns paved streets, curb and S un Want ALACHUA ONLY DEALER COUNTY Where to Fish. price of $18,000. Terms. washer, disposal extra Ig. dbI. gutters fun concrete driveways storm drainage city sewerage MODELS kitchen sink extra Ig. closets double stainless steel sinks gas or electric Tappan JOHNSONSEA MELROSE built in oven and range range hood with fan and filter > Going business establishment. Lg. complete underground sprinkler . HORSE MOTORS built-in cabinets safety edge Formica cabinet tops custom Plus many many I'I'IOnoet CCB bklg. also has living quarters. 4 shallow welL Complete SALES AND SERVICE system Wall Tex .vinyl paper In kitchens ana baths colored bathroomtile Now G Results Lone Star Boats. OrtandO ciipparBoats. operating as a sun Excellent all bathS Moen Dial- dry store. Other possibilities to landscaped. and fixtures builtjn vanities In //RITE. WIRE, PHONE or VISIT SkI supplies. S.lIiftg' rigs. enhance Income. Call or write neighborhood for children. Only ; Cet tub and shower fixtures PLUS resident-restricted Swim Oub IN TIm ADVERTISE I and Community Canter. IAIRD'S MARINE tor fun deas. 3 blks from clam & |Ir. high 601 S. MA'N ST. SERVICE DIRECTORY LAKE LOTS on several large school, walking distance ta Palm View Estates ? : I lakes from $5500 and vp. parochial school. FHA appraisal C ", :, We have several year around rentals S14JOO. Small down payment Safes Office-N.E. 23rd Blvd. and MR. MERCHANT: To place your ad in the now available.WINIFRED will 22nd handle.Ave. and Com see by for 1031 your-NE< 372.3471 372-9545 day 376-9048 night 11th Terrace-Phone H. CRAWFORD rl self or can 374215 or 372-5333 Drive West on 16th Ave., Turn Left at Fun in the Sun section PHONE 372-8441 Midway Reg. Real Metros Estate 8.Broker Keystone for appt. Offered for sale by 39th Terrace To Model Homes. I Heights owner. RobC Saunders. Hwy. 21 Pfc. 475-2981 i1--I I : - _ I : J STCRTLETTW Trf W TB? J DAOc-r2TI-EM; J DUCKS II OUT OT TH" "TANI<. AN GET III ttiflfc fK* MCWSL1FE PUNtf? !OUM5FLAPDOODLES IP "''rHEV car A POt<<) A SCRUB B3USH; tfHJLSICETCOM6 HAD MSHCmajMrp DOWN ER J00ffT FC &5ARCM THE'I1t1 BOARDS! O I O ;; _ O , 0-i F - _ 4 - -- . izct:. : . i. ' . ) . " , ii.:: ..., u .!>....-I:> t. L1 ._-._ .... -- --- -- . . .Tuesday. June 30, 1964 Goinetville Sun 31 85 Houses for Sal 35 Houses for Salt! 45 Furnished Apt 49 Rooms fo Rent -- 6. Misc.; For Sale 66 Mlc For Sat*.: :' REPAIRS INDEX NEWBERRY 3 large BR. 1 FOR SALE by owner. 2 BR. home. FURNISHED apartment. Clean, cool LARGE furnished room for men.weekly .1.rUTOMOBIL bath living rm.: 81 dining rm. Call 1 mile to University and down and comfortable. 25 minutes from maid srvice. linens andrefrigerator 200 LB. capacity chest deep freeze SAVE BIGI Do your own rug and AIR CNDI'ONIN. Tune up E 472-2346. town. Trees. shrubs. fireplace. Gainesvie Access to big lake, Phone 372- only 3 day old. WIll sen for upse cleaning with Blue Lus- Iq f performancetest. CHOICE WESTMORLAND family room. Conveniences. $14- $65 per month. G. 1185. hal 6.2425 H_ electric shampooer SI.McDanielt A and mels ANNOUNCEMENTS I MERCHANDISE ESTATEFor 5fi. 1104 N. W. 14th Ave. FR 6- P. Rippey Melrose, GR 5-5571. A large comfortable front room Rd. Fum Co. GainesvilleShopping Hawes P Motor .. 1 1.I M,.*rt M I sale by refinanclble. 4 565S. with circulation. Gentlemen Cet". C. n t. r. .t WuUi owner cross 5 DRAWER. UNF. CHEST sturdily Serklng Car Tfcmaks to Bar BR. separate living S. Fla. rooms RENTAL only. Phone FR 6-5993. 204 Main St. Phone FR constructed of S L.., A FeuU fi Machinery T*.laBaildlnr dish washer dbl. oven. split leveL LITTLEWOOD ARE 1 BR. $76 m $ with A- st. sne ponderosa 70 Boats-Marino Equ:,. 2561.N S' 4 PenaBallse I.rvISsI a Materials i 4 BR. 3 bath. 2050 1123 NW 3rd Ave. NICE room in quiet neighborood. pine .. 131 2600 ft.. dbl. cent . Travel Infaraittem .4 Olltello" C sq. garage area, central heat built-in kit. 1 2 BR. $77 mo., 1105 NW convenient to bus li. Ph Small 4 Dr Desk ...... SPECIAL auto painting $29.95. Automotive ** I heat 8. air cond.. (9 corner lot blk. from Westwood unfur Large 6 Dr. Chest ........ GRUMN aluminum 12 boat with and CS A. Jr. High. 2 3rd 372-4. repairs tune-up. I Special Netleea U.*esa with many trees. Call 372-1300. Ave. COX WAREHOUSE 602 Main. carrier. Excellent T1.rtstsS KIM. F.. 8U. blks. fr Littlewood elem. schoolIdeal 2 BR, AC$101 mo.. 1105 N 3rd MEN WOMEN. Rooms and apartments S condition. $100. 347 Etc Road. Miller 8.1 Sons, 7 NW 1st St. $14.775 up ON YOUR LOT. Designed Ig. family or family FOURTH SPECIAL Phone 272-791J. baby Sitter. CM Care 7 TntiMg Paste tr I Ave. near Campus. Day OF JULY FR 2-4134. _ 0 FUees Te Ge Ant II Articles Wasted 8. engineered by U. S. elderly persons. Priced for 2 BR. $90 mo* 10 N 3rd Ave. or month; linens furnished.wH Bunk beds $39. reupholstered LRS Taints T. BeeAUTOMOTIVE M Tml oil Weeds Steel Corp.. Homes Division. 2100 roed. sale. 3449 N.W. 13th Ave. 1 B". U mo.. 2nd Ave. 6-2937 $59; apt. size gas stov$29; May. 'crestliner boat & trailer with 85 Abi'ooe.biles for Sale W Beate sq.' ft 3 BR. 2 bath. air cond.. 372-2893. 1 BR. S mo., 1274V* NW Sth St or1C tag wringer $29; dinette h.p. Mercury. motor 1964 .." Marine Eatp.. brick veneer. 2 car garage 3505 QUIET air cond. room private entrance sets $15. $22.50 & thildswardrobe modeL $700.' Financing can b art 1957 . 71 $ Slue 4M white Cawpli.ntpi.U Watch for opening date of new 40 Business Properties Efice.. $mo. N kitchenette linens & util. S12-SO; $8 ranged. 1533..E. Univ. Ave P tier, fr 6 Cylto- 70 Atrvlaae Biles-KcBUla 71 Office MukaJ E..lp-Bert model home. Alachua Homes. Inc.Call 2 SR. unfurn., $55 mo 110 SW 4th. fur men oly. SI2 weekly. $9; chest $7 t S12JO; kitchen a:! 372-12 tQitJ S Cal! 77 MebQe Heates far Sato Mertkaadlso I Frank Thomas FR 6-6690. Excellent zoned BR. Ave. : 372.156. lnt 1 It $15; apt. size r 1958 25 H.P. hand crank ' locall IS Trucks '.r Bale 2, 89 x comr. EHicie. $75 mo.. 212 SE 7th St. S buy and sell used fri outboard engine 300 Jghn 54 CHEVY for sale. Fo mt 'It Track Waited Main and call us b5 No. y Greene. Inc Real 51-A Wonted To Rent clothing an household time. Phone hr tal Iation. call - M TracUrs *Trek Rentals REAL ESTATE FOR SALE NOTHING DOWN VA J. W. Klrfcpatrick Agency, FR for FR 2.317.AVAILABLE Pauline's 1425 Untv. Ave. 376- I ri '$ A 1:0 noon o 4:3 Po at Trailer Rentals 3 BR. 2 baths. 2000 sq. ft. 2-0. 31 N. Main. UF grad. stut wants 2-3 BR 0850. Free Delivery.REPOSSESSED 2.376. t 1:3 P. S3 Late July lit 1 bedroom SI Bfctoreyelea SeoetcraSi fr Sale house $100 per mo. : 1960 VOLKSWAGEN, extra modern air conditioned A. "0 Singer Ztg Zag 73 Musical clee AaUmablle Repairs U WaUrfrcnt Property 41 Residential 1 Income ments for 2 mo. apr incl. Laramie Rd. Riverside decorative stitches Merh'ad. WW tires. radio & heater . S3 U Reuses Far $300 DOWN oly. Cal 37 maks api Aetaaaallcs far SaleM Sale 348S or 3764360.FURNISHED Calif.YOUNG lady owner. Reasonable price. __ 'qu. Swap CarsEDUCATIONAL >. Cottages For Sale NW. 3 BR. 1 bath. walking distance bole WURLITZER g 4 Bedroom 2 bath home. adloming per Cal 36 family of four Als responsible $ S. Ol pyts America's I piano and 87 2 Real Estate Exchanged E to school rental ft. Ig. rooms 1st flr. N U Real Estate Wanted I5 frontage. 300 ppr. .2. 3rd private bath entranc. desires 3 bedroom hoe. PhoneFR m 6G5 I organs are Eart.sian Co. 1961 CHEVROLET tMPAL 4 dr. IS Oat ef Tewi*Property Ave. Will sell together _708 E. Univ. 2180.S2 TRADE your costly to operateELECTRIC I Gaiell V4 ri A l tas U ftckoels InstrictissI or ' I water heater, and Phone M male. D........ 40 BuiacM Prpcrtie I $500 DOWN ratel316 N.E. 3rd Ave. sp 2 Boarders Wanted $48 for glasslined GA i Daler. 703 W. 'University Cii 3. o new 41 BcsJdcatlal Incomet In Northwest FORDYC RENAL Av P 31 G M WUIMlluln.u.aEMPLOYMENT' 3 eR, 2 bath Ig. lot 45. $140. water heater. Mud more ho , Farms ITU 43 Colored Acreage. 3 Bdr.. SE location semi-furn. ONE wanted to share 3 BR water at about half t cost with PIANOS AND ORGANS er,fD. V..ta. lt. Property Rentals 42 Farms & c . Acreage $75.00 Northeast with OUR LP GAS. Several brand pianos and S .ft 11 Week Wanted Male 43-1 Colored Property Sales $900 DOWN 1 Bdr., SE location. efficiency, lege girls. $40 month/ t co. ARCHER ROAD.FR PROANE. organs n U In o teachingstudios. er 5:3 P. 1C W.rk Wasted Female 2 BR. 1 bath Southwest only $51 ACREAGEStock fur $55.00 FR night sell NICE 59 Ford Galaxle 5 convU RENTALS 4 ., SW location unfurn., $115. 6-13 NEW and used chain law Ibstanta fop. PS. R new II Sales Help Wanted per mo. farm 460 acres, complete with s discounts. Gridtey Muic M P H U B.lp-M.II er FceialeU 3 BR 2 bath NW. close to school. registered Angus hogs 3 Bdr.. NW location, unfurn.. ROM and Board for gil Pnvate mower egrl. light Gaivil Shopping C WW tire Asm mh' pay hrd. Phone Brigg Ceer. Cettages Far $125. Many Washing WantedDramaUa Kelt and of equip more to choose from.FORDYCE .Mcine. plats cab .LJ o con Male Help 41 FurnIshed ful lin FR & new and used 25 m my Apta. men?. 3 bath main house, 43. sir m f 4f CBfarnlihed .& .. DOWN tors.. Rental sales and TRUCK LOAD OF USED PIANOS May after pt I:1S $1500 on private lake'Ind 2 ei. s P. U Female Help Wa>U4 : new. Meyers Power Tools. 238 NE Buy now for this fall. to Many 47 Hosiea f Beat 53 Office-Dek SE 3rd Fenu to r 3 BR. 2 bath NW close homes call Mary Moeller Associates JncRErOS Space 4 Sf I 16th Ave. Phone 3763411. choose from. Instant credit.Gainesville 48 B..... ,.r Bent VDf.... iii school and shopping. Alfa Romeo Spider. Phone FARMS & LIVESTOCK 4* B*.mk fir Bern E 2 Acre. paved rd.,.W. of GaInes- PROFESSIONAl BUILDING 202 SEWING MACHINES Music Center & ZS Farm' E..I .*.! 10 372-5431 W. Univ. 360 Betel Beams i vie. $ 96 VA 376-1236 Uvenity Ave. Office space 1964 Zig Zag like 102 Ave. n Feed FertiliserIS 41 Mice, BeaUlaCIA.Wulcd reasonable, downtown buttonholes, nw mrams VOLKSWAGEN '63, S door white LlreiUck 'applies T. BratS fiE DAN BYRD 12 Acres W. of Gainesville on 46 ,Apfs. avalabl. FR 6-1256 or see pliques sews on overcasts/ Automotive wit red ir. one lesser !i! St Landscaping Tap 8aQ B ar4eri Waited paYm1 $00.0 c.I' Mary Unfurnish.c 202 Professional Bulld1n1. raw fan. stitces. .t I car. appreciate. For 50 Pets 8.ppllea INC. appt. 4549351.One . *3 Office Desk Space ASSOCIATES.' Mllr 2 BR, unfurn. apt. kitchen equipped, OFFICE Space For Rent. 111 _S. Phone 372-2051. 51 LlT teck Wa.tedFINANCIAL Realtor II BumessSERVICE Lentils Jack DeYot 1018 195B VOLKSWAGEN Bvs ex. NW Associates MOBILE' HOE, COURT. __ 4th Ave. Call 3-10. SW Third Street. FOR SALE 5 hot water tans 3 77 Mobil. Homes for Sale tra clean, peret. Walter E. Stoddard E. E. Holloway Near busy NEW 1 BR duplex apt., kic gal. with gas heater very tow mia.fan.1 M Baslaess Oppertenilles 2$ Special Christine Stone Ir..o. Low down Hw. eipp. $60 per 54 Business 150 gaL butan gas tank. Com TRAILER HOUSE, built. at 308 St.. b DickHolmes. Services 17 Mraev ta LeaaSS 125 NW 13th Street payments. Ph. ;37643T2 days. Rent,1 plete gauges, 2 crane shallow C1 . 21 Bame Imprevemeata Lewis 10x55, 3 bedroom. equity. evenings. well Inquire pumps. Sall MrtcfiIXoier 24 Radii 'TT Service 372-2511 MARY MOELLER. REALTOR _376-7 THREE car garage for rent. 732 up '60 COMET Station au- Co. Jewelry 5 W..... IS ApplUaea 1'.....,.... Call night or day lOu' W. University Ave. FR 6-4471 LARGE newly decorated apartment NW 1st St. Phone 372-7915. p payt see. 4HII to. tan. radio Wag r. AC . partially furnished. Phone GR KODACOLOR and condition. 3762348. - SUBLEASE building at 279 W. Univ. One S year old x 10 mobile home. 5455. BLACK & WHITE 5 . Ave., next door to Fla. Theatre. FORDYCEREALTOR Must be to be appreciatedfully. Fordyce AcreageLet 2 PRINTS for the PRICE 1 New 2 bedroom duplex apartment Phone 372-0440. All sizes 35 mm o Will sacrifice S3500. Ron Arroismilts 1'6 DODGE DART 270 4 dr. Se 15 Houses for :5a1. 35 Houses for Sole us show you this beautiful for $75.00 per month. Call John GARAGE space tot rent 613 excep exp. roll Ac Rd. Vile da tow mU one ewner. 280 acre farm 11 miles west ofGainesville Merrill, Realtor, FR 2-1494. 2nd St. Call Merrill, .i. 14 of KODACOLOR Traie Par Ave., Lo 1. t exrls. 413 High By OWNER, 3 BR I bath CCS. BY OWNER. 3 bedroom. IVa ball't.1 ; a going ranch fence 5 rooms & bath, downtown area. tor. FR Jon. UNIV. CITY PHOTO SUPPLY. INC. 32 Road. . $400 down. S87 per mo. Joins Fla. ed and crossfenced, tobacco: and room. extra storage. $450 1021 W. Univ. Ave. ' retrig. & stove. Adults. 62 50 100 Greatlakes 1964 CADILLAC less than 5000 x playground and pool in pets. SAAALL warehouse with platform tor area for 7 peanut allotment two tobacco n me Highland Court Manor with year equity. Take up VA I water fur$60 per FR 2. trucks loading & unloading. in home. $500 for equity tak mils Coupe deVille wt. wills paid mortgage of $11.395. at $90 per barns, two utility buildings threebedroom 4621 or m Now Specializing In Lades Better over low monthly payments. blue interior. Ph. 1132 S. Main St. up membership. Call 373-594. month. Phone 376-6819. Walled home. Irrigation system -: 372-16 city lmits Dresses. Close out S 374-0972 after Cal FR u3 4 BR, 2 bath over 2,100 ft. liv- graded road o side, paved ; AIR CONDITIONED apts. 1. 2 or 3 37-1 or 37613 through 56. S3 Each. Exceptional 5:3 64 ing space air cond.. Ideal sq. location patio. large bedrooms In this 4 on the other all equipment I BR, furnished or unfurnished. Immediate COLORED beauty sop for rent. Values. DIXIE MILL SUPER A leader in every way. Service CONVERTIBLESharp ) S2M50 3449. N. W. 11th- Redf ranksRealestate bedroom 2V* bath home In NW. will be Included I buyer I occupancy available, $80 Inquire at 507 5t Ave. DISCUNTS 19 lit Ave first, always. Feat Q\lt I b.c 5 Impale 141 with Ave. FR J-53M. Wall to wall carpeting Is living desires. Call soon as this Is priced per month & up. Couples only. or phone 3-475 or Homes, 4424 1t st telul Average retail room. Paneled bedroom a too low to last. Phone 372-3522 for Mr. Slag et model is 4 BR 2 bath home with paneled charming study with private Arnold Realty Co., 1219 W. Univ. 56 Business .Opportunities FLORIDA Pet Control is NOW 513.WE Will accept any sensible $70 I beau- Fordyce Associates boasting largest supply of BUY o Fla. rm. Lots of room for big bath. Situated on a large Ave. sold by Monday. FR 2- Seasonal Plants. Also call & Call For. us family. Yard tiful lot. Only $21300. lished. Westinghouse shrubbery estab dyce & Associates. Inc.. 376-1234. Inc. Realtors 2 BR unfurn. apart. 216 S.E. 9th 12 LANE BOWLING ALLEY On W. for decorative patio stones, birdbaths USED MOBILE HOMES CORVAIR Monu.6 air conditioner. St. Univ. Ave. for lease. Opportunity Top dollar paid, phone eqUIp married or any of your gardening Color schemed kitchen fea A GOOD BUY In Redwoodconstruction Kitche eqUipp. 376. wit rai tr. this all brick 926 W. Univ. 376-1236 cpl pets wel.- for the right man to get In FLORIDA PEST CON miles. tures probes. Tappan built-in oven & 3 bed roo m. 2 bath resIdence In a delightful neigh.borhood. come. $65 per mo. plus util. Con- the bowling alley business with a FR SPECIAL tres small equity. - refrigerator.range disposal.This& 13.2 home cu. ft. GE on pretty oak shaded lot Within walking distanceof 7 /z acres 10 miles out. tact M. L. Shea 372-4353 or 376- small amount of capita. Call FR 6-2661, 20 N 16th CENTER. 104 x 2' Lot for mobile home. Will pay car for would today In established nelghborh 0 0 d. Westwood School is this 3 $2000 cash 2763 evenings. 6-2641 or FR" 6-230. Ask for .Mr. $1500. Mile S. o PaY equity. Call owner 1724441, sell for SI7,800 OLD Underwood a our price An older reconditioned home there is Prairie. For nearly S. E. SAPP, REALTOR twriter. now $17450. with S850 down. 1900 sq.. ft. of living area. bedroom 2 bath home. AC In- Ph. Fla. FOR QUIET SUDYING. kitch nequip. Haynes. 1 or T. V.. FR cal ext. J 15a Newberry S106.I7 per mo. Exclusive swim Modern heating system. Priced cluded In the low price of only 472-20 2 15 plus util- EXCELLENT dowtow Side I r diamond watd Paul. Otfs 6-3 MGA 19S8 Top cii like club membership. Phone 373-3472 below appraisal and OPEN 114,500 $450 down approx. $84 ACREAGE 3 5 10 acre tracts 372-3797. Service open and doIng Bazaar 113 N. new Interior. Call 2- aft for appt. to see. TO OFFERS. Call 4-0817. a mo. Call Fordyce & Associates. reasonable. Cash or terms. H. B. business win lease to responsible Main St. across street from 1st WYATT- er 7:30 P. 4 BEDROOM 2 BATH Central I I nc.. 376-1234. Standridge. Rt. 1. Box 49. Archer. 47 Houses for Rent Furn. party with adequa t e National Parking Lot. 2300 1964 Chevrolet Impala. new OPPORTUNITYMOVE Air Conditioning C Heat FamIly TerracedIn Fla. capital. Sinclair Reining Co. GUARANTEED 20 cu. chest miles A.T. Dealer Cost. NOW AND BE ready for ing room.dishwasher.built-in This kit. Includ- both front and beck situated on "Selling Florida Since 1906" 1 BR house, lights water fur- PI FR 6 2-12 freezer, S gas stove f. ; elec. Trailer Sales Phone FR (4.0 John Bali, Fall School. Financing arranged on home Is a lushly landscaped lot In the FOSSEY nhe. S62 p m No pets TO SETTLE AN ESTATE. Established stove $29 dlnet. set $15; refrlg all modern. Central Heat and Air t almost,. extras new already with the paid m for ny lit Including SW section. this architecturally 110 acres, rolling, mostly cleared.approximately 37 Re Phone FR Ocala business must be $29; youth b$1. Bargains galore H of 1963 Oldsmobile Jctfire hord- Cond. Near schools: and University chain link fence antenna designed 4 bedroom. 2 bath home. V* mile of paved 2-56 sold. Consists of bar, package Wilam Center. Homes top air conditioned Ml. I a bedroom. 2 bath. drapes etc. Small down can be yours for only $13,710. road frtag$200 a acre. near VERY desirable 3 bedroom. two store, & 17 unit motel. For fur 3.393.CITIZE Shasta an Ao COup Car payment It A low down payment can be arranged baths. Prefer man with fam ther Information call 376-161 and RADIOS sped transmissin assume FHA loan. Alaa Tnl GOING BUSINESSLOCATED NO QUALIFYING. N. W. Area. on this home. Over 2600 Realtor ily. Call to see this hose between ask for Mr. Williams. BAD $60Compiet. Ocalas First Mobil r Home is o Un". City A HOME WITH INCOME In an excellent sq. ft. of Dvlng area. large clas- FOSSEY 447 P. 10. 6th a' photo Dealer 1948 Bank parking lot. See Mr. on N. W. 13th St. area. Very rentable ets and bedrooms and many extra Dick Robinson Associate St. 59 Money Wanted FULLER'S FOTO supne 1723 Silver Springs Blvd Foster or Mr. Johnson at BEER TAVERN Call us for complete features.' Call Fordyce & Associates W. University Ave. Ph 1H Phone apartment and nice 3 bed. 1 376-13 2 Bedroom house 2414 N. E. 6th 619 W. Univ. Ave. FR 6213 the bank. details. Inc. 376-1236. WANT to borrow $4000 second mortgage Ocala . room 1 bath home all/ In excep: 71 top of hill northwest Ave. Corner 25th St. House ALACHUA REALTYAssociates tionally/ clean condition. Ask. Beautifullyshaded of ARES o. Beautiful place to _open. Call o or good Investment. Good more T.V. antennas, S single stack 1964 VW radio. seat bl open- ing less than 14000. 6 214.THREE al risk. Write box 454-A care of $7 double $13 BELIEVE Ing back windows Claude M. "Red" Franks Realtor lot and Interesting livingare build among the trees. $200 per. large rooms and bath, Gainesville Stn. kit. Branfs, 513 NW 8th Ave. rr luggage si mlmr., undercoat acre. Frank B. Howard Real Estate rck. Member Multiple Listing In this 3 bedroom carport, all kitchen near OR NOTSave Myrtle Lassiter AssociateW. yours Box electric CRAFTSMAN 3 wheel band saw. miles. $1650 Phone 615 N. E. 1st $t. Phone 376-2<<1 E. "Bill"/ Harris. Associate home In the NW section. Many Broker 13. Grady Finance Sperry single manor t. Buy complete. good condition. FR 1.0. Co. Office . Springs.Fla. Wnt.c Arie T. Smtm Realtor 7 N. E. 1st St. Phone 3764X17 extra features such as built-in woman o coupl. n ds. 6 Phone FR $ 16. 10 x 46 2 BR furnished - washing $60 23.SEWING S3195. S350.40 down 1961 FALCON Station t dr.. Mabel Gore AssociateFRED Res. 376-2927 or 372-7943 oven and surface unit per mo. 2-111. WANTED good used pick-up truck Wa machine and others. Only MACHINE repossessed per month. R & H. and auto. WW Member many S0 Multipl. Listing Chev. Reason , $14,900. Call Fordyce < Asso 43 Colored Property FOR two RENT bath, Lovely completely.four furnished bedroom, able. A.or Ooge.. 19557., 1. Box Singer Zig Zag makes. decorative Ovr 5 models to choose from tires. good coiti $900. Fi 6- stitches with drop In 9707 and ciates. Inc. 376-1236. home I Florida Park, convenient 193B. Alachua Fla appliques monogra.ns button cams. TRAILER MARTHWY. 2-50 PARRISHPRESENTS COLORED ultra modern 2 BR duple Univ. Prefer Professoror holes sews buttons, etc. Only PHONE 328-1059 THINKING abt t sell o good graduate student & 62 Machinery Tools o 1 sports car put FORDYCEASSOCIATES. apartments, large living and Write Box famiy. 6 110 payments S Call 372 SUNDAYS 1 TO 6 you In a 16 Onl Aln. Extras include ARNOLDREALTOR 47.A dining area. modern kitchen with 372-2051. wire Gainesville Sun.ONE 760 EAST arid 24" metal screw-cutting PALATKA. FLORIDAFor t. INC fan large storage closets terraz- precisIo . heater. Call 376-7824 with 11 swing. me HEARING is one of your zo tile baths space heat bedroom furn. house fenced lath GOD Realtors Sale 1 BR air Multiple Listing foors. r. Can be seen at 2002 valuable assets. Dent neg co fur er water heater. facill yard. NW No mst 1963 Grad Prix. Air. loaded with Broker stion. trailer & enclosed . Grace carprt. Excellent Fordyce N E. 17th Dr. 1-00 to P.M. It. Visit GAINESVILLE'S . extras. Warranty and tow mileage. $60 6:0 Goulden. Associate ties for washing machines. and month. FR FR 64 Dudley HEARING AID CO. TODAY. 620 condifio. MASON MANOR. Neat 4 bedroom streets. See at N.E. 26th 2-2438. 2.988. WBI trade. 3725426atter Benton Associate S. Harvey pave NORTH MAIN. PHONE 376-0095 A. P. 64 Household Goods . 2 bath home. Central call for appointment 372- _ heating and 0. C. Gay Associate 3 BR, 2 bath, $100 mo.. 734 NE 10x55 HOME Crest 2 BR front air conditioning. Lovely fenced I 376-1236 5321 or 3rd Ave. SEWING MACHINE repossessed and MUST leaving Top SHADED ONE ACRE LOTIn 926 W. UnfV. 372-5 McKinney Green. Cal IV* alr-cond., SELL 1. rear yard makes Ideal White Zig Zag, size round rear windowand play area HOMES Inc. FR AIR conditioner $40; refrigerator fl bt. cond. - FOR . Idytwlld 3 bedroom 2 bathwith. n rts for SLE 2-317. like buttonholes. patio Phone FR 6- children. bobbin Convenient to schools awings. $35 convertible couch $30 New ; ; ne. wagen. Call FHA financing available. Central 2 & 3 S St. & 1283. 175 Beros. 2 BR frame home, complete with . WHEREWill chrome dinette set V5; 2 desks sews on mono paint Low heat. 1650 ft. main house SE no buto. Ipplqs MII sq. lb IMMEDIATE occupancy can be had 7t dw pay T.V.piano washing machine and $7 each; and other misc. Items. grams. pay bullf-ln kitchen: $1,000 down to qualified m Some small dow deep freeze. Located 822 N.W. 39th 1963 only 7JOS miles. buy.r.ceNTRAL. on this pleasant 3 bedroom masonry you find more for your money ment. Monthly payment $57 pay Phone 3764190. ment of $7.40 per mo. Small IT'S FOOLISHto TRDren . $3,159. Ave. . home on nice Florida Park lot. than this well located 3 BR. near Steven Foster Sh balance-Phone 372-7680 or 372 eal Also homes built on your and bus Lot 100 BRAND NEW Harmony twin Sacrifice Call within walking distance of S x Hose Terms Gainesville . $12,000.Near Als f for AIR-CONDITIONING 1 bath CB home only for down lne. 11. 2051. pay more. RECKLESS to ", High and J. J. Finley Elementary Llnl wood school. shopping. lt n pyment. car shed work shop. rent foam matress. $30. have pay less. GET THE REAL FR 6.2516. In beautiful Northwest. 3 bedroom TOMMY to room after 5 trait- Schools.ANGLEWOOD. Cal students $95 per mo. Call FR 3682 OFFICE DESK reupholstered I bath with family room and love bus line. Stove. Ref.. & dish Phone FR 2-41J5 P.M. FACTS. Payments as low 6-2524 Nationwide Insurance Office er sofa bed knee hole desk bed a 87 Winter ly grounds. Has built-in kitchenpatio Almost new 4 bedroom washer Included. Easy. to buy. or FR 6-6710 home. room suite. pair pie crust lamp 1. per month with $300 down.- .u.l. and fenced yard. Price Irnly 2 bath Contemporary home. Immediate occupancy.WHAT 44 Cottages for Rent T-A-G APPLIANCES tables; night standsend tac.e.. : GENEVAMoWle CARS 1950-54 FordS $17,000 FHA with $700 down ADULTS oly. 3 Br. furnished Tested and Guaranteed Homes Sales WANTED Central heat and central A-C. Empirestyle love seat < --- Service to qualified buyer. Fenced back yard. Family room. LONGBOAT KEY house. Large living room, dining 42 Refrigerators from 1 vp chairs. Other household It. m a. RL leo SE keystone Hts Fia.. aV Station -' Hem. and kitchen. beautiful built in kitchen. Immediate Air Cond. new beach: cottage near room Front and Ranges fr S vp Nearly-Nu' Furniture Shop. 316 .t ask for $21.950? Liken back re-decor 2 Bedroom with aluminum - BARGAIN PRICE More can you Completely 17 Washers upI traier. 42 prch. ADVERTISE IN THE occupancy.A Sarasota. 1 BR., furn. Weekly- fr N.W. 8th Ave. Fr 6-4892. w 3 BR. 2 bath CB home on ated. n closeIn. Dryers from $49 , Neat clean 3 bedroom 2 bath home monthly. 372-4851. lghborood. up coiti. SERVICE DIRECTORY at 1316 N. E. 12th Street. A-C NW 39th Ave. Just outside City. Very reasable. FR 2- 2 Food-Freezers from up EXCELLENT condition 1 Frlgidaire shady tor pool. Con- PERFECT HOME. beautiful and Room A-C. Shad- COMER'S Lake View Beach Sunday to 1 1 refrigerator. $75 1 Ken- try. G-2. Ph. FR (nit. patio fenced rear yard. $900 Cent. Heat. on 40 a.m. p.m. 2 from $ up ; L 66 town and assume SUJOO mortgage spacious for gracious: living located ed corner lot 130 x 140.Double Big Lake Santa Fe now open! to 9 Weekdays.SMALL 10 -Disaer from $35 up mor automatic washer $70; 1 10 x 2 DODGEDARTDODGETRUCKS In choice Westslde bedroom a location Elec. kitchen. Much Swim Furnished cottage port floor fan $12. Call 5 Hst. carport. - JIM VOYLES APPLIANCE at 44 cent Interest and picic CO. per this 4 bedroom. 3 bath home with an 2 BR CCB newly painted front rear. bath. ' SEE IT. For In Insfa'l 182.00 per month. swimming pool and lovely patio. more. call week .reservation Inside. Elec. kitchen, fenced yard. 419 NW BIN AvPh 3.5 37..27. ed ctlr. living room with fireplace separate WHENHave 412 TV antenna. SM per mo. n G. E. REFRIGERATOR used '! yr. I TORCH. 1 ben grinder 1 floor patio call FR FINLEY AREA dining room. large family RENT modem furnishe cottages NW :t PI. 372-3324. Cot new SIlO, selling for $85. lack 1-12 hydraulic lack; 6-1283 before 9 and after 5. POOLE-GABLE Spacious four bedroom 2 bath carpets and drapes Included on Santa by week tools and other ittems. Cal room. you been offered a BRAND lk o TWO bedroom trailer with cabana 12 Cu. ft.. including freezer. Call nlv 1963 VANDYKE mobile home, 10 home on large lot only two blocks loads of storage space central NEW 3 BR. 2 Bath CB home SISOn. Inlr. Lewis Jewelry Call FR 376-7707 after 7. FR 61. x 50 air 119 SE FbI from Finley school. Large Florida heat and air conditioning.GOOD n pts. 25 citied. fully furnished. An room. fireplace In living room. on V* acre lot on NW Uth Ave. 3 Bedroom furnished house on Swan SMALL furnished house1 blk: KELVINATOR washer J. dryer, excellent BARGAINSMust S f equity 372-4343 Mnelled foyer. Excellent terms BUY. Owner leavIng town for $2X500 Cent. Air conditioned. Lake b week or month. Phone from PK Yonge 3 blks. condition 1st $150 takes. going out of business. 1 3530 S. 2 Ave. Pinehurst 122,500. and must sell. 4 bedroom. 2 bath Double carport Elec. kitchen Low: o.7S5. from Univ. Sc. water Phone 376-4962. Als RC Vic 8 sn.. display meat refrIgerato. _Park, let f. & ? . home. living room. family room. with beautiful cabinets. furnished. $45 per Ph. tor console TV. 2" $100. $150; 1 Toledo scale. ELEGANT built-in kitchen and sere ened D. P, 45 Furnished Apts. 376-3482 er 372-3937. m. ELEC. Range. refrlg., washer; S50each. ; cash riste. 8 Motorcycles & Scooter Centrally air-conditioned and heat- porch. Central heat and centralair WHYPay $25 2 rock $15; and other useful Ites ad three bedroom two bath home conditioning. Priced to sell. I CifeAN, well turniihed 2nd floor 48 Houses for Rent Unfurn. era $Coch.. Cofee pat 372- cost. Call FR 6-5461. 918 N. W., 1962 Mustang, perfect condition. VOLIJWGEN eutslde city limits. Cozy panelled 5th Ave. Gainesville Fla. new. Can be seen at bath, 5968 _ Los family room with old brick fir.. NEW WESTSIDE restricted residential rent when you can own this 4rooms. kitce por. $75 Amco Center, 3302 NW 3 BR, I bath at 5010 New- 1 bath dark clean 3 BR. bed. sparkling hom JENNY Lynn spool place., extra Completely large screened equipped porch kitchen subdivision acre lots paved home for only' a few hundred dol. nice air conditi.lare. berry Road. Stove and refrigerator 66 Mise .For Salt. has box springs and mat m lit S I ph. 376-5 after 5 streets. Inside lots $3950 corner ha. $125 Included. 1 lease, $135 P. unlimited closets and storage homes lars down and $76 per month. FR year in good condition; u space thermopane sliding glass now lots $4250.before Select the next your Increase. Hardwood floors. Carport. utility 2-4957. morning, noon or night. per month. Call JOHN MERRILL REFRIGERATOR $60.portable Phone FR 2-13 1962 Mop. $90. In excellent con & storage. Immediate occupan- REALTOR typewriter i S19 radio $1, porchrocker after 6 P.M. doors. Fall-out shelter. $32,000. CLEAN furnished apt Private bath. 372-JU. ;MR conditioner $40; rerigerat 3761 . Reasonable. NW 1st PL 3 story house good cond.. V* acre $7. Screen doors S3, camp $35; convertible MILLER. ARNOLDRealty M. M.PARRISH UNIVERSITYREALTY 15 yard. 15 min. ride on 4lanehighway cot $2. adding machine $10 Rollaway chrome dinette set $li> 2 S I 1 BR duplex. 608 NW bed station top furnis to Gainesville. $60 mo. $ wag each; and other Items.Phone BROWN 24th 1 per. month. Phone Call 591-2431. carrier $ set Fr 376-6190. m MELTON eaWoesse 372-0337. Haviland chlni sero for 8, __ 1030 L Uniy. ivia CompanyMultiple UNFURNISHED 3 bedroom house, Porto $ 5 I COSCO net $12 Babyrest . EFFICIENCY APARTMENTS. $50 $50 month. Unfurnished 2 bed $ payp. FR 2-3582 Listing Member piece formica dinette $19., metal cir. con 121. W. Univ. 'Ave. 3723522Msoclates 1115 N. Main St. Ph. 372-4351 month. Phone 41-20. room house, S month. Furnished cedar chest S apt. gas stove verts to kitchen ; 9x12 MOTORS : Pets Stag I ASSOCIATES. INC W. M. Munroe Realtor EAST SIDE dupe apt. monttu FR $3,. chest $ night stand S brown carpet $10; Call 3767944or J'ne Caldwell F. W. Hodge H. Wayne Hill Helen Graham Associates "7 drop leaf gateleg table $25. see at Apt. 278-5 Corry 703 N. Main St. Charlie Mayo I Carolyn Gardenhlre Mary Parrish S. E. McLaughlin. Frank Roby. beds chests. Village. PAINT Jim Sheppard GARDENAPARTMENTS J BR. 1 bam at 1117 NE 31st beds lnleum. Bob Kalkman Jimmy Greene 19 N E 1st Street TeL FR 2-5375 Roy McCann. T. C. Douglas. JrI -- -- Ave.. $100 per mo. University Bargains galore at IBr i I REFRIGERATOR good condition FR 6-7571 Realty 372-4351. excellent condition : oil $80 drclatc. N.W. 8th Ave. I $30 Can JOB 2A BEDROOM CCB house. 410 SE s gas stoe $57 per month Automatic GE 2717. upGainesville's LEAVING TOWN. Fred 36-3l I SERVICESHome Finest _lthStreet.d5permo.CaIIFRO2245 after 4:00 PM.. stove washer, ,and power refrigerator.mower, : ;APPAN Clock controlled e. -In Furish or unfurnished J I BR, 1 bath Fla. rm., garage. and gas heater 9 x 12 red oven rotlsserie $39f.burner w" lely 2 bedroom apart Range refrig. $125. 737 NW CON maple bcas. work table. only brain.Free Regular 30-gallon glass Mned CRANELNCOLNMERCURY $3995At 309 NE t St. Phone 376- Ave. Call McKinney Green Inc. and acces included. See heater 960*. Realtor 372-3617. sory. 3437 Archer Rd. FR 2- 1J water Full gas. 12 S.W. 1st A.I 376-53 VERY attractive spacious upstairs 3 BR., house N.W. NearUniverlity. 2 Foam rubber lnes corner - And Business Si Tla Maria I i 2 BR furnished apartment.Only eip.Pn table. 2 e tlbe 12. Sims t MPORTS FOR SALE Pernod Inca Creme de I $70 per month. FR 6-5270. FR 2- hideabed cst Vilets Sake N.E. 2nd St. $10. nightstand Valet $4. Pisco Metua Caf Exp.s HAWESPOWERSBODY I 7 I 'j AVAIL July 1st 2 BR. CCB house cite set $25 S$7. Bookcases Ouo. Mercury-Comer-LJncoln ,,2 I BR furnished apart. with fur $75 per mo. Phone $2 to des to Lamp WINNJAMMER SHOP p I 506 E. S $ Draperies RemodelingDO 15tti Near St.University.or call S at 411 372-348 or ;11. $1. meter Miscelan Uniycnit 611 S.W. 3rd St. 2S per 1 bedroom good neigh ous household articles. 3..2.T.Y PACKAGE STORE. YOU NEED. Florida room. extra mo. hs. shopping cen Glnenie .72.451 FR 2-0538 NEW low prices on Fabric of Custom room. more room roof work. 1 8EDRoM completely lurnlsh- br. schools $100 per m double-stack.antea. S3$13.00 single Itac 1 i J20 SW 2nd Aye (at RR tracks) made draperies. Complete or maybe a complete new home? nearI.ce Can ki.. I uptairs dostair 3-30 Jim Voytes 41* am , Insta nation. Lacey's Drap- For a free estimate. & guaranteed N : THE FOR Phone 372-6102 c. 3 BR ufur house, $70 per mo. REMINGTON elec. good COREC cry Shop work. phone Cad lam Avt. Call GR typriter. Waters. 372-8649. per mFURNISHED 1l.Nj 12 E.. University cltl $115. Cal .fr 5:0 TIME . Landscaping P. 3 Sale i Sewing Machine Repair air conditioned RETA COWLING'S UPHOLSTERY FR 2-1411 opts., under construction. 2 a 3 br. homes fm unr Cir low I s No money Wan LANDSCAPE SERVICE Avail. Sept. 1. $100 per APARTMENTNear low as S p m Courtesy Of Grass-Sod-Garden MainNurserystock CALL SEWING MACHINE; SER month. Call Wayne Ma- Univ. Beautiful 2 BR. Free estimates of all kinds.CREVASSE'S I VICE CO. SIS W. University ERNEST upper Apt. completely furni livery service. All w guaranteed. University Chevrolet '63 station wagon TEW REAL- son. NURSERY Ave. ;376-1075. We repair all Phone Call 3'-7 Aye. Landscape Co. : Makes. Work fully guaranteed. TY. 376-6461. MARY MOELLER. REALTOR N. Main St. it 16th wagon, automatic transmission, In. $OPArdividual FR 6-1514 for free estimate. 3 ROOM. 2nd floor. hot wi.fur ,.1 W. University FR 64471I Farm OPEN Fresh AIR Fruit MAKE reclining seats, extra nice. JL J/3 nls alt No pet $50. I'3 I BR 2 $11$ 3405 NW Come 4431 .Vpa. TELEVISION S Ie 13 bt m a Value Rated ' ADVERTISE IN THE, 7 10th 11.' 61 Falcon station wagon automatic SERVICE DIRECTORY I Refinished Need Apartment or House? J BR 1 Dr.Call bat. SIN m III N SHRT WAVE RADIO S 40-B.RECEIVER Very good Used Cars transmission, radio, heater .. . .$995 inside and out. PICTURE TUBE Repair SpeciaL $1 McKtnney Green. Inc. Appliance Repair & J I per Inch plus Sit to install rnGttubes. ed 2-4625.er unfurnIst Furis toe, FR 1-M17. Real aion. ,5 Call 363"ROE'S B&G MOTOR CO. '61 Rambler station wagon automatic trans 1 Year Warranty. Special Lawn Mower Sei. I Air Conditioning Mortgage Broker Reconditioned TVs from $9.95. NICELY furnished convenient 49 Rooms Fo RentAl a back at old It a 5. W. Oldsmobilo mission, air conditioned, radio, $ I >IQC ,THE 7 VARIETY S.E. 1st Ave.STORE .Ct Inquire area. Us At o. University 1st Ave.I class'repairs. as and*1- 2001 Cadillac Uth St. heater, power steering . . 14 y D trl MORTGAGE MONEY ps R cooled room $8JO per weekor H A.I HANDYMAN SHOP SVi per cent Interest. Terms to 4 Technklan's on all with makes.$4 years experience Cto S month. 372-C48I. Wly '60 Rambler station wagon, overdrive, Sftyi p First In air conditioning and Appliance 25 years.BUY CCB dup 1 bedroom, spacious p repairs. we sell guaranteed BUILD REFINANCECan QUALITY T.V. ANTENNA SALES cab.and c osets. Quiet loca LARGE room Hot at 1221V and coM W. UN radio, heater. . . . . *fD washers, refrigerators etc. I. SERVICE FR versity Av w.t FR 60067.ApproiOI. Dan Byrd AH Channel Antenna Kit $14.95 ti 2-76 f 1 $ for 1 p RAMBLER '60 Chevrolet 9 passenger station wagon, S2S NW 13 St. Ph. FR 2-2511 KWIK FIX TV SERVICE CEAN living room |ust retur- pr' mt FR 6-21 o . newly I BR apt. Mr. automatic transmission radio Service FHA and conventional at lowest 471" N. W. 10th Pn. 372-3177 at 1202 NW pl $75 .J $1195 current rates. Terms to 25years. m Ir 2 81. p FOR 1 bath or 2 : heater. . . . . . I Will gladly discuss at no Tires Alignment 62C Realty. vats :: SELLING SPREEALL 372-1646 or see ' . FRED B, ARNOLD obligation.. W. KIRKPATRICK.Call tomorrow.J. Realtor Brake Service CLEAN, cool downstairs unii- Ave. 59 Pontiac station wagon, automatic $OQC REAL 1STATI REALTOR APPRAISAL 31 N. Main St. Ph. FR 24494 h f $75 per mo.ap. NICE cool, downstairs corner room transmission radios heter, nIce. . O/D SERVICE VACATION SPECIALON o.316 NE 3 Ave. P close I O street parking. Antenna EXECUTIVE CARS FRED B. ARNOLD - E., 2nd ' P19 W. UNIV. AVE. PH. J72-3S22 REALTOR famous nationally known Mohawk fs 5 S 59 Plymouth, 9, passenger station wagon, tires . Save up to FURNISHED I bedroom 47 Ft PL FR 22 FHA AND CONVENTIONAL LOANS 50"% on new tires. See our new mobile home private tot, water 2436V* N. W. 2nd Ave. A room I DISCOUNTS UP TO 800 automatic, radio, heater, power $795 Auto Equipment U19 W. UNIV. AVE. PH. J72-3S22 wrap more around mileage retread& traction.that gives Lettmer _furnished.FR 61.2C27 N.W. 31st Place. for men from only In cottage has separate steering.. . < . . . , GLADYS Smith" Realtor FHA Tire Co. 431 N. Mile St 2 Bedroom vate ri p ' JACKS rebuilt ft and conventional toons. Low Qwiet. modern N.W. b dpx era R7 IN STOCK A LARGE SELECTION 'OF AIR 59 Raesbler station wagon, radio, (795( HYDRAULIC 2 2.2 rates. Terms to 25 veers. 122 Tree Service Phone ) s! heater. : . . exchanged Repair Hits tor W. Untv. Ave.'372-5393. R7 CONDITIONED SEDANS WAGONS 6s J 4 .' . Walker ". Factory authorfed 2 furnished 1 '! walker Hydraulic jack F. H. A.. & Conv. Loans A-l TREE SERVICE BEDRO pets. 311.p Roulerson f 8s. '59 Rambler American station"wagon, & Pruning ca- demossmg bracing sE. I $645 Service Agent. HULL os BRAKE FORDYCE 8. ASSOCIATES. INC. Phone FR SERVICE SUPPLY 1314 REALTORSH6 bfeina tree removal Cavity S 6I Motors heater. .. . . *_- . Main FR J-1491 WU&v.PAINTING 876-1236 work' i tree feeding. Lawn servIce DUP 1 Bit, Lit. Kit 4 bath. 1611 HAWTHORNEROAD In and Meet Our Courteous Salesmen: ..0. - & insured.and maintenance.Free estlsriutes.TrOy Licensed t L S,porch reas.& yard.ent Nice I. Ce. (Polie) Holder. Elmer Miller Cecil 5f .Ramolcr dati. ,g'O; i>- $QO *% Gloss' P Auto n--... 376440. Jack w- r. 372-52S5 heator.-. . .m. Simmons. Hoyt Howard Hurd. Albert ; ,6. Exterior decorating and painting. _444-34S2. Gainesville, Fla. ef Used Cars tmQ1S. .. : ."t". AUTO GLASS la our onry bustness. Free estimates. Phone 372-5814. GENT.ap. share 13th H- TRUCKS 11 Plant. Soles 57 F 0 I. ,. .; $ InstaflaHonifree WINDOW CLIANIHG! b S JUP r thon'ogontlg6 Immediate Opt Seaday 1 S 395 pickup A delivery. Add. Plumbing WINDOW cleaned floors cleaned Av..M C. C neoter* .:r...,. .;;. .: . .. - beauty (. value to your' c. LARGE SELECTION OF and waxed house washed. 10 80 x It NEW MOON mobflo heme- CR - AUTO GLASS CO. 56 Chevrolet MAULDIN'S INSTALLED VT,,. experience. Free estimates. atr-cand. WITH cad WiTHOUT tin SEWER 875 woi 545 FR 6-2558. , 323 N W. ettt St. .. p I AIR . NEW *' used fixtures" complete Phone ft 2-S9SS. _O swim. pool. GAINESVILLEAUTO one owner . .. 't. .; . BulldozingSMALL plumbing service 'BIGJIM I BR nous* trailer. ** ; RM HUGULEY. Gainesville PlumbIng rent. Avail.' MOTOR bulldozer loader dump FR 2-1g Sun Want Ads O Archer Id Phone .Ut. 1007 N. Main St. RIDGW'MOTOR trucks fill dirt time rock. Top I BR fl garage at 309 FR 2.6313 CO. oil. Phone 372-7S46. UphobNhrUPHOLSTER SE per a.Cal 3762641 .. RIDWAY ask for Mr. NorthCrritrwt Florida. ._ furniture atrtaaonabla Get Results I -23 ,BULLDOZERS & Dragline, tack yew - boa. wheel tractors. motefr / prices. Call salty.Experienced. 3 ROOMS & no children er LorgMt t I 1131 S. MAIN I ,ST. FR 2.8433 ..*... Free esrtmetta.- W.0.. FR *4 M.' did pete. S4. b 1 See 719 .eV .. D ..12-8433 _ sIlKS) Johnson, FR 421tV He W. um Tar. I I Univ. Ave. I . --- .. T"CLASSIFICATION , '( .. I " . __'_ . % Gainesville Sun ,Tuesday Jun. 30. 1964 . slaying of Lee Harvey Oswald,1 Ruby's HearingNot President John F. Kennedy's At FLORIDA PEST CONTROL] New FreshSeaWater accused assassin. j & CHEMICAL CO. ,Hope for this Year Tex. (AP-An Paris Meeting ] ;; :., DALLAS assistant FREETermite district attorney says 3T tUl U ark' tdiritr>; : use some form of distillation,![braves by electric fields. PARIS (AP-Premier Iou -1 Jack Ruby's appeal of his con- ....' the favored form being t he"Multi : Gheorghe Maurer will lead a NEW YORK .Frpra ancient- Technical Made Flash" This Another method being triedat viction of murder will not be Romanian government delega-, InspectionAnd times'men have ;dreamed of'removing Progress ; process. some.sites, such as. the new heard by ,the Court of Criminal tion on a visit to France next EstimateNO salt, from seawater so takes advantage of the fact 0. S. W. complex at Wrights- Appeals this year. month for economic and political : OBLIGATION- that the deserts;*:might|flower, Cost is Big Obstacle that water not quite hot enoughto ville N. C., is to chill the seawater ,Asst. Dist. Atty. Jim Bowie talks. WHY- TAKE CHANCES yet only in recent decades' has vaporize under a given air The trip comes during a rift! causing of crystals 6-2661 said that the delay would be DJl{ economic between' advancing technology-made this pressure will do so immediatelyupon over policies freshwater ice to form. :The ice caused the time needed to I I by Bucharest. possible.on a large scale. al' locations: could produce both effort. Many inland regions of entering a chamber at is Moscow and removed washed and melt- a trial record that p The oil companies, in particular water and ,electricity economi-. the world lack .pure water, lower pressure.In ed. The simplest technique of allis involve prepare 5,000 pages.A may have gone in for big cally. greatly hampering their devel- of smaller plants a variety i the solar still the use of plants in areas, such'as the'Persian Nuclear poWer would convert opment. This is true for example jury assessed Ruby's pun Need moneyto techniques are being tried the sunlight to evaporate fresh wa- ishment at death after con- where water is Gulf scarce seawater to steam that would of the northern plains and fuel, to distill the water is drive electric generators before states of the U. S. and adja- most common being electrodi- ter from salt water. victing him of murder in the go to the World's Fair? When salt is dissolved in plentiful alysis. being condensed for public use. ,cent areas of Canada. , Otherwise however, the, cost By 1975, the.group said such water it tends to break up into ENJOY FLORIDA 'LIVING IN A ,Get an HFC Trave/oan : Of the three plants in the U.S. charged ions. In is plants should be able to produce electrically so high that few communitiesare I , Show the futureat . tempted to build such several hundred million gallonsof that can produce a million gallons electrodialysis these are drawn your family FLORIDA Pool! Swimming the New York World plants. The demonstration plantat water daily as cheaply as 25 daily, one of. them in Ros- through special plastic memo Fair. An HFC Travdoan Freeport Texas, produces cents per thousand gallons. II well, N. M., also converts can cover every expense to million gallons a day at a cost This is still far too expensivefor brackish water. The supply I Orchids by Rivers Construction Co.A the fair-or anywhere. Cash of thousand $1.17 per gallons. irrigation. Hence such plants available there is two thirds as for transportation, lodging, By contrast Los Angeles was would be economical only where salty as seawater. The otherin For QUALITY POOL Backed by a clothes-cren camera: : recently paying only six cents domestic' and industrial water operation are on the, Gulf of FULL 5 YEAR WARRANTY equipment. Borrow \II per thousand gallons of Colorado and Her . needs were considerable.In Mexico another will be confidently and repay River water. two big American plants 'FfaischokiFinance. now conveniently.at Some believe the great the past 15 years 14 plants 2 SIZES 16x32 and 20x40 built at Guantanamo CREVASSE FLORIST Bay : "breakthrough" in desalting have been built in various partsof Cuba. Priced at$3,000 to$3,500 ; 1d 41arQls b@)IIId- - 2015 S.E. Hawthorne Rd. technology still lies ahead. This, the world with cpacities in Phone FR 6-2514 NO MONEY DOWN-5 YR. FINANCING C: s..,. :- . to some extent lies behind the excess of one million gallons a I Almost all the large plants '--- - current emphasis of the Depart- day. The complex at Kuwait, I WITH EACH POOL YOU CET Borrow to $600 ment of Interior's Office of Saline -on the Persian Gulf turns out Filter System -,Skimmer Pool Brush Diving ,Board up EARL C. MAYand Take to 24 months to Water or 0. S. W., on bas- 6.6 million gallons daily. There! Pool Light Test Kit Step Ladder Vacuum Cleaner up repay ic research. are two large plants in the Ba- Leaf Net Ask about Credit Life Insurance on loan at group rate... One factor in reducing costs hamas and others are at such '$ R II JACK C. MAY CALL FOP FREE ESTIMATE'NO OBLIGATION has been the construction of locations as Taranto Italy HOUSEHOLD FINANC very large plants. Another has Elath, Israel. and Welcom, Representing a RIVERS CONSTRUCTION CO. I Ej been progress in making nuclear South Africa. .o Nt S I power less costly. ,This led a The latter converts brackish The Equitable Life R 1909 EAST, 5th STREET presidential advisory group on I water to fresh, which, economically Assurance Society DIAL: 622-7049 OCALA, 107 W. University Ave., 2nd Floor April 1, to propose that extremely is one of the most important s Phone FR 2-3576 x 622-7048 FLA. PHONE: FRanklin 6-4524 large nuclear plants at coast. aspects of the desalting, j 1 to _ . - ' ';,;i:>"'C:: ; i I\ p 1 -: > ; I y J, IiLoxsT 5 : ; I r s I JuLY. r , 1 # ZI , Ft ; ,, 10 . nr l J J ,. r J . J i z 2 .se. HERE ARE JUST A FEW OF THE ITEMS YOU'LL FIND REDUCED AT COX'S Q 3, DAYS ONLY . . . . _, ; ..... .... / a4, 4ed 4, 4ed mal4 reg. 199.00' z $119.90 Danish walnut finished doubt>> dresser with You'II'find just t h. or Loose Cushion. plastic top mirror and panel -- -- wPS ? t e accent piece you need. atCx's $169.00 Contemporary Modern Sofa with Contemporary Sofa bed save $30.00 .. .. ,.... .. .. :. 8795 e walnut wood trim-light beige $9995 f I C ; July Clearance., 189.90 Bassett double dresser mirror, king b There are' many. many $199.00 Modern Foam Sofa and matching SAVE $9995 sill panel bed with swing,frames .. | XW'5 o Chair-perfect for den or family room 12995 99.05 C listed here. more items not $219.85 Triple dresser mirror 5-drewer chest and your :t Sale prices are good for $revers-,0 only 3 days-Wednes- 1 day Thursday' and $269.00 Loose pillow-bock sofa with foam $234.00 Colonial double>> dresser mirror, bed"and chestin . Friday, so hurry in tomorrow rubber cushions-save, 90.00 t.. '17900 reg. up to 99.00 antique. finish .... .... . . . 179'.95mop. | - and take advantage of $349.00' Pullman Sofa-traditional Your Choice of Chairs French Provincial; fruitwood double dresser. ... $319.80 the savings--:you'll be style with tufted bock .,. . .Ikirtecl19 900 mirror bed powder i '- glad you did. $349.00 Modem Sofa by Craft-solid wol- Modern, Traditional, ColonialSAVE table and chair ... . . .. ... .229 9S nut base with built-in tables . . .19995 , French Provincial Whit $453.95 Antique 72" triple $5000 dresser with twin mirrors king size m $289.00. French Provincial Sofa and motch-229 TO $49 panel bed and night stand ... ......29 900 tins cho.-both pieces only .; 00. \, ":. eVi'D .. kd4 ad +- d dJu} 'UUIt4. " ! ,a 4 /a reg. 219.00 , fr Wrought Iron Foam- $49.95 s-pc. metal dinette-plastic top t s / E. B. Malone mattress and box spring. Cushioned Sofa, 2 Chairs, table and 4 plastic upholstered chairs 3991 S twin six., .- 4995 i End and Cocktail Tables $119.00 Colonial 5-pc dinette-maple finish round f.bl..ad 4 skirted side chairs. ft 9 9S $139.00 Colonial Sofabed and matching eau tyro t seat construction .. 89 9S 16995 $179.00 S-pc. metal dinette; by Howt It- plastic top extension teble and 4 choirs. '2995 1 .. Li $99.00 E. B. Malone quilt! mattress and box $219.00 Temple-Stuart solid maple roand extension spring-rwia or full size-both pieces. :. 6995 table and 4 Captain " + chairs save 59.05 149'5 J $139.95 Simmons Sobbed>> in vinyl.plastic. 29.95Captains v .. reg. $308.70 Italian Provincial round pedestalextension . Beautyrest seat construction 9995' Chairs I In table, arm chair and 5 sid. chairs'! Q QOO $189.00 King size foam rubber>> >> sleep set Colonial Maple $355.65 Bassett modern round extension table wit ', by E. B. ..........13995. 3 leaves arm chair. 5 tide ' SAVE UP $1795 chairs and 48" china 2895 .. $279.50 Simmons Hide-A-Bed Lawsoa $12.00 $405.00 Brayhill! Forward 70 extension I rras style- leeps two-save 50.00...... .2900 t.ble.rse I chair, S side chain and chi. 29900.-J ; .. FREE DELIVERY North Central : NO INTEREST ON . > "Furniture LAY-A-WAY City"r R OUR 90 DAY PLAN Florida 1001 WOftcferfulBuys Buy now and tare. OR Largest . .,, We'll hold your fuynrturoTAKE UP TO 36 MO. Furnltu- . e :s until you're ready for de-, ( I. TO PAY Store. 19 SE 1st Ave.. lirery.J _ _ r1fRNnUR; r1f111 11fBfr FlflNtRlRI fURIJEfUfI! ox FtIRMItUfH FNnuE FUINnuftt F tMlNlUfiE NllMIYB[ 1UBNflUf VUUmvu jthtNHUu o fulwnunz , ., ,.. ; ;;: - J ': , ct J" ; l ,-isi.i.+ -- ,.: # , Contact Us | Permissions | Preferences | Technical Aspects | Statistics | Internal | Privacy Policy © 2004 - 2011 University of Florida George A. Smathers Libraries.All rights reserved. Acceptable Use, Copyright, and Disclaimer Statement Powered by SobekCM | http://ufdc.ufl.edu/UF00079931/00161 | CC-MAIN-2018-43 | refinedweb | 79,480 | 77.13 |
Why Use ASP.NET for Web Development
Why Use ASP.NET for Web Development
Join the DZone community and get the full member experience.Join For Free
Introduction
I.
Background
I am a student of Computer Science and it's my hobby to ask question related to technology, and around me, there are some highly professional developers studying Software Engineering in the University. Oh well, they're all older than me,.
Why People Hate ASP.NET themselves. This is the only reason people love Android more than iOS or Windows Phone.
Oh well, ASP.NET has also gone Open Source, to remove the downvote of the open source lovers. But still, the standard of the ASP.NET has not fallen.
Why They're Wrong!
Well, people don't try ASP.NET by just reading about it being a product of Microsoft and then skip it. Atleast they must once try it out, I myself started: The above example is from ASP.NET Web Pages.
There are many points about which I have had a chat about with my fellow students, the first of them was the...
Syntax. Not only this,.
Flavour:
- C#
- VB.NET
- Visual C++.
Tools it again a better choice to work with.
Managing the data.
ASP.NET itself.
You can learn more about ASP.NET by using it, I am just here to tell why to use ASP.NET, not how to use ASP.NET.
From personal To Enterprise.
Security Features
ASP.NET is more secure than PHP, PHP is more secure than ASP.NET!
Don't think there.
ASP.NET has a security namespace that defines all the methods that a company can use to protect its system. You can create Roles, use Membership class, etc.
HTML style editing
In ASP.NET, you can stylize the document on the runtime. PHP doesn't let you do this!....
I, myself have...
..
Opinions expressed by DZone contributors are their own.
{{ parent.title || parent.header.title}}
{{ parent.tldr }}
{{ parent.linkDescription }}{{ parent.urlSource.name }} | https://dzone.com/articles/why-use-aspnet-web-development | CC-MAIN-2019-04 | refinedweb | 334 | 71.61 |
Gordon Tyler <gordon at doxxx.net> writes: > > What exactly is it that you do with interfaces in Java? > > Enforcing a contract between objects, i.e. if you want to work with this > object, your object must implement this interface. [...] > I suppose the thing I'm really missing is compile-time type safety. If you want compile-time things to fail if an object isn't implementing an interface, then no, Python has no equivalent of that. If you want to make runtime assertions on interfaces, then you can do it like this: class Foo(Base): _interfaces = ['IFoo','IBar'] def implements(self, _if): return (_if in self._interfaces) or Base.implements(self, _if) foo = Foo() assert foo.implements('ISomething') Of course, this does only allows a runtime check that the class declares that it has the interface, not that the class actually implements the interface. This is like Java: even though the compiler can check whether the class implements all operations of the interface, it cannot verify whether all these implementations follow the interface contract (which may include invariants like "\forall x:foo.push(x);foo.pop() is x", or complexity guarantees). Regards, Martin | https://mail.python.org/pipermail/python-list/2001-October/072575.html | CC-MAIN-2017-04 | refinedweb | 193 | 56.76 |
Hi,
On 23 août 2012, at 10:52, Florin Pinte <fpinte@yahoo.com> wrote:
> Hello,
>
>.
I'm having trouble understanding the issue here.
>.
Then, you could probably do the following:
- install ApacheDS (the Directory Server not the Studio) using specific windows installer
- use Apache Directory Studio to :
- Edit the configuration using the ApacheDS Configuration plugin
- Edit the schema of the server using the Schema Editor plugin (which can be exported
for ApacheDS in LDIF format)
- Edit the data of your ApacheDS instance with the LDAP Browser plugin (browse/add entries,
import LDIF files, etc.)
The ApacheDS instance should be easy to launch either:
- from command line with our bat script
- from the service utility in Windows.
Regards,
Pierre-Arnaud
> Regards,
> Florin | http://mail-archives.apache.org/mod_mbox/directory-users/201208.mbox/%3CDBF7E15A-BDCC-4DD9-B6FD-10F0FFF6762B@marcelot.net%3E | CC-MAIN-2016-40 | refinedweb | 121 | 51.99 |
Write a calculator program that says welcome to the calculator. It then asks if you want to multiply, divide, add, or subtract. Then once you get into the multiply, divide, add, or subtract loop it will do the calculation output the answer and then ask if you want to do another calculation or exit the program.
Example
Welcome to the calculator!
To multiply use m, to divide use d, to add use a, and to subtract use s
Input first number
Input second number
You chose to multiply. The product is 20
Do you want another calculation (y/n)?
Here is my code so far:
import java.util.Scanner; public class calculator { public static void main(String[] args) { char answer; String input; int firstnumber; int secondnumber; System.out.println ("Welcome to the calculator!"); System.out.println ("To multiply use m, to divide use d, to add use a, to subtract use s"); Scanner keyboard = new Scanner(System.in); do { System.out.println ("Do you want to multiply, divide, add, or subtract? "); keyboard.nextLine(); input = keyboard.nextLine(); answer = input.charAt(0); if (answer == 'm') System.out.println ("Input first number: "); keyboard.nextLine(); input = keyboard.nextLine(); firstnumber = keyboard.nextInt(); System.out.println ("Would you like another calculation (y/n)? "); keyboard.nextLine(); input = keyboard.nextLine(); answer = input.charAt(0); } while(answer == 'y') if(answer == 'n'); System.exit(0); } } | http://www.dreamincode.net/forums/topic/19521-calculator-program/ | CC-MAIN-2017-22 | refinedweb | 225 | 54.08 |
):
- Document Object Model Prototypes, Part 1: Introduction
- Document Object Model Prototypes, Part 2: Accessor (getter/setter) Support.
Well, difference between Vista IE8 vs. Windows 7 IE8 kinda amazed me… Will it be same on final or more goodies to come out soon?
For instance: on this URL, IE8 Beta 2 shows as it should be… (Left of the content picture, the index listing) as same as with many standards compliant browsers. Yet, it fails on Windows 7, adding those list object down to bottom of picture. Is it a standart failure?
Where’s the addEventListener methods? Those are the biggest items on the interop list by far.
You state:
"Earlier this year however, a revision that has come to be known as “ECMAScript 3.1” began to make rapid progress toward standardization."
This revision was instigated by, promoted by, and is primarily driven by yourselves at Microsoft.
Thanks for all the work on updating the JS. Particularly in regards to the DOM prototypes.
Disclaimer: I have not been able to do testing in IE8 to date (test machines on a budget….), so some of the things mentioned below may be irrelevant. If so, then ignore me and thanks for all the hard work.
In regards to the ECMA 3.1 standards support, do you plan on supporting the array extensions such as forEach, every, etc? These are not only part of the draft but are supported by every other browser available (and added to every framework to make IE compatible). The utility of these functions is immeasurable and are defacto standards in modern JS programming. Adding these as native array.prototype functions should be quite simple and should definitely be part of the IE8 release code (if it is not already).
Please put in support for the DOMContentLoaded event that is supported by every other browser vendor. While it may not be part of any final specification, the utility of this event is beyond compare. The headaches in trying to simulate this in IE are huge. As a developer, on things that are this useful and widely accepted as required, I don’t care if it is part of a standard or not, it is a must have. This is not a situation of something brand new, it has been in the wild for several years now and the behavior behind it is well defined (even if not standardized).
In a related note, adding support for custom events (e.g. onFoo), is a desperately needed addition to IE (almost on par with the need for the DOM prototypes). I know that switching to the W3C event model (add/removeEventListener) is not going to happen this release and I am sure that there are huge complexities with changing event models. Understandable. However, allowing for the assignment and creation/dispatching of non-normal events under the current event model should be a high priority. Given modern ajax style event driven programming, the ability to create custom events is an integral part of the toolset. Having developed an x-browser event library, I can honestly say that at least 2/3 of the code in that library was for the sole purpose of hacking around this limitation and the DOMContentLoaded limitations in IE. I expect that every library/framework developer out there will tell you the same thing. A quick if/else to toggle between attachEvent and addEventListener… not a problem…. writing 100+ additional lines of code to error catch and mimic the entire event model for custom events (including bubbling, cancelation etc) to make IE do what everyone else does by default…. very very painful.
If you guys are as set on supporting AJAX and related programming as you claim, then please support the needs of modern programming "standards" (in addition to the support for actual standards).
Thanks
@ozonecreations – while we’d love to do the array extras, I don’t think it’s in the cards this release. However, given what Julian just mentioned, there’s a strong possibility that we will see these some time in a future release of the browser. Thanks for the other feature suggestions, as I mentioned, public feedback helps drive what we decide to work on during the planning phase.
Re: custom events: IE has supported createEventObject and fireEvent for many releases now, though it’s not quite interoperable with the W3C’s createEvent and dispatchEvent ()
Travis –
Thank you very much for your post! Your participation here can not be over-estimated and all of us web developers out here *thank you*.
This is all awesome stuff and most, most welcome.
2 questions for IE8 (I assume it will be called "JScript 5.8" 😉 )?
1. Where are you guys at on the Web Workers (i.e. threads) capability being built into FF 3.1 / Webkit nightlies? Some very cool stuff can be done with those, but we really need Microsoft’s participation here.
2. I know that Dean has mentioned that you guys are ‘not in a horse race with Firefox and Webkit on JavaScript engine speed’, but I think that’s the wrong approach to take. JS engines are becoming faster and faster – the Squirrelfish Extreme engine is *an order of magnitude* faster than IE8beta2 on the Sunspider tests. It’s using virtual machine optimization techniques that have been around for a while, so they’re not exactly new things – they first showed up in the Self language over a decade ago. For those of us building sophisticated JS apps, speed counts. I know you’ve got some amazing language people over at Microsoft, and I can’t help but think they’ve been seeing what’s going on with the other teams. I’d love to see you guys close the gap here, I really would :-).
Thanks again for your info here.
Cheers,
– Bill
As for the question on how we use prototyping, getters,setters and overwriting methods and properties in IE? – Easy. We use it to overcome the buggy or non-existent implementations in IE. With IE8 coming out we hope we won’t need to do this but the good news is that we’ll be able to fix things ourselves.
1st fix?
Asking for the .value of a Select Element? no problem, the getter will *now* return the true value, as the browser would submit it (known IE bug not returning the innerText value of the selected option element if the value attribute is not set)
2nd fix?
When the "click" event on a radio button is fired, we’ll check the state of the selected radio button (if it changed) we’ll fire the onchange event rather than wait until the user has .blur()’d the field since the value has already changed.
3rd fix?
Autocomplete will be set on every form when the native form.submit() method is called.
4th fix?
Remaining buggy .innerHTML setters (Table, Select, Object) will be fixed to work properly and not hang the browser.
5th fix?
appendChild(textNode) for script and style elements will be fixed.
6th, 7th, 8th,… – we’ll have to see what new bugs, old bugs and regressions IE8 ships with.
Now we just have to wait another decade for IE7 to be deprecated. 😉
Web Using Adobe Flex in Visual Studio What’s New in Internet Explorer 8 – Responding to Change: Updated
WebUsingAdobeFlexinVisualStudioWhat’sNewinInternetExplorer8-RespondingtoChan…
Whoah this is good news! Now we can fix the broken stuff ourselves!
Excellent news
I would like to know more about the plans for IE after the release of IE8. From the response about extra array methods Travis suggests that further improvements will be made. Can we expect Microsoft to start making more regular updates to the browser.
Is there any hope that SVG will be included in a future release?
gah.. wtf ?
why can you be interoperable just once ? always reinventing the wheel, although always touting interoperability. Interoperability is only a word in your dictionary, it has no real meaning.
Object.defineProperty ????
and then you call the __defineGetter__ legacy and old.
Why can’t you just support what already exists so the code will out by default in IE? Why does every developer in the world need to run to fix code for each IE release?
That why developers hate IE. You’re not interoperable with noone nor consistent.
Travis, do you anticipate supporting Object.defineProperty for regular JS objects in IE8?
For example:
var someObject= {};
Object.defineProperty(someObject, "myProperty", {
setter: function(newValue)
{
return (this.__myProperty=newValue);
},
getter: function()
{
return this.__myProperty;
}
});
Please forgive the formatting, I’m certain it’ll get screwed up.
We need SVG support and Download manager!
Eduardo Valencia
@satan:Does "ECMAscript 3.1" mean nothing to you?
Let me get this straight… you wouldn’t change the UA string in the first beta because you felt it would Break The Web™, but you have no qualms about changing the getter/setter syntax in the __release candidate__?
After all that hemming and hawing about backwards compatibility, you’ve led quite an effort to get ECMA to standardize on a non-backwards compatible syntax.
I also find it odd that you managed to get the "concurrence of all the major browser vendors" on your "more flexible API" when in your Aug. 26 proposal, Microsoft and Google personnel are the only contributors who work for a browser vendor.
What level of input did Mozilla or Apple or Opera have to this proposal?
Wow. I just reread my own post. It sure makes me sound like a jerk.
But my point remains valid!
Honest question since I’m not seeing it in the Working Draft…
Where in the new standard is it proposed to be getter and setter? I thought it was supposed to be the syntax defined in section 11.1.5?
@Edcuardo
We don’t really need SVG and the current download management is good enough for nearly anybody and the few that have further needs can download a downloadmanager
[quote]@ozonecreations – while we’d love to do the array extras, I don’t think it’s in the cards this release. [/quote]
@Travis – Adding the array extensions is (or should be) one of the simplest things you can do. I’ll give you the code. Mozilla posts the code on their website for writing compatibility… They’ll give you the code. Not including something this simple, yet universally used, is silly. Look around at the various frameworks out there. They all have a "if(IE){ fix arrays}" block of code. If you want to get developer (moral) support, then you can’t drop the ball on the simple/little stuff. This isn’t a case of re-architecting the application.
[quote]Re: custom events: IE has supported createEventObject and fireEvent for many releases now, though it’s not quite interoperable with the W3C’s createEvent and dispatchEvent[/quote]
You are talking about script generated events (which you don’t support fully since they don’t bubble and aren’t cancelable). I am talking about true custom events which you have no support for.
Try this and see what happens:
function customEventTest(elemRef){
elemRef.attachEvent(‘onFoo’,function(){alert(‘I know kung foo’)});
elemRef.fireEvent(‘onFoo’);
}
DOM prototype exposure is great. The getter/setter stuff is great. But then we get the querySelector functions that are hamstrung by the selectors they support such that we still have to code our own instead of using it. You can add that but can’t add the basic array extensions that are in the specification your own team is helping to write? Come on. Rate your priorities on actual usefulness.
I’m not trying to be rude here, but I keep reading that this release is going to have all of these great updates for developers and ajax support and all of that. Yet, when you look at the results, we are getting about 1/2 the support needed, which leaves us basically ignoring your additions and continuing to bloat our code to compensate. That is why we scream so loudly. It feels like you are creating these tools and have great ideas, but have no experience in real world applications.
Sorry to be so negative, but frustrations abound.
@ozonecreations / MSFT: The Array extensions would be a very wise move since if you don’t support them natively we’re all going to have to keep our (slow) hacked implementations in IE for another DECADE. The faster we can get this stuff out of our code and into the browser code where it belongs – the better.
PS if the generated events are not cancelable, what’s the point? either provide full support, or don’t bother. (IMHO)
Well this off topic, but the basics come first. Therefore would someone please explain why IE8 clientHeight returns 4px more than any other browser on the web??
Right now the options are to UA sniff or force every page into compatibilty mode! Not desirable from a browser supposedly supporting the "standards".
I wonder if you would consider including jquery and script manager as part of the browser.
This would save an initial download of nearly 500KB (uncompressed) or 100KB (compressed) each time a user visits a web site for the first time.
Remember these huge files can be stored on each users machine for each web site they visit that uses these technologies.
I am cetain that I and many others would seriously consider using the script manager if their users did not face this huge download penalty.
You can also be sure that if Microsoft took the lead on this issue that the other browser developers would follow, think of the early advantage that would be gained by IE.
This idea was first proposed here:
All of the discussions regarding ECMAScript, DOM, CSS, whatever, is moot if this RC candidate of IE8 continues with its multiple failures upon attempted launch that I have and continue to experience under Vista.
God help you, because the market will not, if the final release is anything remotely close to experiences that I see with this release.
I agree with the other posters that array extras should have been included by default. In your rationale for changing the syntax, you twice cite the usefulness of these additions. Why put the onus on developers?
I’m fed up with microsoft. Decisions like this one are absurd. In France, Firefox market share is 31%, keep up the good work, and we won’t have to care about IE in a couple of years.
>"Why put the onus on developers?"
Because there are millions of you and probably only dozens on the IE Team?
>"Decisions like this one are absurd."
Following the standards is absurd? This community cracks me up!!!
>"Therefore would someone please explain why IE8 clientHeight returns 4px more than any other browser on the web??"
Because clientHeight refers to the available client area, and IE has a shorter toolbar than whatever other browser you’re testing?
Wow, the getter thing is amazing. You heard it here first, folks: "we gain interoperability by implementing a feature that’s in all other major browsers in an incompatible way."
/facepalm
Yeah, I can’t believe the IE team hasn’t heard all of the complaints!
I see it everywhere: "That darn IE team… they keep implementing standards instead of doing proprietary stuff."
Oh, wait…
Good stuff.
I initially thought it would be better to implement __defineGetter__, __defineSetter__ just for backwards compatibility.
But I guess until now they have mostly been used to implement:
– IE-proprietary DOM-properties on other browsers, or
– Mozilla / Webkit-specific web-apps.
I presume those things will still work, so no great loss.
And the ES3.1 approach does seem more flexible and forwards-compatible so all good.
@Larry
> We use it to overcome the buggy or non-existent implementations in IE.
Exactly! I’ve said this before and I’ll say it again: if IE Team fixes all the [DOM HTML, DOM Core] bugs, then there would be very little use for defining getters and setters. Again, the top #1 priority in my opinion should be on bug fixing, bug fixes.
> Asking for the .value of a Select Element?
Bug filed:
Voting for that bug (389742) would help everyone involved/concerned about such bug.
> IE bug not returning the innerText value of the selected option element if the value attribute is not set
That one has been fixed in beta2:
> Remaining buggy .innerHTML setters (Table, Select, Object)
Why not use DOM HTML methods instead/rather of innerHTML for IE 8? They should work as expected.
@Barry Carlson
> explain why IE8 clientHeight returns 4px more than any other browser on the web
1st: there are browsers which support window.innerHeight
2nd: document.documentElement.clientHeight
is not exactly the client area; document.documentElement.offsetHeight is not exactly it either but in practice, it can be assumed to be the case.
3rd: your very own code
<!–[if lt IE 8]>
<style>
body {margin:0; padding:8px;}
</style>
<![endif]–>
removes body margin (8px) for IE 7: as far as I can see (your testpage is far from self-explanatory, easy to understand), that is precisely why IE8 clientHeight returns 4px more
4th: #box {text-align:center;} is illogical since #box has no inline [element] content. ""The [text-align] property describes how text (and inline elements) is aligned within the element." CSS 1, section 5.4.6. Other {text-align:center;} declarations in the code are unneeded, unnecessary.
5th: setting the document root element’s overflow property dynamically should do/achieve nothing; again, this seems unneeded, unnecessary.
Regards, Gérard
."
@Gérard Talbot: the issue with setting .innerHTML on tables and selects is that it (at least historically) has been MUCH faster to dump in HTML markup rather than build a DOM. If IE8 renders a DOM dump as fast as .createElement(), .appendChild(), setAttribute() called multiple times then thats fine, otherwise the 2 major spots where .innerHTML would be very handy are filling a select, or filling a table. Both of which are horribly broken in IE. 🙁
@Jeff Watkins
Unfortunately, defineProperty support for native objects has not been implemented (primarily due to the late timing of the feature change).
In the example you provided, our implementation throws a script error on the call to defineProperty so that we future-proof allowing this desired behavior in the future (there’s a very low future compatibility risk to switching a script error for working code unless you write code that depends on a script error 🙂 (please don’t do that!)
@The Array Extras
Sorry, "in the cards" may have sounded like we randomly select features to implement! We clearly see the value in providing array extras–no question about that. Feature design is never done in a vaccuum, and we consider all the other goals of the product release and make trade offs depending on what we think we can build with quality given the resources we have. In truth, this release has focused heavily on the goal of 100% CSS 2.1 conformance (from a web platform angle) and in that area IE8 really shines. Of course, we’ve done some nice work in other areas of the platform which should not be discounted. Your continued feedback (like what you’ve already said about the array extras) will helps us prioritise the next big things we should focus on in an upcoming release.);
};
All this stuff sounds great, hoping the final release will have even more, but I wonder why you chose to do not let all of us to try this RC ( I mean people that do not have Windows 7 yet – I downloaded at home but how can I test in a production environment where bugs or problems are more frequent? )
Thanks in any case and kind regards.
P.S. add the canvas tag before the final release, please
@Travis, about Array Extras: I think the post was about one very simple fact, this particular feature is useful, code is already there for the taking, and since it is a previously-unsupported feature with no conflicts, implementing it would be little more than copy-paste-compile (grossly exaggerated, of course); it certainly is not "done in a vaccuum".
(unproductive dig) If, however, IE’s source code is so fragile that any code pasting will cause buffer overflows and crashes all over the place, then all right.(/unproductive dig) IE’s code base has, however, been cleaned up quite a lot since IE 5 – so I don’t think that’s the case. I hope, however, that it’s not a "not invented here" rejection.
It may just not have been considered until now. Nothing prevents you from pulling a Mozilla: it’s not planned, but then we work hard at it for a few days, and voila! All ready for late beta / early RCs.
Or is there an IE 8.5 planned, for this kind of additions? And don’t tell me that can’t exist, IE 5.5 fixed a lot of CSS1 bugs present in IE 5.0, while at the same time adding filters.
@ Gérard Talbot
You effectively rubbished the demonstration page (which had been used originally as a valign testpage), and made an ineffectual argument as to why padding was affecting the outcome of clientHeight. Padding has been set to enable the page to render per W3C browser standards in IE7 and earlier, and is accounted for when the derived clientHeight is applied to the div height.
1.. The revised page has one div which has its height dynamically set using document.documentElement.clientHeight.
2.. The switch between IE8/7 is achieved using the recommended meta tags:-
<meta http- or
<meta http- therefore the browser window and client area is exactly the same when switching IE8/7 (in the same tab). The IE8 and IE7 pages are identical except for the above meta tags and the link which includes a CSS hack for the link position in IE7 (another subject).
3.. Overflow returns the scrollbar in IE8, and as stated earlier the clientHeight in IE8 is 4px greater than the client window height returned by IE7 or physically measured.
4.. Open the url in FF3 etc. and of course there is no change to the innerHeight/clientHeight when changing between pages. FF3 will respond equally to window.innerHeight or document.documentElement.clientHeight.
5.. My question still is, "Why does IE8b2 return 4px more clientHeight in the same window than IE7 which returns the correct clientHeight??"
Regards, Barry
@Barry Carlson – #5 sounds like an issue with the 2px beveled edge around the client area. In standards mode we’re trying to fix the discrepencies we’ve had in the past between the CSS layout coordinate origin and various DOM coordinate APIs. For example, it’s a "classic" bug that web devs have to account for a 2px difference between event coordinates and CSS coordinates when working with mouse interaction. If you think you’ve found a bug, please file it on Connect–we want to know about it.
-Thanks
@Travis
I sometimes feel that I’m bashing my head against the proverbial "brick wall", but your comments and advice are appreciated, and I will follow-up as suggested.
Regards, Barry
Okay,
I am a computer technician by trade looking to enter the web development / design area. I currently use FF 3.0.5 and IE8 beta.
I’ve been having problems with IE crashing every so often and I have all of the event viewer listings but I don’t know where to submit them to discuss the issues. I want to see IE8 perform as well as FF so that consumers have a choice of browsers.
I don’t agree that IE8 is less secure than Firefox, it just uses a different way of securing the browser.
I don’t like the command bar at all. Give me a choice to return to the standard toolbar, navigation buttons and menu on the left.
I do like Firefox interface and the plugin system. I use IE7Pro and that has helped functionality of IE.
Keep up the good work of keeping us informed!
What I am looking for is a couple of good mentors that can assist me with what I should learn and focus on in the web development area.
I know of the Beginning Developer site at MSDN, and I am a member of ACM and IEEE Computer Society which provide over 5400 online courses that include web design and development. Plus both offer 600+ books on Safari and Books 24/7. So I have resources available.
If you are interested in communicating with me, please send an email to dinotech at comcast.net I’m checking my email via web right now because i am working on the OPK for Vista and Windows 2003/2008 on my lab computers at home to create a recovery partition.
I appreciate any help or advice you can give me.
Please visit or for more information on those organizations.
What about you guys try to pass this test with a 100/100???
Please please please, would make life a lot easier for the mos of us…
oooh, forgot another thing:
Animated PNG pics support too thank you! 😉
This is one of my favorite times in the product cycle. IE8 is platform complete and as we get closer
Yesterday was a significant milestone in the web’s continuing evolution—the announcement of ECMAScript,서 기능의 사양에 대한 글을 쓰는 것은 (꼭 필요한 사항이기 때문에) 정말 즐거운 일입니다. 어떤 사양에 대해서도 특정 설 조화 | https://blogs.msdn.microsoft.com/ie/2009/01/13/responding-to-change-updated-gettersetter-syntax-in-ie8-rc-1/ | CC-MAIN-2018-30 | refinedweb | 4,269 | 63.59 |
Name | Synopsis | Description | Attributes | See Also
#include <widec.h> int wscasecmp(const wchar_t *s1, const wchar_t *s2);
int wsncasecmp(const wchar_t *s1, const wchar_t *s2, int n);
wchar_t *wsdup(const wchar_t *s);
int wscol(const wchar_t *s);
These functions operate on Process Code strings terminated by wchar_t null characters. During appending or copying, these routines do not check for an overflow condition of the receiving string. In the following, s, s1, and s2 point to Process Code strings terminated by a wchar_t null.
The wscasecmp() function compares its arguments, ignoring case, and returns an integer greater than, equal to, or less than 0, depending upon whether s1 is lexicographically greater than, equal to, or less than s2. It makes the same comparison but compares at most n Process Code characters. The four Extended Unix Code (EUC) codesets are ordered from lowest to highest as 0, 2, 3, 1 when characters from different codesets are compared.
The wsdup() function returns a pointer to a new Process Code string, which is a duplicate of the string pointed to by s. The space for the new string is obtained using malloc(3C). If the new string cannot be created, a null pointer is returned.
The wscol() function returns the screen display width (in columns) of the Process Code string s.
See attributes(5) for descriptions of the following attributes:
malloc(3C), string(3C), wcstring(3C), attributes(5)
Name | Synopsis | Description | Attributes | See Also | http://docs.oracle.com/cd/E19082-01/819-2243/6n4i099tm/index.html | CC-MAIN-2016-36 | refinedweb | 240 | 60.55 |
Table of Contents
Remez tutorial 2/5: switching to relative error
In the previous section, we saw that
RemezSolver looked for a polynomial P(x) and the smallest error value E such that:
Where f(x) = exp(x).
A look at the error graph indicates that the error values in -1 and 1 are the same but the relative error values are not: it is about 0.15% for -1 whereas it is about 0.02% for 1.
Representing the relative error mathematically
We actually want a polynomial P(x) and the smallest error value E such that:
Fortunately
RemezSolver is able to find such a polynomial, too.
Source code
#include "lol/math/real.h" #include "lol/math/remez.h" using lol::real; using lol::RemezSolver; real f(real const &x) { return exp(x); } real g(real const &x) { return exp(x); } int main(int argc, char **argv) { RemezSolver<4, real> solver; solver.Run(-1, 1, f, g, 40); return 0; }
See the subtle change?
solver.Run is passed an additional argument,
g, called the weight function. We are now minimising the following expression:
Where f(x) = exp(x), just like before, and g(x) = exp(x).
Compilation and execution
Build and run the above code:
make ./remez
After all the iterations the output should be as follows:
Step 8 error: 5.030406895171767736787912690964980879985e-4 Polynomial estimate: x**0*9.996278957172137756013002477405568253404e-1 +x**1*9.979387291070364307450237392251445288594e-1 +x**2*5.028986508540491482566165849167001609232e-1 +x**3*1.764862321902469630550896534647276819692e-1 +x**4*3.996291422520886755278730528311966596433e-2
We can therefore write the corresponding C++ function:
double fastexp2(double x) { const double a0 = 9.996278957172137756013002477405568253404e-1; const double a1 = 9.979387291070364307450237392251445288594e-1; const double a2 = 5.028986508540491482566165849167001609232e-1; const double a3 = 1.764862321902469630550896534647276819692e-1; const double a4 = 3.996291422520886755278730528311966596433e-2; return a0 + x * (a1 + x * (a2 + x * (a3 + x * a4))); }
Analysing the results
Again, the polynomial and the original function are undistinguishable:
However, the error curve now looks like this:
We accomplished our goal: the relative error is minimised; it is about 0.05% for -1 and 0.05% for 1 (versus 0.15% and 0.02% respectively).
Conclusion
You should now be able to weigh your error function to control the final error curve of the minimax polynomial!
Please report any trouble you may have had with this document to sam@hocevar.net. You may then carry on to the next section: changing variables for simpler polynomials.
Attachments (2)
- fastexp2.png (13.3 KB) - added by 7 years ago.
- fastexp2-error.png (18.6 KB) - added by 7 years ago.
Download all attachments as: .zip | http://lolengine.net/wiki/doc/maths/remez/tutorial-relative-error | CC-MAIN-2018-47 | refinedweb | 429 | 59.4 |
>> 3 is ready now!
VIVE – Zombie Shooter
Zombie Shooter was my 7yr old sons first choice. When I got the Vive, his favorite game quickly became the Space Pirates. He’s always been a big FPS fan (mainly playing TF2), and wanted me to make one too. Where he got the Zombie idea, I’m not sure, but it seemed like a good fit and a reasonable one to put together.
In the Zombie Shooter, you have one goal…. stay alive..
The zombies keep coming, until you’re dead. They spawn in waves every 10 seconds with a 10 second delay between each wave. Their spawn rates are slightly randomized as are their positions, but they come from all sides. In addition to that, some of them like to run!
Result:
I really liked the result here. After a bit of iteration, my wife seemed to really get into it as well. If you watch the video, she went for almost 6 minutes in that session alone. The mixing of slow zombies with fast ones adds quite a bit of intensity to the game, even though only 12% of them actually run. My kids haven’t yet had a chance to play it though, so I won’t know the full result until after this post goes live. I’d love to hear from others though on how you like it.
Implementation:
This game has a few interesting implementation details that aren’t present in the previous ones. It takes advantage of the mecanim animation system and has some basic wave spawning.
Guns
The guns are were a little difficult to calibrate. For them, I’ve added a mesh from a gun pack and a “Gun” script. The script checks for the trigger pull of a controller, and when it’s pulled does a raycast using Physics.Raycast. The Raycast actually comes from an empty transform placed at the tip named “muzzlePoint”. I also use this to determine where the muzzle flash should appear.
If any Zombie is in front of the gun (detected by the raycast), I call a TakeHit method on the zombie. Other than that, they have a reload timer which is adjustable in the editor and currently set to 1 second. If the timer isn’t refreshed, I just ignore trigger pulls.
They also have a laser scope, which is actually a copy of the one from the Dungeon Defense game. This is toggled by the grip buttons and helped my wife get used to aiming. Once she had it down though, she was able to play fine without them.
Zombie
The zombies took a little longer to setup due to an issue I had with animations. For some reason, my walk animation wouldn’t properly move the zombie using RootMotion. In the end, it turned out that just re-importing the walk animation (deleting and re-adding it) fixed the problem. I got the Zombie and his animations from Mixamo.com. I believe they’re free, but it’s possible I paid for them and didn’t notice. There are also a variety of other cool zombie animations on there, but I didn’t want to go overboard on prettying this game up right now.
When they spawn, they have a 12% chance to run. If they fall into that 12%, I just use a trigger to switch animation states from Walk to Run. Because I’m using Unitys RootMotion, the zombie starts moving faster without any other changes.
Aside from the animations, there’s a basic call in the Update() method that just finds the player by a tag and does a transform.LookAt(). While this wouldn’t be the best way to go in a real game, because you’d want to use proper navigation, it was fine for this quick project. If the zombie is in “attack range” of the player, he’ll make a noise from his audio source, play an attack animation, then kill the player (restart the level) if he doesn’t die within 3 seconds.
I also have the TakeHit method mentioned above in the Zombie. This method reduces his health by 1 (initially I was going to require 2 shots, but ended up doing away with that). When the health reaches 0 (on the first hit), I switch his animation with an animation trigger and make him schedule a GameObject.Destroy after a few seconds via a coroutine.
Spawners
This is actually the longest script of the game. Because of that, and because there’s been some interest in code samples, here it is:
using UnityEngine; public class Spawner : MonoBehaviour { // Note I don't use the NavMeshAgent. I was planning to but decided to ditch it for the simpler method of .LookAt // I do still use this _prefab though, so the zombies have a NavMeshAgent on them. To cleanup, I should remove this // but I wanted to show what I initially planned vs what actually happened. [SerializeField] private NavMeshAgent _prefab; [SerializeField] private float _respawnTimerMax = 5f; [SerializeField] private float _respawnTimerMin = 2f; [SerializeField] private float _waveDuration = 20f; [SerializeField] private float _waveDelay = 10f; private float _countDownTimer; private float _waveTimer; private float _waveDelayTimer; private bool _spawning = true; private void Update() { _waveTimer += Time.deltaTime; if (_waveTimer >= _waveDuration) { PauseSpawning(); } else { _countDownTimer -= Time.deltaTime; if (_countDownTimer <= 0) Spawn(); } } private void PauseSpawning() { _spawning = false; _waveDelayTimer += Time.deltaTime; if (_waveDelayTimer >= _waveDelay) { _waveDelayTimer = 0f; _waveTimer = 0f; _spawning = true; } } private void Spawn() { var randomOffset = new Vector3(UnityEngine.Random.Range(-1, 1), 0, UnityEngine.Random.Range(-1, 1)); var agent = Instantiate(_prefab, transform.position + randomOffset, transform.rotation) as NavMeshAgent; _countDownTimer = UnityEngine.Random.Range(_respawnTimerMin, _respawnTimerMax); } }
I want to note that this is not to be taken as an example of a good / clean script. It is in-fact pretty terrible and messy. In a real game, we’d have a state system that would handle different game & spawn states. But as a throwaway, it gets the job done fine. Also, if you’ve used Unity much before, please take note of and start using [SerializeField]. If you don’t know what it’s for, or why you should be using it, please read my article on the subject here.
Up Tomorrow: Catch Something | https://unity3d.college/2016/03/17/7-vr-vive-games-day-3-zombie-shooter/ | CC-MAIN-2020-29 | refinedweb | 1,034 | 73.07 |
This tip/trick demonstrates a complete and easy solution on how to get JSON formatted data from a web service, and map (deserialize) it to custom .NET class for further usage.
As an example, we will use service which provides latest currency rates formatted as JSON data. Here is a sample of how that data looks like:
{
"disclaimer": "This data is collected from various providers ...",
"license": "Data collected from various providers with public-facing APIs ...",
"timestamp": 1336741253,
"base": "USD",
"rates": {
"AED": 3.6731,
"AFN": 48.419998,
"ALL": 107.949997,
"AMD": 393.410004,
"ANG": 1.79,
"AOA": 94.949997,
// ... more values ...
}
}
So, how do we retrieve them through C# on the server side and use them? Read on to find out.
Json.NET library provides an easy, and de-facto, standard way to convert (serialize) .NET class to JSON data, and JSON data back to .NET class (deserialize).
The easiest way to install Json.Net library into your .NET project is via NuGet Package Manager Console by running this command:
install-package Newtonsoft.Json
Alternatively, if you need to install it manually, download it from its project page on CodePlex.
If you are using Visual Studio 2012+, you're in luck, since you can just paste a sample JSON data and it will create a class for you, To do that, first create a new class .cs file, select it in project explorer, than copy sample JSON data to clipboard, go to EDIT > Paste Special > Paste JSON as classes (thanks to Dave Kerr for this tip). More information on this feature here.
If that won't work for you, or you'd prefer to do it yourself, you'll need to define .NET class manually. It must exactly match the format of JSON data provided by openexchangerates.org:
public class CurrencyRates {
public string Disclaimer { get; set; }
public string License { get; set; }
public int TimeStamp { get; set; }
public string Base { get; set; }
public Dictionary<string, decimal> Rates { get; set; }
}
Note that property names are not case sensitive, but the name has to exactly match the JSON one. Also, notice how "rates" JSON property is matched to a Dictionary<string, decimal>. If "rates" would have a singular value, they could alternatively be matched to an Array or IEnumerable.
Dictionary<string, decimal>
Array
IEnumerable
Now we will create the following universal method that can be re-used for any .NET class, where 'T' represents any .NET class that you need JSON data to be mapped to:
T
using System.Net;
using Newtonsoft.Json;
// ...
private static T _download_serialized_json_data<T>(string url) where T : new() {
using (var w = new WebClient()) {
var json_data = string.Empty;
// attempt to download JSON data as a string
try {
json_data = w.DownloadString(url);
}
catch (Exception) {}
// if string with JSON data is not empty, deserialize it to class and return its instance
return !string.IsNullOrEmpty(json_data) ? JsonConvert.DeserializeObject<T>(json_data) : new T();
}
}
Here, at first, an instance of WebClient() System.Net class (a part of the .NET) downloads data from the specific URL as a plain string.
WebClient()
System.Net
string
Then, this string containing JSON data is mapped (deserialized) to any .NET class provided (CurrencyRates in our case).
string
CurrencyRates
Deserialization is done via Json.NET library's method JsonConvert.DeserializeObject<T>(json_data), which attempts to match all JSON fields to the same .NET class fields.
JsonConvert.DeserializeObject<T>(json_data)
In this example, a call to a universal method _download_serialized_json_data<T>() can look like this:
_download_serialized_json_data<T>()
var url = " ";
var currencyRates = _download_serialized_json_data<CurrencyRates>(url);
(Please note: if you want to use data provided by openexchangerates.org, first you need to get your unique App Id here:^, than replace YOUR_APP_ID in the sample above.)
YOUR_APP_ID
And that's it! Now you can do anything you need with the data you've just retrieved.. | http://www.codeproject.com/Tips/397574/Use-Csharp-to-get-JSON-data-from-the-web-and-map-i?fid=1725708&df=90&mpp=25&sort=Position&spc=Relaxed&select=4271668&tid=4270835 | CC-MAIN-2016-07 | refinedweb | 630 | 59.5 |
The best answers to the question “How do I use valgrind to find memory leaks?” in the category Dev.
QUESTION:
How do I use valgrind to find the memory leaks in a program?
Please someone help me and describe the steps to carryout the procedure?
I am using Ubuntu 10.04 and I have a program
a.c, please help me out.
ANSWER:
Try this:
valgrind --leak-check=full -v ./your_program
As long as valgrind is installed it will go through your program and tell you what’s wrong. It can give you pointers and approximate places where your leaks may be found. If you’re segfault’ing, try running it through
gdb.
ANSWER:
How to Run Valgrind
Not to insult the OP, but for those who come to this question and are still new to Linux—you might have to install Valgrind on your system.
sudo apt install valgrind # Ubuntu, Debian, etc. sudo yum install valgrind # RHEL, CentOS, Fedora, etc.
Valgrind is readily usable for C/C++ code, but can even be used for other
languages when configured properly (see this for Python).
To run Valgrind, pass the executable as an argument (along with any
parameters to the program).
valgrind --leak-check=full \ --show-leak-kinds=all \ --track-origins=yes \ --verbose \ --log-file=valgrind-out.txt \ ./executable exampleParam1
The flags are, in short:
--leak-check=full: “each individual leak will be shown in detail”
--show-leak-kinds=all: Show all of “definite, indirect, possible, reachable” leak kinds in the “full” report.
--track-origins=yes: Favor useful output over speed. This tracks the origins of uninitialized values, which could be very useful for memory errors. Consider turning off if Valgrind is unacceptably slow.
--verbose: Can tell you about unusual behavior of your program. Repeat for more verbosity.
--log-file: Write to a file. Useful when output exceeds terminal space.
Finally, you would like to see a Valgrind report that looks like this:
HEAP SUMMARY: in use at exit: 0 bytes in 0 blocks total heap usage: 636 allocs, 636 frees, 25,393 bytes allocated All heap blocks were freed -- no leaks are possible ERROR SUMMARY: 0 errors from 0 contexts (suppressed: 0 from 0) ERROR SUMMARY: 0 errors from 0 contexts (suppressed: 0 from 0)
I have a leak, but WHERE?
So, you have a memory leak, and Valgrind isn’t saying anything meaningful.
Perhaps, something like this:
5 bytes in 1 blocks are definitely lost in loss record 1 of 1 at 0x4C29BE3: malloc (vg_replace_malloc.c:299) by 0x40053E: main (in /home/Peri461/Documents/executable)
Let’s take a look at the C code I wrote too:
#include <stdlib.h> int main() { char* string = malloc(5 * sizeof(char)); //LEAK: not freed! return 0; }
Well, there were 5 bytes lost. How did it happen? The error report just says
main and
malloc. In a larger program, that would be seriously troublesome to
hunt down. This is because of how the executable was compiled. We can
actually get line-by-line details on what went wrong. Recompile your program
with a debug flag (I’m using
gcc here):
gcc -o executable -std=c11 -Wall main.c # suppose it was this at first gcc -o executable -std=c11 -Wall -ggdb3 main.c # add -ggdb3 to it
Now with this debug build, Valgrind points to the exact line of code
allocating the memory that got leaked! (The wording is important: it might not
be exactly where your leak is, but what got leaked. The trace helps you find
where.)
5 bytes in 1 blocks are definitely lost in loss record 1 of 1 at 0x4C29BE3: malloc (vg_replace_malloc.c:299) by 0x40053E: main (main.c:4)
Techniques for Debugging Memory Leaks & Errors
- Make use of! It has great documentation on C/C++ functions.
- General advice for memory leaks:
- Make sure your dynamically allocated memory does in fact get freed.
- Don’t allocate memory and forget to assign the pointer.
- Don’t overwrite a pointer with a new one unless the old memory is freed.
- General advice for memory errors:
- Access and write to addresses and indices you’re sure belong to you. Memory
errors are different from leaks; they’re often just
IndexOutOfBoundsException
type problems.
- Don’t access or write to memory after freeing it.
Sometimes your leaks/errors can be linked to one another, much like an IDE discovering that you haven’t typed a closing bracket yet. Resolving one issue can resolve others, so look for one that looks a good culprit and apply some of these ideas:
- List out the functions in your code that depend on/are dependent on the
“offending” code that has the memory error. Follow the program’s execution
(maybe even in
gdbperhaps), and look for precondition/postcondition errors. The idea is to trace your program’s execution while focusing on the lifetime of allocated memory.
- Try commenting out the “offending” block of code (within reason, so your code
still compiles). If the Valgrind error goes away, you’ve found where it is.
- If all else fails, try looking it up. Valgrind has documentation too!
A Look at Common Leaks and Errors
Watch your pointers
60 bytes in 1 blocks are definitely lost in loss record 1 of 1 at 0x4C2BB78: realloc (vg_replace_malloc.c:785) by 0x4005E4: resizeArray (main.c:12) by 0x40062E: main (main.c:19)
And the code:
#include <stdlib.h> #include <stdint.h> struct _List { int32_t* data; int32_t length; }; typedef struct _List List; List* resizeArray(List* array) { int32_t* dPtr = array->data; dPtr = realloc(dPtr, 15 * sizeof(int32_t)); //doesn't update array->data return array; } int main() { List* array = calloc(1, sizeof(List)); array->data = calloc(10, sizeof(int32_t)); array = resizeArray(array); free(array->data); free(array); return 0; }
As a teaching assistant, I’ve seen this mistake often. The student makes use of
a local variable and forgets to update the original pointer. The error here is
noticing that
realloc can actually move the allocated memory somewhere else
and change the pointer’s location. We then leave
resizeArray without telling
array->data where the array was moved to.
Invalid write
1 errors in context 1 of 1: Invalid write of size 1 at 0x4005CA: main (main.c:10) Address 0x51f905a is 0 bytes after a block of size 26 alloc'd at 0x4C2B975: calloc (vg_replace_malloc.c:711) by 0x400593: main (main.c:5)
And the code:
#include <stdlib.h> #include <stdint.h> int main() { char* alphabet = calloc(26, sizeof(char)); for(uint8_t i = 0; i < 26; i++) { *(alphabet + i) = 'A' + i; } *(alphabet + 26) = '\0'; //null-terminate the string? free(alphabet); return 0; }
Notice that Valgrind points us to the commented line of code above. The array
of size 26 is indexed [0,25] which is why
*(alphabet + 26) is an invalid
write—it’s out of bounds. An invalid write is a common result of
off-by-one errors. Look at the left side of your assignment operation.
Invalid read
1 errors in context 1 of 1: Invalid read of size 1 at 0x400602: main (main.c:9) Address 0x51f90ba is 0 bytes after a block of size 26 alloc'd at 0x4C29BE3: malloc (vg_replace_malloc.c:299) by 0x4005E1: main (main.c:6)
And the code:
#include <stdlib.h> #include <stdint.h> int main() { char* destination = calloc(27, sizeof(char)); char* source = malloc(26 * sizeof(char)); for(uint8_t i = 0; i < 27; i++) { *(destination + i) = *(source + i); //Look at the last iteration. } free(destination); free(source); return 0; }
Valgrind points us to the commented line above. Look at the last iteration here,
which is
*(destination + 26) = *(source + 26);. However,
*(source + 26) is
out of bounds again, similarly to the invalid write. Invalid reads are also a
common result of off-by-one errors. Look at the right side of your assignment
operation.
The Open Source (U/Dys)topia
How do I know when the leak is mine? How do I find my leak when I’m using
someone else’s code? I found a leak that isn’t mine; should I do something? All
are legitimate questions. First, 2 real-world examples that show 2 classes of
common encounters.
Jansson: a JSON library
#include <jansson.h> #include <stdio.h> int main() { char* string = "{ \"key\": \"value\" }"; json_error_t error; json_t* root = json_loads(string, 0, &error); //obtaining a pointer json_t* value = json_object_get(root, "key"); //obtaining a pointer printf("\"%s\" is the value field.\n", json_string_value(value)); //use value json_decref(value); //Do I free this pointer? json_decref(root); //What about this one? Does the order matter? return 0; }
This is a simple program: it reads a JSON string and parses it. In the making,
we use library calls to do the parsing for us. Jansson makes the necessary
allocations dynamically since JSON can contain nested structures of itself.
However, this doesn’t mean we
decref or “free” the memory given to us from
every function. In fact, this code I wrote above throws both an “Invalid read”
and an “Invalid write”. Those errors go away when you take out the
decref line
for
value.
Why? The variable
value is considered a “borrowed reference” in the Jansson
API. Jansson keeps track of its memory for you, and you simply have to
decref
JSON structures independent of each other. The lesson here:
read the documentation. Really. It’s sometimes hard to understand, but
they’re telling you why these things happen. Instead, we have
existing questions about this memory error.
SDL: a graphics and gaming library
#include "SDL2/SDL.h" int main(int argc, char* argv[]) { if (SDL_Init(SDL_INIT_VIDEO|SDL_INIT_AUDIO) != 0) { SDL_Log("Unable to initialize SDL: %s", SDL_GetError()); return 1; } SDL_Quit(); return 0; }
What’s wrong with this code? It consistently leaks ~212 KiB of memory for me. Take a moment to think about it. We turn SDL on and then off. Answer? There is nothing wrong.
That might sound bizarre at first. Truth be told, graphics are messy and sometimes you have to accept some leaks as being part of the standard library. The lesson here: you need not quell every memory leak. Sometimes you just need to suppress the leaks because they’re known issues you can’t do anything about. (This is not my permission to ignore your own leaks!)
Answers unto the void
How do I know when the leak is mine?
It is. (99% sure, anyway)
How do I find my leak when I’m using someone else’s code?
Chances are someone else already found it. Try Google! If that fails, use the skills I gave you above. If that fails and you mostly see API calls and little of your own stack trace, see the next question.
I found a leak that isn’t mine; should I do something?
Yes! Most APIs have ways to report bugs and issues. Use them! Help give back to the tools you’re using in your project!
Further Reading
Thanks for staying with me this long. I hope you’ve learned something, as I tried to tend to the broad spectrum of people arriving at this answer. Some things I hope you’ve asked along the way: How does C’s memory allocator work? What actually is a memory leak and a memory error? How are they different from segfaults? How does Valgrind work? If you had any of these, please do feed your curiousity:
- More about
malloc, C’s memory allocator
- Definition of a segmentation fault
- Definition of a memory leak
- Definition of a memory access error
- How does Valgrind work?
ANSWER:
You can create an alias in .bashrc file as follows
alias vg='valgrind --leak-check=full -v --track-origins=yes --log-file=vg_logfile.out'
So whenever you want to check memory leaks, just do simply
vg ./<name of your executable> <command line parameters to your executable>
This will generate a Valgrind log file in the current directory.
ANSWER:
You can run:
valgrind --leak-check=full --log-file="logfile.out" -v [your_program(and its arguments)] | https://rotadev.com/how-do-i-use-valgrind-to-find-memory-leaks-dev/ | CC-MAIN-2022-40 | refinedweb | 1,990 | 67.15 |
I use python 2.7 with python pptx.
I have a table of data and need it to feet certain width and height,
I learned that i can change the text size like so enter link description here
But i wish to change the entire table size to fit an exact location and with changing the font size, and manipulating the row heights and col width it all seems too complex and hard to handle,
I found that i can turn the table to an image and than easily change it's size but that does not feel like the right thing to do.
Ideas?
The example taken from the pptx documentation gives a good example on how to create a table with a given overall
width and
height as follows:
from pptx import Presentation from pptx.util import Inches prs = Presentation() title_only_slide_layout = prs.slide_layouts[5] slide = prs.slides.add_slide(title_only_slide_layout) shapes = slide.shapes shapes.title.text = 'Adding a Table' rows = cols = 2 left = top = Inches(2.0) width = Inches(6.0) height = Inches(0.8) table = shapes.add_table(rows, cols, left, top, width, height).table # set column widths table.columns[0].width = Inches(2.0) table.columns[1].width = Inches(4.0) # write column headings table.cell(0, 0).text = 'Foo' table.cell(0, 1).text = 'Bar' # write body cells table.cell(1, 0).text = 'Baz' table.cell(1, 1).text = 'Qux' prs.save('test.pptx')
The util Module also provides alternatives to specifying the dimensions such as
Centipoints,
Cm,
Emu,
Mm,
Pt and
Px. | https://codedump.io/share/RVwArM3OJgKM/1/python-pptx-determine-a-table-width-and-height | CC-MAIN-2017-34 | refinedweb | 256 | 68.67 |
Tech Tips index
August 11, 1998
This issue presents tips, techniques, and sample code for the following topics:
Filter Streams
If you've read much about the Java programming language, you may have
encountered filter streams. A stream refers to an ordered sequence of
bytes or other data, with a source (for input streams) or a destination
(for output streams). Streams are used for file I/O, networking, pipes,
and so forth.
A filter stream is two or more streams hooked together to provide added
functionality. For example, one stream may provide a method to read in a
large block of characters efficiently, while another stream built on the
first one could offer a mechanism for buffering those characters so they
can be read one at a time in an efficient way. Another example of
filtering would be support for tracking line numbers.
To see how all this works, consider the following program that searches a
text file for a pattern, and displays each line containing the pattern
along with its line number:
import java.io.*;
public class filter {
public static void main(String args[])
{
if (args.length != 2) {
System.err.println("usage: pattern file");
System.exit(1);
}
String patt = args[0];
String file = args[1];
try {
FileReader fr =
new FileReader(file);
LineNumberReader lr =
new LineNumberReader(fr);
String str;
while ((str = lr.readLine()) != null) {
if (str.indexOf(patt) != -1) {
int ln = lr.getLineNumber();
System.out.println(file + "["
+ ln + "]: " + str);
}
}
lr.close();
}
catch (IOException e) {
System.err.println(e);
}
}
}
The example uses the LineNumberReader class in preference to the older
LineNumberInputStream that has been deprecated.
LineNumberReader is a buffered input reader that tracks line numbers as it
goes. In other words, successive large chunks of the file are read into a
buffer using FileReader. FileReader is a class that sets up a
FileInputStream based on an actual file, and then uses the mechanisms of
its superclass InputStreamReader to convert a stream of bytes into a
sequence of Java language characters. readLine is then called to read each
line in turn from the buffer. When a line terminator is detected, an
internal line number counter is incremented, and its current value is
retrieved using getLineNumber.
Note that you can also design your own filter streams. One example is to
extend java.io.BufferedReader so that readLine skips blank lines and
returns only the lines that contain non-whitespace characters.
Default Constructors
Suppose that you have a superclass and a subclass as follows:
class A {
A() {/* ... */}
}
class B extends A {/* ... */}
and you create a new instance of B by saying:
B bref = new B();
B defines no constructors, but B is extended from A, and A does have a
constructor that needs to be invoked for the instance of B. How does this
work?
What happens is that a default constructor is generated automatically, and
the constructor calls the superclass constructor with no arguments. So
"new B()" results in the generated default constructor for B
being called, and it in turn calls the no-argument constructor for A.
The generated constructor is given the access modifier "public"
if the class is public, or else the constructor is given the default access
implied by no modifier.
You can actually observe a default constructor in generated code. For
example, for the following source code:
class A {}
the result of "javap -c" (see Tech Tips:
Jan 20, 1998), is:
Method A()
0 aload_0
1 invokespecial #3 <Method java.lang.Object()>
4 return
In other words, a constructor for A is generated, and it simply invokes the
superclass (in this case java.lang.Object) constructor.
Relying on default constructor generation is not necessarily good coding
practice. In such a case it might be worth inserting an explanatory
comment. Note also that you can control class instantiation by means of
protected or private constructors. For example, a class used only as a
packaging vehicle for class methods and variables might define a private
constructor, making it uninstantiable. | http://java.sun.com/developer/TechTips/1998/tt0811.html | crawl-002 | refinedweb | 659 | 54.32 |
import java.awt.*;
import java.applet.Applet;
public class displayImage extends Applet {
Image img;
public void init(){
img=getImage(getCodeBase(),"runningman.jpg" );
}
public void paint(Graphics g){
g.drawImage(img,0,0,this);
g.drawImage(img, 90, 0, 300, 62, this);
}
}
hello everyone, the above code aims to get the image of, say, runningman picture downloaded from google image(and I have put it in the directory of the java file) to be displayed in an appletviewer, but when I run the code, it seems that the picture of running man is not coming out. Can someone help me to run the code in their IDE and see what's wrong with the code. Greatly appreciate any help/ guidelines that can be provided. | http://www.javaprogrammingforums.com/awt-java-swing/21332-error-code.html | CC-MAIN-2017-47 | refinedweb | 123 | 58.42 |
ME3′s.
13 Comments
Keivz
5, 1, & 3 are my faves in that order. The current default fem shep is unacceptably f-ugly.Reply
Phoenixblight
@2 Yeah I have picked 3 but could have easily done 4. I agree the default femshep was not in the same caliber as the male Default. Its like they pick random and said that’s close enough.Reply
TheWulf
I’d go with #1 myself because it looks like someone who might find themselves in that position. The others look too ‘porn film model’ for my tastes, and the last thing we need is more of Bioware dragging us down with them after the Miranda nonsense.Reply
Mace
They all look the same, only with different hairdo. I’d say, the more conspicuous the hair, the more unholily ugly (in fact, exactly like some teenage girls you see on bus stops). Generally they look like a mixture between Morrigan and Jack. Also see the female Hawke for more of Bioware’s Morrigan trip. I prefer the old one but I understand that she doesn’t make any lasting, iconic impression. Better to have their ugliness etched into my retina, I guess.Reply
rainer
They’re all the exact same face with just a different skin tone or hair style, pretty obvious the blonde blue eyed #5 is going to win thanks to casual racism. Looking over various forums everyone is just saying #5 and all the others are ugly.
I’d like to see #6 but no way that would ever happen.Reply
osric90
If Vanderloo for male, why not some sexy girl model for female? O maybe some damn good famous actress.Reply
freedoms_stain
My custom ME1 lady shepard shits all over these designs. I’ll let bioware have her for free.Reply
viralshag
If I had to pick it would be Shepard 3, the rest of them really do look porn actresses. Imo I still think it’s a stupid idea to market both of them while I would have thought comercially ShepBro is the face of the series over ShepHoe.Reply
AHA-Lambda
def #5Reply
triggerhappy
1 then 5 for me. I like 1 because if your saving the galaxy your not going to have time to whip out the straightners after things had got a bit rough, if she really was in the military she would probably have short hair.Reply
YoungZer0
2 or 5, i’d say. Would love if they find something in between. Like that the hair on 5 is so frizzy, but way too long if you ask me. 1 is way too short. And 2 … well 2 is red. Like dem redheads. 8)
But they should do something on the face, looks a little bit too young and not … rough enough. I always saw FemShep as a battlescarred, but still quite beautiful woman.Reply
LOLshock94
6 looks like uma therman off pulp fiction but i think 4 5 6 are the bestReply
joshua nash
looked at them and 1 looks alright to meReply | http://www.vg247.com/2011/07/25/mass-effect-3s-default-femshep-look-open-to-fan-feedback/?wpfpaction=add&postid=188831 | CC-MAIN-2014-10 | refinedweb | 508 | 81.93 |
Answered by:
BizTalk Namespaces
Hi all,
I'm really hoping someone can help as I've been hitting a bit of a brick wall.
I'm fairly new to BizTalk, but this is my scenario:
I have added a new Orchestration into an existing application in which splits an order file based on different criteria, this all works fine.
The new orchestration uses a map and when trying to get the new file back with the same namespace and header details as before to pass the modified file to the previous orchestration, I'm not sure how to keep the relevant header details. I have tried message assignment which does OrderMsgIn.OrderMsgPart = NewOrderMsg.OrderMsgPart but this replaces all the root detail as well in OrderMsgIn.
This is what I want as is on the original for the message OrderMsgIn:
This is what I have after transforming in a map:
So it's missing the "desc", "xs" and "targetNamespace" criteria as the "ns0:". In order for this file to continue processing in the previous orchestration it needs to be the old namespace/header detail.
Any guidance would be greatly appreciated.
Thanks.
Katie Smith Systems Developer Bakkavor IS Development
- Edited by KsCodeMonkey Monday, September 16, 2013 2:11 PM
Question
Answers
Please check you both input and output files as per schema s format.
- Marked as answer by Pengzhen SongMicrosoft contingent staff, Moderator Monday, September 23, 2013 9:34 AM
All replies
Monkey,
desc is an attribute you can create a link between desc in source to desc in destination, however target namespace is something that you have to look for. are you getting any error? if Yes, can you please share the error details?
If this answers your question please mark it accordingly. If this post is helpful, please vote as helpful.
The result of the Map should have the targetNamespace of the destination Schema, no matter what.
As for the "desc" attribute, it must be mapped form the source to the destination. The Map does not modify the message, it generates an entirely new one so anything you need in the new message must be mapped from the source.
Finally, in your screen cap, <Document_Loop is preceded by a ']', that's not something I would expect. Can you clarify the origin of that?
Yes I am getting the following error in debug viewer: "System InvalidOperationException: There is an error in XML document (0,0). ---> System.Xml.XmlException: Root element is missing."
So it seems that the next part of the application is looking for a specific element in the namespace which it can't find, i.e. one of those element detailed above.
This is the XSLT I am using to transform the file which is then losing that header information:
Many thanks
Katie Smith Systems Developer Bakkavor IS Development
- Edited by KsCodeMonkey Tuesday, September 17, 2013 8:40 AM
Thanks for the responses.
The ']' was just a print screen cut, i had taken it from notepad++ so it was a cut off a square, so that is no issue but thank you.
I have tried to map all the details from the source, I am using the XSLT which I posted as a reply to the previous response from SAAkhlaq, am I missing something?
Thanks
Katie Smith Systems Developer Bakkavor IS Development
Yes I am getting the following error in debug viewer: "System InvalidOperationException: There is an error in XML document (0,0). ---> System.Xml.XmlException: Root element is missing."
Please check you both input and output files as per schema s format.
- Marked as answer by Pengzhen SongMicrosoft contingent staff, Moderator Monday, September 23, 2013 9:34 AM | https://social.technet.microsoft.com/Forums/en-US/877230a2-c422-44aa-a5fb-09bacf895d36/biztalk-namespaces | CC-MAIN-2015-27 | refinedweb | 610 | 60.04 |
Getting Started
Part 1, Chapter 3
In this chapter, we'll set up the base project structure.
Setup
Create a new project and install FastAPI along with Uvicorn, an ASGI server used to serve up FastAPI:
$ mkdir fastapi-tdd-docker && cd fastapi-tdd-docker $ mkdir project && cd project $ mkdir app $ python3.8 -m venv env $ source env/bin/activate (env)$ pip install fastapi==0.55.1 (env)$ pip install uvicorn==0.11.5
Feel free to swap out virtualenv and Pip for Poetry or Pipenv.
Add an __init__.py file to the "app" directory along with a main.py file. Within main.py, create a new instance of FastAPI and set up a synchronous sanity check route:
# project/app/main.py from fastapi import FastAPI app = FastAPI() @app.get("/ping") def pong(): return {"ping": "pong!"}
That's all you need to get a basic route up and running!
You should now have:
└── project └── app ├── __init__.py └── main.py
Run the server from the "project" directory:
(env)$ uvicorn app.main:app INFO: Started server process [84172] INFO: Waiting for application startup. INFO: Application startup complete. INFO: Uvicorn running on (Press CTRL+C to quit)
app.main:app tells Uvicorn where it can find the FastAPI application -- e.g., "within the 'app' module, you'll find the app,
app = FastAPI(), in the 'main.py' file.
Navigate to in your browser. You should see:
{ "ping": "pong!" }
Why did we use Uvicorn to serve up FastAPI rather than a development server?
Unlike Django or Flask, FastAPI does not have a built-in development server. This.
New to ASGI? Read through the excellent Introduction to ASGI: Emergence of an Async Python Web Ecosystem blog post.
FastAPI automatically generates a schema based on the OpenAPI standard. You can view the raw JSON at. This can be used to automatically generate client-side code for a front-end or mobile application. FastAPI uses it along with Swagger UI to create interactive API documentation, which can be viewed at:
Kill the server.
Auto-reload
Let's run the app again. This time, we'll enable auto-reload mode so that the server will restart after changes are made to the code base:
(env)$ uvicorn app.main:app --reload INFO: Uvicorn running on (Press CTRL+C to quit) INFO: Started reloader process [84187] INFO: Started server process [84189] INFO: Waiting for application startup. INFO: Application startup complete.
Now when you make changes to the code, the app will automatically reload. Try this out.
Config
Add a new file called config.py to the "app" directory, where we'll define environment-specific configuration variables:
# project/app/config.py import logging import os from pydantic import BaseSettings log = logging.getLogger(__name__) class Settings(BaseSettings): environment: str = os.getenv("ENVIRONMENT", "dev") testing: bool = os.getenv("TESTING", 0) def get_settings() -> BaseSettings: log.info("Loading config settings from the environment...") return Settings()
Here, we defined a
Settings class with two attributes:
environment- defines the environment (i.e., dev, stage, prod)
testing- defines whether or not we're in test mode
BaseSettings, from Pydantic, validates the data so that when we create an instance of
Settings,
environment and
testing will have types of
str and
bool, respectively.
Update main.py like so:
# project/app/main.py from fastapi import FastAPI, Depends from app.config import get_settings, Settings app = FastAPI() @app.get("/ping") def pong(settings: Settings = Depends(get_settings)): return { "ping": "pong!", "environment": settings.environment, "testing": settings.testing }
Take note of
settings: Settings = Depends(get_settings). Here, the
Depends function is a dependency that declares another dependency,
get_settings. Put another way,
Depends depends on the result of
get_settings. The value returned,
Settings, is then assigned to the
settings parameter.
If you're new to dependency injection, review the Dependencies guide from the offical FastAPI docs.
Run the server again. Navigate to again. This time you should see:
{ "ping": "pong!", "environment": "dev", "testing": false }
Kill the server and set the following environment variables:
(env)$ export ENVIRONMENT=prod (env)$ export TESTING=1
Run the server. Now, at, you should see:
{ "ping": "pong!", "environment": "prod", "testing": true }
What happens when you set the
TESTING environment variable to
foo? Try this out. Then update the variable to
0.
With the server running, navigate to and then refresh a few times. Back in your terminal, you should see several log messages for:
Essentially,
get_settings gets called for each request. If we refactored the config so that the settings were read from a file, instead of from environment variables, it would be much too slow.
Let's use lru_cache to cache the settings so
get_settings is only called once.
Update config.py:
# project/app/config.py import logging import os from functools import lru_cache from pydantic import BaseSettings log = logging.getLogger(__name__) class Settings(BaseSettings): environment: str = os.getenv("ENVIRONMENT", "dev") testing: bool = os.getenv("TESTING", 0) @lru_cache() def get_settings() -> BaseSettings: log.info("Loading config settings from the environment...") return Settings()
After the auto-reload, refresh the browser a few times. You should only see one
Async Handlers
Let's convert the synchronous handler over to an asynchronous one.
Rather than having to go through the trouble of spinning up a task queue (like Celery or RQ) or utilizing threads, FastAPI makes it easy to deliver routes asynchronously. As long as you don't have any blocking I/O calls in the handler, you can simply declare the handler as asynchronous by adding the
async keyword like so:
@app.get("/ping") async def pong(settings: Settings = Depends(get_settings)): return { "ping": "pong!", "environment": settings.environment, "testing": settings.testing }
That's it. Update the handler in your code, and then make sure it still works as expected.
Kill the server once done. Exit then remove the virtual environment as well. Then, add a requirements.txt file to the "project" directory:
fastapi==0.55.1 uvicorn==0.11.5
Finally, add a .gitignore to the project root:
__pycache__ env
You should now have:
├── .gitignore └── project ├── app │ ├── __init__.py │ ├── config.py │ └── main.py └── requirements.txt
Init a git repo and commit your code.
✓ Mark as Completed | https://testdriven.io/courses/tdd-fastapi/getting-started/ | CC-MAIN-2020-40 | refinedweb | 1,009 | 61.02 |
Holy cow, I wrote a book!
Another round of the semi-annual link clearance.
And, as always, the obligatory plug for my column in
TechNet Magazine:
Starting in June 2010,
TechNet Magazine publishes each issue in two stages,
and my column appears in the second half of the month,
so don't freak out when you don't see it when a new issue
first comes out.
A project many years ago neared the conclusion of one of its
project milestones.
Things were getting down to the wire,
and upper management was concerned that the project may not
reach the milestone on schedule.
To ensure success, they decided to send email..
Because as we all know, you can get people to work harder
by sending email.
I happened to be one of the recipients of this message,
and I sent back a simple reply:
I have more than one bug because my manager asked me
to help out other people who have more than two.
Thanks for your concern.
I have more than one bug because my manager asked me
to help out other people who have more than two.
Thanks for your concern.
Back..)
Commenter
Andrei
asks via the Suggestion Box
for help with
making the text transparent using
WM_CTLCOLORSTATIC.
"Instead of the radio button now there's a black background."
WM_CTLCOLORSTATIC
Let's look at this problem in stages.
First, let's ignore the transparent part and figure out
how to render text without a black background.
The background color of the text comes from the color you
selected into the DC when handling the
WM_CTLCOLORSTATIC
And if you forget to set a background color,
then you get whatever color is lying around in the DC,
which might very well be black.
Start with
the scratch program
and make these changes, which I'm going to write in the way
I think Andrei wrote it,
even though it doesn't fit the style of the rest of the
scratch program.
HBRUSH g_hbr; = CreateSolidBrush(RGB(0xFF, 0x00, 0xFF)); // hot pink
return TRUE;
}
void
OnDestroy(HWND hwnd)
{
if (g_hbr) DeleteObject(g_hbr);
PostQuitMessage(0);
}
// add to WndProc
case WM_CTLCOLORSTATIC:
if (GetDlgCtrlID(
GET_WM_CTLCOLOR_HWND(wParam, lParam, uiMsg)) == 1) {
return (LRESULT)g_hbr; // override default background color
}
break;
If you run this program, the radio button's background is indeed
hot pink, well except for the text, where the color is,
I dunno, it's white on my machine, but who knows what it is on yours.
Since we didn't specify a color, the result is undefined.
The bug here is that we handled the
WM_CTLCOLORSTATIC
message incompletely.
The WM_CTLCOLOR family of messages requires that
the message handler do three things:
WM_CTLCOLOR
We got so excited about the background brush that we forgot the other
two steps. Let's fix that.
return (LRESULT)g_hbr; // override default background color
}
break;
(Just for fun, I chose yellow as the text color.)
Now that we specified the text color and the background color,
the text appears in the correct colors.
Note that we didn't actually do anything transparently here.
We just made sure that the background color we told the control
to use for text matches the color we told the control
to use for erasing the background.
The effect looks transparent since the two colors match.
But what if you really wanted transparency instead of fake
transparency?
To illustrate, let's give the control a background that is not
a solid color: = CreatePatternBrushFromFile(
TEXT("C:\\Windows\\Gone Fishing.bmp"));
return TRUE;
}
When you run this version of the program, the radio button background
consists of the Gone Fishing bitmap.
(Of course, if you don't have that bitmap, then feel free to substitute
another bitmap.
I can't believe I had to write that.)
But the text is still yellow on pink.
How do we get it to be yellow on the complex background?
By setting the background mix mode to TRANSPARENT.
TRANSPARENT
SetBkMode(hdc, TRANSPARENT);
return (LRESULT)g_hbr; // override default background color
}
break;
According to the documentation, the background mix mode
"is used with text, hatched brushes,
and pen styles that are not solid lines."
It's the text part we care about here.
When the control does its TextOut
to draw the control text, the background mix mode
causes the text to be rendered transparently.
TextOut
Exercise:
There's actually one more thing you need to do,
but I conveniently arranged the program so you didn't notice.
What other step did I forget?
The match went so long that it exceeded the limits of the scoreboard!
Deadspin pulls some choice quotes
out of
Xan Brooks's descent into madness
live-blogging the marathon Wimbledon match between
John Isner and Nicolas Mahut.
Just read it.
You can follow him as he loses his grip on reality before your very eyes.
It's just a shame somebody had to lose.
The shape of the Windows screen pixel has changed over the years.
It has always had a rectangular shape, but the ratio of height
to width has varied.
(Someday, somebody will come up with a display adapter with hexagonal or
triangular pixels, and then everything will fall apart.)
Our story begins with the Color Graphics Adapter, better known
by the abbreviation CGA.
Depending on the video mode, your pixels could be 1:1.2
in 320×200 color mode
(all aspect ratios are given in the form width:height for some reason),
or 1:2.4 in 640×200 monochrome mode.
Windows used the monochrome mode because the colors available in
color mode were pretty useless.
You could have black, white, hot pink, and aqua;
or you could have black, brown, orange-red and green (no white!).
Hideous colors no matter how you slice it.
The next major advancement in display adapter technology
was the Enhanced Graphics Adapter (EGA),
which brought you a stunning 16 colors in a 640×350 grid
with an aspect ratio of 1.83:1.
But for the step forward in terms of color, you also took
a step backwards into the insanity of planar video modes.
EGA memory was
arranged in planes,
and what's worse, each plane had the same memory address!
You had to use other registers to program the video card to tell
it which plane you wanted to talk to when you accessed a specific
memory address.
(And the memory behaved differently depending on whether
you were reading from it or writing to it.)
Next to arrive was VGA, the Video Graphics Array.
(I like how the names of all the display adapters are
largely meaningless.)
VGA brought us square pixels, if you used them at 640×480
resolution (which is what Windows did).
Finally, you had a display adapter where a stair-step pattern
actually gave you a 45-degree line.
Pretty much every display adapter since VGA has supported
square pixels, and pretty much every display driver
preferred those square modes instead of the non-square modes.
If you go into the Windows Display control panel,
you can force one of the weird non-square modes, but all of
the standard dimensions (800×600, 1280×1024, etc.)
use square pixels.
Okay, so how does a program obtain the pixel aspect ratio?
You start by getting a device context (or if you're really
clever, an information context) for the device you are
interested in,
and then ask for the ASPECTX
and ASPECTY
device capabilities.
These capabilities tell you the relative width and height of
a pixel.
If the x-aspect and y-aspect are equal, then
you have square pixels.
If not, then their ratio tells you the aspect ratio.
ASPECTX
ASPECTY
As a special bonus, there is also the ASPECTXY
device capability, which is the length of the diagonal of a pixel,
relative to the other aspect values.
This is something you can calculate yourself based on the other two
metrics, but it's provided as a courtesy.
Let x be the value of the ASPECTX device capability,
y be the value for ASPECTY,
and
h be the value for ASPECTXY
(h for hypotenuse).
Then the values are related by the formula
ASPECTXY
h² = x² + y²
(Of course, there will be rounding errors since all the device
capabilities are integers.)
Now that non-square pixels have been pretty much entirely replaced by square
pixels in the past fifteen years,
I wonder how many programs will start looking weird once a
display with non-square pixels is reintroduced to the world of Windows.
With newer and more unusual form factors for PCs coming out all the time,
it's perhaps just a matter of time before a non-square-pixel display
becomes the new must-have device.
(And that time appears to have come:
Pixels on HD TVs are not always square.)
The reality of non-square pixels explains
why most metrics come in both horizontal and vertical versions.
Occasionally the shell team will get a request from a customer via their
customer liaison that requests information
on how to accomplish something or other,
and before we'll answer the question,
we want to know what the support boundaries are.
For example, we might provide a mechanism that works on Windows Vista
but comes with no guarantees that it'll work in the future.
(This sort of one-off solution might
be appropriate for, say, a corporate deployment, where
the company controls all the computers in their organization and
therefore controls what version of Windows runs on each of them.)
The customer liaison responds:
Thanks for the information.
I do not plan on giving them any expectations on what to expect in
Windows 7.
Is this okay?
It's not enough not to give any expectations.
You must deny expectations explicitly.
If you say nothing,
then the customer will assume that the solution will continue
to work in the future.
Of course, even
explicitly denying support in future versions
might not be enough.
I remember one review of Windows Vista that said that one of
its serious flaws was that the Windows XP PowerToys didn't run on it.
Even though the Windows XP PowerToys explicitly state right at the
top,
"PowerToys are for Windows XP only and will not work with Windows Vista."
Sometimes the customer fails to realize what it means to rely
on behavior that is explicitly not supported in future versions of Windows.
I recall more than once, a customer asked for a way to accomplish
something, and we provided a mechanism with the explicit warning
that it is not guaranteed to work on future versions of Windows.
The customer replied,
"We understand that this technique may not work on future versions
of Windows."
I got the impression that customer was not a corporation preparing
a Windows deployment but was rather a software vendor
developing retail software.
I asked a clarifying question:
"Do your customers understand that this technique may not work
on future versions of Windows?
Are you going to inform them before installation that the program
intentionally relies on behavior which
may not work on future versions of Windows?
(That way, they can assess whether they wish to purchase your program.)
And are you prepared to support your customers when they upgrade
to the next version of Windows and your program stops working?"
This was, apparently, a level of understanding that they had not
fully-incorporated.
Upon realizing that they were making a decision on behalf of their
customers, they decided that perhaps their customers wouldn't
be happy with that decision they were about to make.
One.
In the standard File Open dialog in Windows Vista and Windows 7,
the top of the navigation bar contains a section called
Favorite Links (on Windows Vista)
or just Favorites (on Windows 7).
These items also appear in the Explorer window's Navigation Pane.
How do I customize those links?
You add or remove them from your Links folder.
To open your Links folder on Windows Vista,
open the Start menu and click on your name.
This opens an Explorer window to view your user profile.
Double-click the folder called Links.
On Windows; 7, it's much easier:
Right-click the word Favorites and select Open in new window.
Anyway, once you get the folder open one way or another,
you can edit the list.
To remove an item from the list, just delete it from the folder.
To add a folder to the list, drag it in.
(The default action for the Links folder is Create Shortcut.)
Note that only shortcuts to folders will work here,
or more specifically, shortcuts to containers,
because when you click on an item, the File Open dialog needs
to show you the contents of the item you selected. | http://blogs.msdn.com/b/oldnewthing/archive/2010/06.aspx | CC-MAIN-2014-52 | refinedweb | 2,127 | 61.87 |
Hello. I am converting an automation script I use which was built off selenium and java. I've run into an issue. I had to work through this when I first scripted this and now here I am again. The problem is the target website has a popup. There's plenty of documentation about how to handle that, so no problem there.
The problem comes from the button to open the popup. Their site randomizes the id for the object.
From chrome - input type="file" class="upfile upfile_ultimo" name="upfile_1507665492712" id="upfile_1507665492712" size="35" value=""
From firefox - input class="upfile upfile_ultimo" name="upfile_1507665543947" id="upfile_1507665543947" size="35" value="" type="file"
Each run I make, the "name" and the "id" change. That presents a challenge for automation software to find the button I'm looking for. I have tried
WebUI.click(findTestObject("input[class*='upfile_ultimo']"))
but this didn't work. I also tried it with "upfile upfile_ultimo". The script I have that works is
driver.findElement(By.cssSelector("input[class*='upfile_ultimo']")).click();
Is there a similar option I can use in Katalon?
It looks like you're new here. If you want to get involved, click one of these buttons!
WebUI.click(findTestObject("input[class*='upfile_ultimo']"))
This is not correct. findTestObject method takes TestObject parameter, not a string. If a class is still the same, do following:
Thank you, Marek. However, that did not work. Just to be sure, this is what I have in my Katalon code right now ...
'Open browser and navigate to JPL site'
WebUI.openBrowser('')
'Click on choose file button in iframe'
//WebUI.click(findTestObject("input[class*='upfile_ultimo']"))
String path = ".//input[@class='upfile upfile_ultimo']"
TestObject to = new TestObject().addProperty("xpath", ConditionType.EQUALS, path)
WebUI.click(to)
It has yet to open the popup. With your addition, I'm getting the error, "Test Cases/JPL_upload FAILED because (of) Variable 'ConditionType' is not defined for test case."
I'm not sure what ConditionType is looking for.
You'd have to import this class in order to use it.
import com.kms.katalon.core.testobject.ConditionType
Marek, you're a god. Thank you so much! | http://forum.katalon.com/discussion/2570/variable-object-name | CC-MAIN-2017-43 | refinedweb | 355 | 53.47 |
log..
No. log4j is not reliable. It is a best-effort fail-stop logging system.
By fail-stop, we mean that log4j will not throw unexpected exceptions at run-time potentially causing your application to crash. If for any reason, log4j throws an uncaught exception, please send an email to the log4j-user@logging.apache.org mailing list. Uncaught exceptions are handled as serious bugs requiring immediate attention.
Moreover, log4j will not revert to System.out or System.err when its designated output stream is not opened, is not writable or becomes full. This avoids corrupting an otherwise working program by flooding the user's terminal because logging fails. However, log4j will output a single message to System.err indicating that logging can not be performed.
Log4j 1.2.8 and earlier are compatible with JDK 1.1.x and later, later versions of log4j 1.2 are compatible with JDK 1.2 and later.
The DOMConfigurator is based on the DOM Level 1 API. The DOMConfigurator.configure(Element) method will work with any XML parser that will pass it a DOM tree.
The DOMConfigurator.configure(String filename) method and its variants require a JAXP compatible XML parser, for example Xerces or Sun's parser. Compiling the DOMConfigurator requires the presence of a JAXP parser in the classpath.
The org.apache.log4j.net.SMTPAppender relies on the JavaMail API. It has been tested with JavaMail API version 1.2. The JavaMail API requires the JavaBeans Activation Framework package.
The org.apache.log4j.net.JMSAppender requires the presence of the JMS API as well as JNDI.
log4j test code relies on the JUnit testing framework.
log4j is optimized for speed.
log4j is based on a named logger hierarchy.
log4j is fail-stop. However, altough it certainly strives to ensure delivery, log4j does not guarantee that each log statement will be delivered to its destination.
log4j is thread-safe.
log4j is not restricted to a predefined set of facilities.
Logging behavior can be set at runtime using a configuration file. Configuration files can be property files or in XML format.
log4j is designed to handle Java Exceptions from the start.
log4j can direct its output to a file, the console, an java.io.OutputStream, java.io.Writer, a remote server using TCP, a remote Unix Syslog daemon, to a remote listener using JMS, to the NT EventLog or even send e-mail.
log4j uses 6 levels, namely TRACE, DEBUG, INFO, WARN, ERROR and FATAL.
The format of the log output can be easily changed by extending the Layout class.
The target of the log output as well as the writing strategy can be altered by implementations of the Appender interface.
log4j supports multiple output appenders per logger.
log4j supports internationalization.
See the examples/ directory.
Make sure to read the short manual. It is also recommended to you read The complete log4j manual which is much more detailed and up to date. Both documents were written by Ceki Gülcü.
Yes, log4j is thread-safe. Log4j components are designed to be used in heavily multithreaded systems.
The log output can be customized in many ways. Moreover, one can completely override the output format by implementing one's own Layout.
Here is an example output using PatternLayout with the conversion pattern "%r [%t] %-5p %c{2} %x - %m%n"
176 [main] INFO examples.Sort - Populating an array of 2 elements in reverse order. 225 [main] INFO examples.SortAlgo - Entered the sort method. 262 [main] DEBUG SortAlgo.OUTER i=1 - Outer loop. 276 [main] DEBUG SortAlgo.SWAP i=1 j=0 - Swapping intArray[0] = 1 and intArray[1] = 0 290 [main] DEBUG SortAlgo.OUTER i=0 - Outer loop. 304 [main] INFO SortAlgo.DUMP - Dump of interger array: 317 [main] INFO SortAlgo.DUMP - Element [0] = 0 331 [main] INFO SortAlgo.DUMP - Element [1] = 1 343 [main] INFO examples.Sort - The next log statement should be an error message. 346 [main] ERROR SortAlgo.DUMP - Tried to dump an uninitialized array. at org.log4j.examples.SortAlgo.dump(SortAlgo.java:58) at org.log4j.examples.Sort.main(Sort.java:64) 467 [main] INFO examples.Sort - Exiting main method.
The first field is the number of milliseconds elapsed since the start of the program. The second field is the thread outputting the log statement. The third field is the level of the log statement. The fourth field is the rightmost two components of the logger making the log request. The fifth field (just before the '-') is the nested diagnostic context (NDC). Note the nested diagnostic context may be empty as in the first two statements. The text after the '-' is the message of the statement.
Although both APIs are conceptually similar, the log4j API is significantly more flexible and offers many more features, too numerous to be listed here. You will discover that the additional features and flexibility turn out to be indispensable in the context of a mission-critical application.
The open and collaborative way in which log4j is developped ensures that it continues to preserve and even widen its competitive edge. At some point, input from bright developers from all over the world is bound to make a difference.
Lggers lie at the heart of log4j. Loggers define a hierarchy and give the programmer run-time control on which statements are printed or not.
Loggers are assigned levels. A log statement is printed depending on its level and its logger.
Make sure to read the log4j manual for more information.
Log behavior can be set using configuration files which are parsed at runtime. Using configuration files the programmer can define loggers and set their levels.
The PropertyConfigurator defines a particular format of a configuration file. See also the examples/Sort.java example and associated configuration files.
Configuration files can be specified in XML. See log4j.dtd and org.log4j.xml.DOMConfigurator for more details.
See the various Layout and Appender components for specific configuration options.
In addition to configuration files, the user may disable all messages belonging to a set of levels. See next item.
For some logger l, writing,
l.debug("Entry number: " + i + " is " + String.valueOf(entry[i]));
incurs the cost of constructing the message parameter, that is converting both integer i and entry[i] to a String, and concatenating intermediate strings. This, regardless of whether the message will be logged or not.
If you are worried about speed, then write
if(l.isDebugEnabled()) { l.debug("Entry number: " + i + " is " + String.valueOf(entry[i])); }
or using LogMF from the extras companion write
LogMF.debug(logger, "Entry number: {0} is {1}", i, entry[i]);
This way you will not incur the cost of parameter construction if debugging is disabled for logger l. On the other hand, if the logger is debug enabled, you will incur the cost of evaluating whether the logger is enabled or not, twice: once in debugEnabled and once in debug. This is an insignificant overhead since evaluating a logger takes less than 1% of the time it takes to actually log a statement.
Yes, there are.
You can name loggers by locality. It turns out that instantiating a logger in each class, with the logger name equal to the fully-qualified name of the class, is a useful and straightforward approach of defining loggers. This approach has many benefits:
However, this is not the only way for naming loggers. A common alternative is to name loggers by functional areas. For example, the "database" logger, "RMI" logger, "security" logger, or the "XML" logger.
You may choose to name loggers by functionality and subcategorize by locality, as in "DATABASE.com.foo.some.package.someClass" or "DATABASE.com.foo.some.other.package.someOtherClass"..
You can easily retrieve the fully-qualified name of a class in a static block for class X, with the statement X.class.getName(). Note that X is the class name and not an instance. The X.class statement does not create a new instance of class X.
Here is the suggested usage template:
package a.b.c; public class Foo { final static Logger logger = Logger.getLogger(Foo.class); ... other code }
Yes, you can extend the Layout class to create you own customized log format. Appenders can be parameterized to use the layout of your choice.
Log4j uses JavaBeans style configuration.
Thus, any setter method in FooBarAppender corresponds to a configurable option. For example, in RollingFileAppender the setMaxBackupIndex(int maxBackups) method corresponds to the maxBackupIndex option. The first letter of the option can be upper case, i.e. MaxBackupIndex and maxBackupIndex are equivalent but not MAXBACKUPIndex nor mAXBackupIndex.
Layouts options are also defined by their setter methods. The same goes for most other log4j components.
We suggest to just use global file search/replace. You should be able to replace all the "java.util.Logger" references with "org.apache.log4j.Logger", and you should be on your way.
If you're on a Win32 platform, we recommend Textpad. You can use the CTRL+SHIFT+O to open all *.java files from a directory including all its sub-directories, and then use the search/replace function to replace in all files, and then CTRL+SHIFT+S to save all. Should take about 60 seconds! :)
Yes it is. Setting the Threshold option of any appender extending AppenderSkeleton, (most log4j appenders extend AppenderSkeleton) to filter out all log events with lower level than the value of the threshold option.
For example, setting the threshold of an appender to DEBUG also allow INFO, WARN, ERROR and FATAL messages to log along with DEBUG messages. This is usually acceptable as there is little use for DEBUG messages without the surrounding INFO, WARN, ERROR and FATAL messages. Similarly, setting the threshold of an appender to ERROR will filter out DEBUG, INFO and WARN messages but not ERROR or FATAL messages.
This policy usually best encapsulates what the user actually wants to do, as opposed to her mind-projected solution.
See examples/sort4.lcf for an example threshold configuration.
If you must filter events by exact level match, then you can attach a LevelMatchFilter to any appender to filter out logging events by exact level match.
The NT Event Viewer relies on message resource DLLs to properly view an event message. The NTEventLogAppender.dll contains these message resources, but that DLL must be copied to %SYSTEMROOT%\SYSTEM32 for it to work properly.
Unfotunately, the logger names are hardcoded within the message resource DLL (see previous question about NTEventLogAppender), so there isn't any easy way to override those dynamically... in fact, I don't think it's possible to do it, as you'd have to modify the DLL resources for every application. Since most native applications don't use the Logger column anyway...
The suggested approach depends on your design requirements. If you or your organization has no constraints on the use of Java in JSP pages, simply use log4j normally in <% ... %> statements as indicated in the Short Manual and the rest of the documentation.
However, if your design calls for a minimum amount of Java in your JSP pages, consider using the Log Taglib from the Jakarta Taglibs project. It provides logging JSP tags that invoke log4j.
Many developers are confronted with the problem of distinguishing the log output originating from the same class but different client requests. They come up with ingenious mechanisms to fan out the log output to different files. In most cases, this is not the right approach.
It is simpler to use a. The NumberCruncher example shows how the NDC can be used to distinguish the log output from multiple clients even if they share the same log file.
For select applications, such as virtual hosting web-servers, the NDC solution is not sufficient. As of version 0.9.0, log4j supports multiple hierarchy trees. Thus, it is possible to log to different targets from the same logger depending on the current context.
It is quite nontrivial to define the semantics of a "removed" logger escecially if it is still referenced by the user. Future releases may include a remove method in the Logger class.
You may have each process log to a SocketAppender. The receiving SocketServer (or SimpleSocketServer) can receive all the events and send them to a single log file.
The timestamp is created when the logging event is created. That is so say, when the debug, info, warn, error or fatal method is invoked. Thus, the timestamp is unaffected by the time at which event arrive at a remote socket server.
Timestamps are stored in UTC format inside the event. Consequently, when displayed or written to a log file, timestamps appear in the same timezone as the host displaying or creating the logfile. Note that because the clocks of various machines may not be synchronized, there may be timestamp inconsistencies between events generated on different hosts. The EnhancedPatternLayout in the extras companion supports explicit specification of the timezone using a pattern like "%d{HH:mm}{GMT}".
The short answer: the log4j classes and the properties file are not within the scope of the same classloader.
The long answer (and what to do about it): J2EE or Servlet containers utilize Java's class loading system. Sun changed the way classloading works with the release of Java 2. In Java 2, classloaders are arranged in a hierarchial parent-child relationship. When a child classloader needs to find a class or a resource, it first delegates the request to the parent.
Log4j only uses the default Class.forName() mechanism for loading classes. Resources are handled similarly. See the documentation for java.lang.ClassLoader for more details.
So, if you're having problems, try loading the class or resource yourself. If you can't find it, neither will log4j. ;)
Yes. Both the DOMConfigurator and the PropertyConfigurator support automatic reloading through the configureAndWatch method. See the API documentation for more details.
Because the configureAndWatch launches a separate wathdog thread, and because there is no way to stop this thread in log4j 1.2, the configureAndWatch method is unsafe for use in J2EE envrironments where applications are recycled.
Contrary to the GNU Public License (GPL) the Apache Software License does not make any claims over your extensions. By extensions, we mean totally new code that invokes existing log4j classes. You are free to do whatever you wish with your proprietary log4j extensions. In particular, you may choose to never release your extensions to the wider public.
We are very careful not to change the log4j client API so that newer log4j releases are backward compatible with previous versions. We are a lot less scrupulous with the internal log4j API. Thus, if your extension is designed to work with log4j version n, then when log4j release version n+1 comes out, you will probably need to adapt your proprietary extensions to the new release.
Thus, you will be forced to spend precious resources in order to keep up with log4j changes. This is commonly referred to as the "stupid-tax." By donating the code and making it part of the standard distribution, you save yourself the unnecessary maintenance work.
If your extensions are useful then someone will eventually write an extension providing the same or very similar functionality. Your development effort will be wasted. Unless the proprietary log4j extension is business critical, there is little reason for not donating your extensions back to the project.
Write a test case for your contribution.
There is nothing more irritating than finding the bugs in debugging (i.e. logging) code. Writing a test case takes some effort but is crucial for a widely used library such as log4j. Writing a test case will go a long way in earning you the respect of fellow developers. See the tests/ directory for exiting test cases.
Stick to the existing indentation style even if you hate it.
Alternating between indentation styles makes it hard to understand the source code. Make it a little harder on yourself but easier on others.
Log4j has adopted a rather conservative approach by following the Code Conventions for the JavaTM Programming Language. We use 2 (two) spaces for indentation and no tabs.
Please do not both modify the code and change the indentation in a single commit.
If you change the code and reformat it at the same time and then commit, the commit notification message will be hard to read. It will contain many diffs associated with the reformatting in addition to logical changes.
If you must reformat and change the code, then perform each step separately. For example, reformat the code and commit. Following that, you can change the logic and commit. The two steps can be performed in the reverse order just as well. You can first change the logic and commit and only later reformat and commit.
Make every effort to stick to the JDK 1.1 API.
One of the important advantages of log4j is its compatibility with JDK 1.1.x.
Always keep it simple, small and fast when possible.
It's all about the application not about logging.
Identify yourself as a contributor at the top of the relevant file.
Take responsibility for your code.
Authoring software is very much like running a marathon. It takes time and endurance.
Did we mention sticking with the indentation style?
Did we mention writing test cases?
There are several reasons this can occur:
It is possible, but rarely appropriate. The request is commonly for a level named something like "audit" that doesn't obviously fit in the progression "trace", "debug", "info", "warn", "error" and "fatal". In that case, the request for a level is really a request for a mechanism to specify a different audience. The appropriate mechanism is to use a distinct logger name (or tree) for "audit" related messages.
Tomcat will, by default, clear all static members when unloading classes, however this process can trigger initialization of classes which may then call a class that has been cleared resulting in a NullPointerException or some undesirable behavior. Bug 40212) describes the problem in detail and has a patch which at this writing has not been applied to Tomcat. Glassfish had a similar problem and accepted the patch.
The following are recommended to avoid this problem:
It is impossible for log4j to defend against all attacks on its internal state by a class loader. There is a limit to the defensive measures that will be incorporated.
For more background, see bugs 40212, 41939, 43867, 40159, 43181, 41316 and 37956.
The SMTPAppender may be influenced by mail.smtp and mail.smtps system properties. | http://logging.apache.org/log4j/1.2/faq.html | CC-MAIN-2013-48 | refinedweb | 3,087 | 59.3 |
# The Code of the Command & Conquer Game: Bugs From the 90's. Volume one

The American company Electronic Arts Inc (EA) has made the source code of the games Command & Conquer: Tibetan Dawn and Command & Conquer: Red Alert publicly available. This code should help the game community to develop mods and maps, create custom units, and customize the gameplay logic. We all now have a unique opportunity to plunge into the history of development, which is very different from the modern one. Back then, there was no StackOverflow site, convenient code editors, or powerful compilers. Moreover, at that time, there were no static analyzers, and the first thing the community will face is hundreds of errors in the code. This is what the PVS-Studio team will help you with by pointing out the erroneous places.
Introduction
------------
Command & Conquer is a series of computer games in the real-time strategy genre. The first game in the series was released in 1995. The Electronic Arts company acquired this game's development studio only in 1998.
Since then, several games and many mods have been released. The source code of the games was [posted](https://github.com/electronicarts/CnC_Remastered_Collection) together with the release of the [Command & Conquer Remastered](https://www.ea.com/games/command-and-conquer/command-and-conquer-remastered) collection.
The [PVS-Studio](https://www.viva64.com/en/pvs-studio/) analyzer was used to find errors in the code. The tool is designed to detect errors and potential vulnerabilities in the source code of programs, written in C, C++, C#, and Java.
Due to the large amount of problems found in the code, all error examples will be given in a series of two articles.
Typos and copy-paste
--------------------
V501 There are identical sub-expressions to the left and to the right of the '||' operator: dest == 0 || dest == 0 CONQUER.CPP 5576
```
void List_Copy(short const * source, int len, short * dest)
{
if (dest == NULL || dest == NULL) {
return;
}
....
}
```
I'd like to start the review with the never ending copy-paste. The author hasn't checked the pointer for the source and checked the destination pointer twice, because they had copied the *dest == NULL*check and had forgotten to change the variable name.
V584 The 'Current' value is present on both sides of the '!=' operator. The expression is incorrect or it can be simplified. CREDITS.CPP 173
```
void CreditClass::AI(bool forced, HouseClass *player_ptr, bool logic_only)
{
....
long adder = Credits - Current;
adder = ABS(adder);
adder >>= 5;
adder = Bound(adder, 1L, 71+72);
if (Current > Credits) adder = -adder;
Current += adder;
Countdown = 1;
if (Current-adder != Current) { // <=
IsAudible = true;
IsUp = (adder > 0);
}
....
}
```
The analyzer found a meaningless comparison. I suppose there must have been something as follows:
```
if (Current-adder != Credits)
```
but inattention has won.
The exact same code fragment was copied to another function:
* V584 The 'Current' value is present on both sides of the '!=' operator. The expression is incorrect or it can be simplified. CREDITS.CPP 246
V524 It is odd that the body of 'Mono\_Y' function is fully equivalent to the body of 'Mono\_X' function. MONOC.CPP 753
```
class MonoClass {
....
int Get_X(void) const {return X;};
int Get_Y(void) const {return Y;};
....
}
int Mono_X(void)
{
if (MonoClass::Is_Enabled()) {
MonoClass *mono = MonoClass::Get_Current();
if (!mono) {
mono = new MonoClass();
mono->View();
}
return(short)mono->Get_X(); // <=
}
return(0);
}
int Mono_Y(void)
{
if (MonoClass::Is_Enabled()) {
MonoClass *mono = MonoClass::Get_Current();
if (!mono) {
mono = new MonoClass();
mono->View();
}
return(short)mono->Get_X(); // <= Get_Y() ?
}
return(0);
}
```
A larger piece of code that was copied with the consequences. You have to admit, that except using the analyzer, you won't be able notice that the *Get\_X* function instead of *Get\_Y*was called from the *Mono\_Y* function. The *MonoClass* class does have 2 functions that differ by one symbol. Most likely, we found a real error.
I found the identical piece of code below:
* V524 It is odd that the body of 'Mono\_Y' function is equivalent to the body of 'Mono\_X' function. MONOC.CPP 1083
Errors with arrays
------------------
V557 Array overrun is possible. The '9' index is pointing beyond array bound. FOOT.CPP 232
```
#define CONQUER_PATH_MAX 9 // Number of cells to look ahead for movement.
FacingType Path[CONQUER_PATH_MAX];
void FootClass::Debug_Dump(MonoClass *mono) const
{
....
if (What_Am_I() != RTTI_AIRCRAFT) {
mono->Set_Cursor(50, 3);
mono->Printf("%s%s%s%s%s%s%s%s%s%s%s%s",
Path_To_String(Path[0]),
Path_To_String(Path[1]),
Path_To_String(Path[2]),
Path_To_String(Path[3]),
Path_To_String(Path[4]),
Path_To_String(Path[5]),
Path_To_String(Path[6]),
Path_To_String(Path[7]),
Path_To_String(Path[8]),
Path_To_String(Path[9]),
Path_To_String(Path[10]),
Path_To_String(Path[11]),
Path_To_String(Path[12]));
....
}
....
}
```
It seems that this is a debugging method, but the history doesn't record to what extent it could be detrimental for the developer's mental health. Here, the *Path* array consists of **9** elements, and all **13** of them are printed.
In total, 4 memory accesses outside the array boundary:
* V557 Array overrun is possible. The '9' index is pointing beyond array bound. FOOT.CPP 232
* V557 Array overrun is possible. The '10' index is pointing beyond array bound. FOOT.CPP 233
* V557 Array overrun is possible. The '11' index is pointing beyond array bound. FOOT.CPP 234
* V557 Array overrun is possible. The '12' index is pointing beyond array bound. FOOT.CPP 235
V557 Array underrun is possible. The value of '\_SpillTable[index]' index could reach -1. COORD.CPP 149
```
typedef enum FacingType : char {
....
FACING_COUNT, // 8
FACING_FIRST=0
} FacingType;
short const * Coord_Spillage_List(COORDINATE coord, int maxsize)
{
static short const _MoveSpillage[(int)FACING_COUNT+1][5] = {
....
};
static char const _SpillTable[16] = {8,6,2,-1,0,7,1,-1,4,5,3,-1,-1,-1,-1,-1};
....
return(&_MoveSpillage[_SpillTable[index]][0]);
....
}
```
At first glance, the example is complex, but it is easy to puzzle it out after a brief analysis.
The two-dimensional *\_MoveSpillage* array is accessed by an index that is taken from the *\_SpillTable* array. The array happens to contain negative values. Perhaps, access to data is organized according to a special formula and this is what the developer intended. Nonetheless, I'm not sure about that.
V512 A call of the 'sprintf' function will lead to overflow of the buffer '(char \*) ptr'. SOUNDDLG.CPP 250
```
void SoundControlsClass::Process(void)
{
....
void * ptr = new char [sizeof(100)]; // <=
if (ptr) {
sprintf((char *)ptr, "%cTrack %d\t%d:%02d\t%s", // <=
index, listbox.Count()+1, length / 60, length % 60, fullname);
listbox.Add_Item((char const *)ptr);
}
....
}
```
An attentive reader will wonder — why such a long string is saved in a buffer of 4 bytes? This is because the programmer thought that *sizeof(100)* would return something more (at least *100*). However, the *sizeof* operator returns the size of the type and even never evaluates any expressions. The author should have just written the constant *100*, or better yet, used named constants, or a different type for strings or a pointer.
V512 A call of the 'memset' function will lead to underflow of the buffer 'Buffer'. KEYBOARD.CPP 96
```
unsigned short Buffer[256];
WWKeyboardClass::WWKeyboardClass(void)
{
....
memset(Buffer, 0, 256);
....
}
```
A buffer is cleared by 256 bytes, although the full size of the original buffer is *256\*sizeof(unsigned short)*. Oops… goofed this one.
It can be also fixed as follows:
```
memset(Buffer, 0, sizeof(Buffer));
```
V557 Array overrun is possible. The 'QuantityB' function processes value '[0..86]'. Inspect the first argument. Check lines: 'HOUSE.H:928', 'CELL.CPP:2337'. HOUSE.H 928
```
typedef enum StructType : char {
STRUCT_NONE=-1,
....
STRUCT_COUNT, // <= 87
STRUCT_FIRST=0
} StructType;
int BQuantity[STRUCT_COUNT-3]; // <= [0..83]
int QuantityB(int index) {return(BQuantity[index]);} // <= [0..86]
bool CellClass::Goodie_Check(FootClass * object)
{
....
int bcount = 0;
for( j=0; j < STRUCT_COUNT; j++) {
bcount += hptr->QuantityB(j); // <= [0..86]
}
....
}
```
There are a lot of global variables in the code and it is obvious that they are easy to get confused. The analyzer's warning about an array index out of bounds is issued at the point of accessing the *BQuantity* array by index. The array size is 84 elements. Algorithms for analyzing the data flow in the analyzer helped to find out that the index value comes from another function – *Goodie\_Check*. There, a loop is executed with a final value of *86*. Therefore, 12 bytes of "someone's" memory (3 *int* elements) are constantly being read in this place.
V575 The 'memset' function processes '0' elements. Inspect the third argument. DLLInterface.cpp 1103
```
void* __cdecl memset(
_Out_writes_bytes_all_(_Size) void* _Dst,
_In_ int _Val,
_In_ size_t _Size
);
extern "C" __declspec(dllexport) bool __cdecl CNC_Read_INI(....)
{
....
memset(ini_buffer, _ini_buffer_size, 0);
....
}
```
In my opinion, I have repeatedly seen this error in modern projects. Programmers still confuse the 2nd and 3rd arguments of the *memset* function.
One more similar fragment:
* V575 The 'memset' function processes '0' elements. Inspect the third argument. DLLInterface.cpp 1404
About null pointers
-------------------
V522 Dereferencing of the null pointer 'list' might take place. DISPLAY.CPP 1062
```
void DisplayClass::Get_Occupy_Dimensions(int & w, int & h, short const *list)
{
....
if (!list) {
/*
** Loop through all cell offsets, accumulating max & min x- & y-coords
*/
while (*list != REFRESH_EOL) {
....
}
....
}
....
}
```
An explicit access to a null pointer looks very strange. This place looks like the one with a typo and there are a few other places worth checking out:
* V522 Dereferencing of the null pointer 'list' might take place. DISPLAY.CPP 951
* V522 Dereferencing of the null pointer 'unitsptr' might take place. QUEUE.CPP 2362
* V522 Dereferencing of the null pointer 'unitsptr' might take place. QUEUE.CPP 2699
V595 The 'enemy' pointer was utilized before it was verified against nullptr. Check lines: 3689, 3695. TECHNO.CPP 3689
```
void TechnoClass::Base_Is_Attacked(TechnoClass const *enemy)
{
FootClass *defender[6];
int value[6];
int count = 0;
int weakest = 0;
int desired = enemy->Risk() * 2;
int risktotal = 0;
/*
** Humans have to deal with their own base is attacked problems.
*/
if (!enemy || House->Is_Ally(enemy) || House->IsHuman) {
return;
}
....
}
```
The *enemy* pointer is dereferenced, and then checked to make sure that it is nonnull. It is still a vital problem, dare I say it, for every open source project. I'm sure that in projects with closed code the situation is about the same, unless, of course, PVS-Studio is used ;-)
Incorrect casts
---------------
V551 The code under this 'case' label is unreachable. The '4109' value of the 'char' type is not in the range [-128; 127]. WINDOWS.CPP 547
```
#define VK_RETURN 0x0D
typedef enum {
....
WWKEY_VK_BIT = 0x1000,
....
}
enum {
....
KA_RETURN = VK_RETURN | WWKEY_VK_BIT,
....
}
void Window_Print(char const string[], ...)
{
char c; // Current character.
....
switch(c) {
....
case KA_FORMFEED: // <= 12
New_Window();
break;
case KA_RETURN: // <= 4109
Flush_Line();
ScrollCounter++;
WinCx = 0;
WinCy++;
break;
....
}
....
}
```
This function handles the characters you enter. As you know, a 1-byte value is placed in the *char* type, and the number *4109* will never be there. So, this *switch* statement just contains an unreachable code branch.
Several such places were found:
* V551 The code under this 'case' label is unreachable. The '4105' value of the 'char' type is not in the range [-128; 127]. WINDOWS.CPP 584
* V551 The code under this 'case' label is unreachable. The '4123' value of the 'char' type is not in the range [-128; 127]. WINDOWS.CPP 628
V552 A bool type variable is being incremented: printedtext ++. Perhaps another variable should be incremented instead. ENDING.CPP 170
```
void Nod_Ending(void)
{
....
bool printedtext = false;
while (!done) {
if (!printedtext && !Is_Sample_Playing(kanefinl)) {
printedtext++;
Alloc_Object(....);
mouseshown = true;
Show_Mouse();
}
....
}
....
}
```
In this code fragment, the analyzer found the application of the increment operation to a variable of the *bool* type. This is correct code from the point of view of the language, but it looks very strange now. This operation is also marked as deprecated, starting from the C++17 standard.
In total, 2 such places were detected:
* V552 A bool type variable is being incremented: done ++. Perhaps another variable should be incremented instead. ENDING.CPP 187
V556 The values of different enum types are compared. Types: ImpactType, ResultType. AIRCRAFT.CPP 742
```
ImpactType FlyClass::Physics(COORDINATE & coord, DirType facing);
typedef enum ImpactType : unsigned char { // <=
IMPACT_NONE,
IMPACT_NORMAL,
IMPACT_EDGE
} ImpactType;
typedef enum ResultType : unsigned char { // <=
RESULT_NONE,
....
} ResultType;
void AircraftClass::AI(void)
{
....
if (Physics(Coord, PrimaryFacing) != RESULT_NONE) { // <=
Mark();
}
....
}
```
The programmer tied some logic to comparing the values of different enumerations. Technically, this works because numerical representations are compared. But such code often leads to logical errors. It is worth tweaking the code (of course, if this project is to be supported).
The entire list of warnings for this diagnostic looks like this:
* V556 The values of different enum types are compared: SoundEffectName[voc].Where == IN\_JUV. DLLInterface.cpp 402
* V556 The values of different enum types are compared: SoundEffectName[voc].Where == IN\_VAR. DLLInterface.cpp 405
* V556 The values of different enum types are compared: Map.Theater == CNC\_THEATER\_DESERT. Types: TheaterType, CnCTheaterType. DLLInterface.cpp 2805
* V556 The values of different enum types are compared. Types: ImpactType, ResultType. AIRCRAFT.CPP 4269
* V556 The values of different enum types are compared: SoundEffectName[voc].Where == IN\_VAR. DLLInterface.cpp 429
V716 Suspicious type conversion in assign expression: 'HRESULT = BOOL'. GBUFFER.H 780
```
BOOL __cdecl Linear_Blit_To_Linear(...);
inline HRESULT GraphicViewPortClass::Blit(....)
{
HRESULT return_code=0;
....
return_code=(Linear_Blit_To_Linear(this, &dest, x_pixel, y_pixel
, dx_pixel, dy_pixel
, pixel_width, pixel_height, trans));
....
return ( return_code );
}
```
This is a very old problem that is still relevant today. There are special macros for working with the HRESULT type. Casting to BOOL and visa versa isn't used for this type. These two data types are extremely similar to each other from the point of view of the language, but logically they are still incompatible. The implicit type casting operation that exists in the code doesn't make sense.
This and a few other places would be worth refactoring:
* V716 Suspicious type conversion in assign expression: 'HRESULT = BOOL'. GBUFFER.H 817
* V716 Suspicious type conversion in assign expression: 'HRESULT = BOOL'. GBUFFER.H 857
* V716 Suspicious type conversion in assign expression: 'HRESULT = BOOL'. GBUFFER.H 773
* V716 Suspicious type conversion in assign expression: 'HRESULT = BOOL'. GBUFFER.H 810
* V716 Suspicious type conversion in assign expression: 'HRESULT = BOOL'. GBUFFER.H 850
V610 Undefined behavior. Check the shift operator '<<'. The left operand '(~0)' is negative. MP.CPP 2410
```
void XMP_Randomize(digit * result, Straw & rng, int total_bits, int precision)
{
....
((unsigned char *)result)[nbytes-1] &=
(unsigned char)(~((~0) << (total_bits % 8)));
....
}
```
Here, the negative number is shifted to the left, which is undefined behavior. A negative number is obtained from zero when using the inversion operator. Since the result of the operation is placed in the *int* type, the compiler uses it to store the value, whereas it is of the signed type.
In 2020, the compiler already finds this error as well:
*Warning C26453: Arithmetic overflow: Left shift of a negative signed number is undefined behavior.*
But compilers are not full-fledged static analyzers, because they solve other problems. So here is another example of undefined behavior that is only detected by PVS-Studio:
V610 Undefined behavior. Check the shift operator '<<'. The right operand ('(32 — bits\_to\_shift)' = [1..32]) is greater than or equal to the length in bits of the promoted left operand. MP.CPP 659
```
#define UNITSIZE 32
void XMP_Shift_Right_Bits(digit * number, int bits, int precision)
{
....
int digits_to_shift = bits / UNITSIZE;
int bits_to_shift = bits % UNITSIZE;
int index;
for (index = digits_to_shift; index < (precision-1); index++) {
*number = (*(number + digits_to_shift) >> bits_to_shift) |
(*(number + (digits_to_shift + 1)) << (UNITSIZE - bits_to_shift));
number++;
}
....
}
```
The analyzer has found an unusual situation. The 32-bit number can be potentially shifted to the right for the number of bits, exceeding the available number. Here's how it works:
```
int bits_to_shift = bits % UNITSIZE;
```
The *UNITIZE* constant has the value *32*:
```
int bits_to_shift = bits % 32;
```
Thus, the value of the *bits\_to\_shift* variable will be zero for all *bits* values that are multiples of *32*.
Therefore, in this code fragment:
```
.... << (UNITSIZE - bits_to_shift) ....
```
32 digits will be shifted if *0* is subtracted from the constant *32*.
List of all PVS-Studio warnings about shifts with undefined behavior:
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(~0)' is negative. TARGET.H 66
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 24) \* 256) / 24)' is negative. ANIM.CPP 160
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 12) \* 256) / 24)' is negative. BUILDING.CPP 4037
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 21) \* 256) / 24)' is negative. DRIVE.CPP 2160
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 21) \* 256) / 24)' is negative. DRIVE.CPP 2161
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 20) \* 256) / 24)' is negative. DRIVE.CPP 2162
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 20) \* 256) / 24)' is negative. DRIVE.CPP 2163
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 18) \* 256) / 24)' is negative. DRIVE.CPP 2164
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 18) \* 256) / 24)' is negative. DRIVE.CPP 2165
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 17) \* 256) / 24)' is negative. DRIVE.CPP 2166
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 16) \* 256) / 24)' is negative. DRIVE.CPP 2167
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 15) \* 256) / 24)' is negative. DRIVE.CPP 2168
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 14) \* 256) / 24)' is negative. DRIVE.CPP 2169
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 13) \* 256) / 24)' is negative. DRIVE.CPP 2170
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 12) \* 256) / 24)' is negative. DRIVE.CPP 2171
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 11) \* 256) / 24)' is negative. DRIVE.CPP 2172
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 10) \* 256) / 24)' is negative. DRIVE.CPP 2173
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 9) \* 256) / 24)' is negative. DRIVE.CPP 2174
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 8) \* 256) / 24)' is negative. DRIVE.CPP 2175
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 7) \* 256) / 24)' is negative. DRIVE.CPP 2176
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 6) \* 256) / 24)' is negative. DRIVE.CPP 2177
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 5) \* 256) / 24)' is negative. DRIVE.CPP 2178
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 4) \* 256) / 24)' is negative. DRIVE.CPP 2179
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 3) \* 256) / 24)' is negative. DRIVE.CPP 2180
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 2) \* 256) / 24)' is negative. DRIVE.CPP 2181
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 1) \* 256) / 24)' is negative. DRIVE.CPP 2182
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(((- 5) \* 256) / 24)' is negative. INFANTRY.CPP 2730
* V610 Undefined behavior. Check the shift operator '>>'. The right operand ('(32 — bits\_to\_shift)' = [1..32]) is greater than or equal to the length in bits of the promoted left operand. MP.CPP 743
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(~0)' is negative. RANDOM.CPP 102
* V610 Undefined behavior. Check the shift operator '<<'. The left operand '(~0L)' is negative. RANDOM.CPP 164
Conclusion
----------
Let's hope that modern projects of Electronic Arts are of better quality. If not, we invite you to our site to [download](https://www.viva64.com/en/pvs-studio-download/) and try PVS-Studio on all projects.
Someone may object that cool successful games used to be made with this quality, and we can partially agree with this. On the other hand, we mustn't forget that competition in the development of programs and games has grown many times over the years. Expenses on development, support, and advertising have also increased. Consequently, fixing errors at later stages of development can lead to significant financial and reputational losses.
Follow our blog and don't miss the 2nd part of the review of this games series. | https://habr.com/ru/post/507164/ | null | null | 3,332 | 61.12 |
GHC supports a small extension to the syntax of module names: a module name is allowed to contain a dot ‘.’. This is also known as the “hierarchical module namespace” extension, because it extends the normally flat Haskell module namespace into a more flexible hierarchy of modules.
This extension has very little impact on the language itself; modules names are always fully qualified, so you can just think of the fully qualified module name as "the module name". In particular, this means that the full module name must be given after the module keyword at the beginning of the module; for example, the module A.B.C must begin
It is a common strategy to use the as keyword to save some typing when using qualified names with hierarchical modules. For example:
Hierarchical modules have an impact on the way that GHC searches for files. For a description, see Section 4.9.3.
GHC comes with a large collection of libraries arranged hierarchically; see the accompanying library documentation. There is an ongoing project to create and maintain a stable set of "core" libraries used by several Haskell compilers, and the libraries that GHC comes with represent the current status of that project. For more details, see Haskell Libraries.:The lookup returns Nothing if the supplied key is not in the domain of the mapping, and (Just v) otherwise, where v is the value that the key maps to. Now consider the following definition:
The auxiliary functions are:
The semantics should be clear enough. The qualifers:
Haskell's current guards therefore emerge as a special case, in which the qualifier list has just one element, a boolean expression.
The recursive do-notation (also known as mdo-notation) is implemented as described in "A recursive do for Haskell", Levent Erkok, John Launchbury", Haskell Workshop 2002, pages: 29-37. Pittsburgh, Pennsylvania.:
As you can guess justOnes will evaluate to Just [1,1,1,....
The Control.Monad.Fix library introduces the MonadFix class. It's definition is:
The function mfix dictates how the required recursion operation should be performed. If recursive bindings are required for a monad, then that monad must be declared an instance of the MonadFix class. For details, see the above mentioned reference.
The following instances of MonadFix are automatically provided: List, Maybe, IO. Furthermore, the Control.Monad.ST and Control.Monad.ST.Lazy modules provide the instances of the MonadFix class for Haskell's internal state monad (strict and lazy, respectively).
There are three important points in using the recursive-do notation:
The recursive version of the do-notation uses the keyword mdo (rather than do).
You should import Control.Monad.Fix. (Note: Strictly speaking, this import is required only when you need to refer to the name MonadFix in your program, but the import is always safe, and the programmers are encouraged to always import this module when using the mdo-notation.)
As with other extensions, ghc should be given the flag -fglasgow-exts
The web page: contains up to date information on recursive monadic bindings.
Historical note: The old implementation of the mdo-notation (and most of the existing documents) used the name MonadRec for the class and the corresponding library. This name is not supported by GHC.
GHC supports infix type constructors, much as it supports infix data constructors. For example:
The lexical syntax of an infix type constructor is just like that of an infix data constructor: either it's an operator beginning with ":", or it is an ordinary (alphabetic) type constructor enclosed in back-quotes.
When you give a fixity declaration, the fixity applies to both the data constructor and the type constructor with the specified name. You cannot give different fixities to the type constructor T and the data constructor T.:
Integer and fractional literals mean "fromInteger 1" and "fromRational 3.2", not the Prelude-qualified versions; both in expressions and in patterns.
However, the standard Prelude Eq class is still used for the equality test necessary for literal patterns.
Negation (e.g. "- (f x)") means "negate (f x)" (not Prelude.negate).
In an n+k pattern, the standard Prelude Ord class is still used for comparison, but the necessary subtraction uses whatever "(-)" is in scope (not "Prelude.(-)").
"Do" notation is translated using whatever functions (>>=), (>>), fail, and return, are in scope (not the Prelude versions). List comprehensions, and parallel array comprehensions, are unaffected.
Be warned: this is an experimental facility, with fewer checks than usual. In particular, it is essential that the functions GHC finds in scope must have the appropriate types, namely:(The (...) part can be any context including the empty context; that part is up to you.) If the functions don't have the right type, very peculiar things may happen. Use -dcore-lint to typecheck the desugared program. If Core Lint is happy you should be all right. | https://downloads.haskell.org/~ghc/6.0/docs/html/users_guide/syntax-extns.html | CC-MAIN-2016-40 | refinedweb | 806 | 54.52 |
.NET Reunified : Announcing .NET 5.0 🚀
And how to migrate.
On November 10th 2020, Microsoft announced .NET 5.0, marking an important step forward for developers working across desktop, Web, mobile, cloud and device platforms. In fact, .NET 5 is that rare platform update that unifies divergent frameworks, reduces code complexity and significantly advances cross-platform reach. NET 5.0 is already battle-tested by being hosted for months at dot.net and Bing.com (version).
What & Why
With this release (of course after on preview for around an year) they merged the source code streams of several key frameworks — .NET Framework, .NET Core and Xamarin/Mono. The effort was to even unify threads that separated at inception at the turn of the century, and provide developers one target framework for their work.
Mark Michaelis on MSDN Magazine said “. ”
There are many important improvements in .NET 5.0:
- have enhanced performance for Json serialization, regular expressions, and HTTP (HTTP 1.1, HTTP/2). They are also are now completely annotated for nullability.
- P95 latency has dropped due to refinements in the GC, tiered compilation, and other areas.
- Application deployment options are better, with ClickOnce client app publishing, single-file apps, reduced container image size, and the addition of Server Core container images.
- Platform scope expanded with Windows Arm64 and WebAssembly.
Performance!
For anyone interested in .NET and performance, garbage collection is frequently top of mind. Lots of effort goes into reducing allocation, not because the act of allocating is itself particularly expensive, but because of the follow-on costs in cleaning up after those allocations via the garbage collector (GC). No matter how much work goes into reducing allocations, however, the vast majority of workloads will incur them, and thus it’s important to continually push the boundaries of what the GC is able to accomplish, and how quickly.
This release has seen a lot of effort go into improving the GC. For example,
- dotnet/coreclr#25986 implements a form of work stealing for the “mark” phase of the GC
- dotnet/runtime#35896 optimizes decommits on the “ephemeral” segment (gen0 and gen1 are referred to as “ephemeral” because they’re objects expected to last for only a short time). Decommitting is the act of giving pages of memory back to the operating system at the end of segments after the last live object on that segment.
- dotnet/runtime#32795, which improves the GC’s scalability on machines with higher core counts by reducing lock contention involved in the GC’s scanning of statics.
- dotnet/runtime#37894, which avoids costly memory resets (essentially telling the OS that the relevant memory is no longer interesting) unless the GC sees it’s in a low-memory situation.
- dotnet/coreclr#27729, which reduces the time it takes for the GC to suspend threads, something that’s necessary in order for it to get a stable view so that it can accurately determine which are being used.
Not only GC, NET 5 is an exciting version for the Just-In-Time (JIT) compiler, too, with many improvements of all manner finding their way into the release. In .NET Core 3.0, over a thousand new hardware intrinsics methods were added and recognized by the JIT to enable C# code to directly target instruction sets like SSE4 and AVX2 (see the docs). These were then used to great benefit in a bunch of APIs in the core libraries. However, the intrinsics were limited to x86/x64 architectures. In .NET 5, a ton of effort has gone into adding thousands more, specific to ARM64. Text processing helpers like
System.Char received some nice improvements in .NET 5. For example, dotnet/coreclr#26848 improved the performance of
char.IsWhiteSpace by tweaking the implementation to require fewer instructions and less branching, also, not to mention the System.Text.RegularExpressions which has received myriad of performance improvements.
C# 9
C# 9.0 adds the following features and enhancements to the C# language:
- Records
- Init only setters
- Top-level statements
- Pattern matching enhancements
- Native sized integers
- Function pointers
- Suppress emitting localsinit flag
- Target-typed new expressions
- static anonymous functions
- Target-typed conditional expressions
- Covariant return types
- Extension
GetEnumeratorsupport for
foreachloops
- Lambda discard parameters
- Attributes on local functions
- Module initializers
- New features for partial methods
As an example, take a look at Top-level statements. Top-level statements remove unnecessary ceremony from many applications. Consider the canonical “Hello World!” program:
There’s only one line of code that does anything. With top-level statements, you can replace all that boilerplate with the
using statement and the single line that does the work:
If you wanted a one-line program, you could remove the
using directive and use the fully qualified type name:
System.Console.WriteLine("Hello World!");
Eat that Python!
What's new in C# 9.0 - C# Guide
C# 9.0 adds the following features and enhancements to the C# language: Init only setters Top-level statements Pattern…
docs.microsoft.com
EF Core 5.0
The foundation from 3.1 enabled the Microsoft team and community to deliver an astonishing set of new features for EF Core 5.0. Some of the highlights from the 81 significant enhancements include:
- Many-to-many relationship mapping
- Table-per-type inheritance mapping
- IndexAttribute to map indexes without the fluent API
- Database collations
- Filtered Include
- Simple logging
- Exclude tables from migrations
- Split queries for related collections
- Event counters
- SaveChanges interception and events
- Required 1:1 dependents
- Migrations scripts with transactions
- Rebuild SQLite tables as needed in migrations
- Mapping for table-valued functions
- DbContextFactory support for dependency injection
- ChangeTracker.Clear to stop tracking all entities
- Improved Cosmos configuration
- Change-tracking proxies
- Property bags
These new features are part of a larger pool of changes:
- Over 230 enhancements
- Over 380 bug fixes
- Over 80 cleanup and API documentation updates
- Over 120 updates to documentation pages
As an example, In EF Core up to and including 3.x, it is necessary to include an entity in the model to represent the join table when creating Many-to-many relationship mapping, and then add navigation properties to either side of the many-to-many relations that point to the join entity instead:
And then in the Db context,
But with EF Core 5.0, you can do,
When Migrations (or
EnsureCreated) are used to create the database, EF Core will automatically create the join table.
Migrate from .NET Core 3.1 to .NET 5.0
Take a look here to see what are the breaking changes in .NET 5.0
Breaking changes, version 3.1 to 5.0 - .NET Core
If you're migrating from version 3.1 of .NET Core, ASP.NET Core, or EF Core to version 5.0 of .NET, ASP.NET Core, or EF…
docs.microsoft.com
I will start with an eample project I created a while back for my .NET Core Authentication From Scratch series.
.NET Core 3.0 (Preview 4) Web API Authentication from Scratch (Part 3): Token Authentication
JSON Web Tokens (JWT)
medium.com
We will start with the source code of the same project, the technology stack of the projects is as follows.
- Asp.Net Core 3.1 Web API
- Entity Framework Core 3.1 (Code First)
- SQL Server Database
nishanc/WebApiCore31
Contribute to nishanc/WebApiCore31 development by creating an account on GitHub.
github.com
Before we do anything, if you’re using Visual Studio, you need to update it to version 16.8, If you’re using .NET Core CLI, you need to download .NET 5.0 SDK from here.
After updating and restarting your PC, try to create a new .NET Core Web Application. If everything was installed properly, you will be able to select .NET Core 5.0 option.
In either case if you open up a command prompt and execute
dotnet --info you should see .NET 5.0 SDK listed.
You also might want to update
dotnet-ef tool as well (Entity Framework Core .NET Command-line Tools) to version 5.0. Check for your version by executing
dotnet ef in
cmd. If it’s not 5.0, update it using following command.
dotnet tool update --global dotnet-ef --version 5.0.0
Let’s open our project from VSCode or any other text editor. We need to update few things in the
.csproj file. (If you’re using Visual Studio open up the
.csproj file by
right click on the project — >
Edit project file.
Cool. Now, edit the
<TargetFramework> from
netcoreapp3.1 to
net5.0
<TargetFramework>net5.0</TargetFramework>
And for other
<PackageReference/> items should be updated to the latest version. Specially the packages start with
Microsoft.AspNetCore and
Microsoft.EntityFrameworkCore. As an eample
Microsoft.AspNetCore.Authentication.JwtBearer should have
Version="5.0.0". Make sure to update other 3rd party packages also to the latest version if you find something not working properly. Just search it in the nuget gallery and get the version.
My
csproj before updating.
My
csproj after updating.
Now, open up a terminal and execute
dotnet restore to update the packages.
That’s it, now you should be able to run the project as usual. Updated project is available here.
nishanc/WebApiNet50
Contribute to nishanc/WebApiNet50 development by creating an account on GitHub.
github.com
Conclusion
We’ll wait and see what more things are there to come with new updates. Migrating should be a flawless process, not like migrating from .NET Core 2.1 to 3.0, remember those days? You might run into some other issues, but hey, the whole community is migrating as we speak, there should be fix for whatever problems you face.
Take look at Microsoft docs too.
Migrate from ASP.NET Core 3.1 to 5.0
By Scott Addie This article explains how to update an existing ASP.NET Core 3.1 project to ASP.NET Core 5.0. The Visual…
docs.microsoft.com
Happy coding! Stay safe!
References
Announcing .NET 5.0 | .NET Blog
We're excited to release .NET 5.0 today and for you to start using it. It's a major release - including C# 9 and F# 5 …
devblogs.microsoft.com
.NET 5.0 Runtime Epics · Issue #37269 · dotnet/runtime
NET 5.0 Runtime Epics The .NET 5.0 release is composed of many improvements and features. This issue lists the "epics"…
github.com
Performance Improvements in .NET 5 | .NET Blog
In previous releases of .NET Core, I've blogged about the significant performance improvements that found their way…
devblogs.microsoft.com
Regex Performance Improvements in .NET 5 | .NET Blog
The System.Text.RegularExpressions namespace has been in .NET for years, all the way back to .NET Framework 1.1. It's…
devblogs.microsoft.com
C# - .NET Reunified: Microsoft's Plans for .NET 5
July 2019 Volume 34 Number 7 By Mark Michaelis | July 2019 When Microsoft announced .NET 5 at Microsoft Build 2019 in…
docs.microsoft.com
What's new in C# 9.0 - C# Guide
C# 9.0 adds the following features and enhancements to the C# language: Init only setters Top-level statements Pattern…
docs.microsoft.com
Announcing the Release of EF Core 5.0 | .NET Blog
Jeremy Today, the Entity Framework team is delighted to announce the release of EF Core 5.0. This is a general…
devblogs.microsoft.com | https://nishanc.medium.com/net-reunified-announcing-net-5-0-c10999f6ccca?source=user_profile---------8---------------------------- | CC-MAIN-2022-27 | refinedweb | 1,885 | 59.6 |
On 8 Apr 2004, at 17:36, Chen, Tim wrote:
> I saw that in the list archives it was not supported but
> 1) is it planned to be able to support something like
> digester.addCallMethod("foo[@bar=\"blah"\]", "foo"); ?
(simon's covered this pretty well. a long time ago scott knew most
about this so if he's still around, now would be a good time for him to
jump in ;)
> 2) is there a way around it currently?
> I see that all the rules have a way to see the attributes before
> processing
> but I don't know how to stop that rule from processing.
if stopping a rule firing on the basic of attributes, that can be done
by a wrapper Rule implementation. this should test the attributes and
only execute the rule if they match your expectations. the only wrinkle
is that you'll probably need to push the implementation onto the stack.
here's the type of thing i mean (not tested and with badly named
methods):
public interface AttributesApprover {
public boolean approved(Attributes attributes);
}
public class doNothingRule extends Rule {}
public class AttributesFilter extends Rule {
private ArrayStack ruleStack = new ArrayStack();
private AttributesApprover approver;
private Rule rule;
public void begin(String namespace, String name, Attributes
attributes) {
if (approver.approve(attributes)) {
ruleStack.push(rule);
} else {
ruleStack.push(new DoNothingRule());
}
((Rule)ruleStack.peek()).begin(namespace, name, attributes);
}
public void body(String namespace, String name, String text)
{ ((Rule)ruleStack.peek()).body(namespace, name, text);
}
public void end(String namespace, String name,)
{ ((Rule)ruleStack.pop()).end(namespace, name,);
}
}
- robert
---------------------------------------------------------------------
To unsubscribe, e-mail: commons-user-unsubscribe@jakarta.apache.org
For additional commands, e-mail: commons-user-help@jakarta.apache.org | http://mail-archives.apache.org/mod_mbox/commons-user/200404.mbox/%3C40F400B8-8BBC-11D8-A1FD-003065DC754C@blueyonder.co.uk%3E | CC-MAIN-2017-04 | refinedweb | 279 | 54.42 |
Hi,
I need to mainten a profile database with login, password, telephone numbers
and so on. I think I need to know how tomcat is handeling the request flow.
My goal is to achive the following (if there are better ways to it, please
let me know).
Profile profile = request.getSessio().getProfile();
if( ! profile.loggedIn){
"the user is not logged in..."
else
telephoneNumber=profile.getNumber();
}
I suppose there is a kind of pipeline of servlets that one after another is
processing the request object untill it finally is handeled by the end
servlet (e.g test.jsp)
If it doesn't allready exists, I would like to extend the session object
with to members:
short:
public class mySession extends Session{
Boolean loggedIn;
Profile profile;
}
and put a class into the pipeline which, dependend on wether or not the user
is logged in, sets loggedIn=true and profile="som object containg profile
information";
Does this allready exist as a functionallity in tomcat? I know other
servlet-containers (Dynamo from ATG) has this kind of profile handeling.
Where can I find documentation on how tomcat is processing the request flow?
Thanks in advance
trond
**********************************************************************
This email message has been swept by
MIMEsweeper for the presence of computer viruses.
********************************************************************** | http://mail-archives.apache.org/mod_mbox/tomcat-users/200406.mbox/%3C44BE7B96C73B3F4A90A290E3336F67960170A7E9@ntvgrex2.via.no%3E | CC-MAIN-2014-10 | refinedweb | 206 | 60.14 |
Internationalization (dubbed as I18n as there are exactly eighteen characters between the first “i” and the last “n”) means creating an application that can be adapted to various languages easily, without the need to do complex changes. This involves extracting various bits (strings, date and currency formats) out of a (Rails) application and then providing translations and formats for them. The latter is called localization and sometimes is dubbed as l10n. If your company is growing and seeking to go international, localization is an important step to do. In this Rails i18n guide, we will discuss the following topics:
- Details around Rails i18n
- Where to store translations
- What localized views are
- How to format dates, times, and numbers
- How to introduce pluralization rules and more
By the end of this Rails i18n guide, you will have a solid understanding of using I18n with Rails and will be ready to employ the described techniques when building real-world apps. The source code for the demo app can be found at GitHub.
Our First Translation with Rails
The Groundwork
So, I18n was the Rails’ core feature starting from version 2.2. It provides a powerful and easy-to-use framework that allows translating an app into as many languages as you need. To see it in action while discussing various concepts, let’s create a demo Rails application: For this article I am using Rails 6 but most of the described concepts apply to earlier versions as well. Go ahead and create a static pages controller called
pages_controller.rb with a single action: views/pages/index.html.erb Set up the root route inside
config/routes.rb: So, we have the header on the main page that contains the hard-coded “Welcome!” word. If we are going to add support for multiple languages this is not really convenient — we need to extract this word somewhere and replace it with a more generic construct.
Storing Translations
By default, all translations live inside the
config/locales directory, divided into files. They load up automatically as this directory is set as
I18n.load_path by default. You may add more paths to this setting if you wish to structure your translations differently. For example, to load all the YAML and Ruby files from the
locales directory and all nested directories, say: inside your
config/application.rb file. Our new app already contains an
en.yml file inside the
locales directory, so let’s change its contents to: config/locales/en.yml yml extension stands for YAML (Yet Another Markup Language) and it’s a very simple format of storing and structuring data. The top-most
en key means that inside this file we are storing English translations. Nested is the
welcome key that has a value of “Welcome!”. This string is an actual translation that can be referenced from the application. Here is a nice guide to naming your keys and a guide to I18n best practices in Rails. The core method to lookup translations is
translate or simply
t: views/pages/index.html.erb Now instead of hard-coding an English word, we tell Rails where to fetch its translation.
welcome corresponds to the key introduced inside the
en.yml file. English if the default language for Rails applications so when reloading the page you’ll see the same “Welcome!” word. Nice!
Learn how to find the best i18n manager and follow our best practices for making your business a global success.
Learn how to find the best i18n manager and follow our best practices for making your business a global success.Check out the guide
Adding Support for an Additional Language in Rails
Passing Locale Data
Surely you are eager to check how this all is going to work with the support for multiple languages. In order to do that we need a way to provide the language’s name to use. There are multiple options available:
- Provide language’s name as a GET parameter (
example.com?locale=en)
- Specify it as a part of a domain name (
en.example.com)
- Provide it as a part of a URL (
example.com/en/page). Technically, that’s a GET parameter as well.
- Set it based on the user agent sent by the browser
- Adjust it basing on the user’s location (not really recommended)
To keep things simple we will stick with the first solution. If you would like to learn about other techniques, take a look at our “Setting and Managing Locales in Rails” guide. Firstly, introduce a new
before_action inside the
ApplicationController: application_controller.rb The idea is simple: we either fetch a GET parameter called
locale and assign it to the
I18n.locale option or read the default locale which, as you remember, is currently set to
Available Locales
Now try navigating to and… you’ll get an
InvalidLocale error. Why is that? To understand what’s going on, add the following contents to the
index page: views/pages/index.html.erb Next, reload the page while stripping out the
?locale=de part. You’ll note that only
[:en] is being rendered meaning that we do not have any other available locales available at all. To fix that, add a new gem into the Gemfile: Gemfile
rails-i18n provides locale data for Ruby and Rails. It stores basic translations like months’ and years’ names, validation messages, pluralization rules, and many other ready-to-use stuff. Here is the list of supported languages. Run: Then boot the server and reload the page once again. Now you’ll see a huge array of supported languages. That’s great, but most likely you won’t need them all, therefore let’s redefine the
available_locales setting: config/application.rb Now we support English and Russian languages. Also, while we are here, let’s set a new default locale for our app for demonstration purposes: config/application.rb Don’t forget to reload the server after modifying this file!
Switching Locale
The code for the
before_action should be modified to check whether the requested locale is supported: application_controller.rb As long as we’ve used symbols when defining available locales, we should convert the GET parameter to a symbol as well. Next, we check whether this locale is supported and either set it or use the default one. We should also persist the chosen locale when the users visit other pages of the site. To achieve that, add a new
default_url_options method to the
application_controller.rb : Now all links generated with routing helpers (like
posts_path or
posts_url) will contain a
locale GET parameter equal to the currently chosen locale. The users should also be able to switch between locales, so let’s add two links to our
application.html.erb layout:
Providing More Translations
Now when you switch to the Russian language (or any other language you added support for, except for English), you’ll note that the header contains the “Welcome” word, but without the “!” sign. Use Developer Tools in your browser and inspect the header’s markup: What happens is Rails cannot find the translation for the
welcome key when switching to Russian locale. It simply converts this key to a title and displays it on the page. You may provide a
:default option to the
t method in order to say what to display if the translation is not available: To fix that, let’s create a new translations file for the Russian locale: config/locales/ru.yml Now everything should be working just great, but make sure you don’t fall for some common mistakes developers usually do while localizing an app. Also note that the
t method accepts a
:locale option to say which locale to use:
t 'welcome', locale: :en.
Using Scopes
Having all translations residing on the same level of nesting is not very convenient when you have many pages in your app: As you see, those translations are messed up and not structured in any way. Instead, we can group them using scopes: config/locales/en.yml config/locales/en.yml So now the
welcome key is scoped under the
pages.index namespace. To reference it you may use one of these constructs: What’s even better, when the scope is named after the controller (
pages) and the method (
index), we can safely omit it! Therefore this line will work as well: when placed inside the pages/index.html.erb view or inside the
index action of the
PagesController. This technique is called “lazy lookup” and it can save you from a lot of typing. Having this knowledge, let’s modify the
views/pages/index.html.erb view once again:
Localized Views
Now, if your views contain too much static text, you may introduce the localized views instead. Suppose, we need to create an “About Us” page. Add a new route: And then create two views with locale’s title being a part of the file name: views/pages/about.en.html.erb views/pages/about.ru.html.erb Rails will automatically pick the proper view based on the currently set locale. Note that this feature also works with ActionMailer!
HTML Translations
Rails i18n supports HTML translations as well, but there is a small gotcha. Let’s display some translated text on the main page and make it semibold: views/pages/index.html.erb config/locales/en.yml config/locales/ru.yml This, however, will make the text appear as is, meaning that the HTML markup will be displayed as a plain text. To make the text semibold, you may say: or add an
_html suffix to the key: Don’t forget to modify the view’s code: Another option would be to nest the
html key like this: and then say:
Translations for ActiveRecord
Scaffolding New Resources
Now suppose we wish to manage blog posts using our application. Create a scaffold and apply the corresponding migration: When using Rails 3 or 4, the latter command should be: Next add the link to create a new post: views/pages/index.html.erb Then add translations: config/locales/en.yml config/locales/ru.yml Boot the server and click this new link. You’ll see a form to create a new post, but the problem is that it’s not being translated. The labels are in English and the button says “Создать Post”. The interesting thing here is that the word “Создать” (meaning “Create”) was taken from the
rails-i18n gem that, as you remember, stores translations for some common words. Still, Rails has no idea how to translate the model’s attributes and its title.
Adding Translations for ActiveRecord
To fix this problem, we have to introduce a special scope called
activerecord: config/locales/ru.yml config/locales/en.yml So the models’ names are scoped under the
activerecord.models namespace, whereas attributes’ names reside under
activerecord.attributes.SINGULAR_MODEL_NAME. The
label helper method is clever enough to translate the attribute’s title automatically, therefore, this line of code inside the
_form.html.erb partial does not require any changes: Next provide some basic validation rules for the model: models/post.rb After that try to submit an empty form and note that even the error messages have proper translations thanks to the
rails-i18n gem! The only part of the page left untranslated is the “New Post” title and the “Back” link — I’ll leave them for you to take care of.
Explore why app translation can be key to your global business expansion and follow our best practices.
Explore why app translation can be key to your global business expansion and follow our best practices.Check out the guide
Translating E-mail Subjects
You may easily translate subjects for your e-mails sent with ActionMailer. For example, create
PostMailer inside the
mailers/post_mailer.rb file: Note that the
subject parameter is not present but Rails will try to search for the corresponding translation under the
post_mailer.notify.subject key: en.yml ru.yml The subject may contain interpolation, for example: In this case, utilize the
default_i18n_subject method and provide value for the variable:
Date and Time
Now let’s discuss how to localize date and time in Rails.
Some More Ground Work
Before moving on, create a post either using a form or by employing
db/seeds.rb file. Also add a new link to the root page: pages/index.html.erb Then translate it: config/locales/en.yml config/locales/ru.yml Tweak the posts index view by introducing a new column called “Created at”: views/posts/index.html.erb
Localizing Datetime
We are not going to translate all the columns and titles on this page — let’s focus only on the post’s creation date. Currently, it looks like “2016-08-24 14:37:26 UTC” which is not very user-friendly. To localize a date or time utilize the
localize method (or its alias
l): The result will be “Ср, 24 авг. 2016, 14:37:26 +0000” which is the default (long) time format. The
rails-i18n gem provides some additional formats — you can see their masks here (for the dates) and here (for the times). If you have used Ruby’s strftime method before, you’ll notice that those format directives (
%Y,
%m, and others) are absolutely the same. In order to employ one of the predefined formatting rules, say
l post.created_at, format: :long. If you are not satisfied with the formats available by default, you may introduce a new one for every language: Now this format can be used inside the view by saying
l post.created_at, format: :own. If, for some reason, you don’t want to define a new format, the mask may be passed directly to the
:format option:
l post.created_at, format: '%H:%M:%S, %d %B'. Just like the
t method,
l also accepts the
:locale option:
l post.created_at, locale: :en. The last thing to note here is that the
rails-i18n gem also has translations for the
distance_of_time_in_words,
distance_of_time_in_words_to_now, and
time_ago_in_words methods, so you may employ them as well:
time_ago_in_words post.created_at.
Localizing Numbers
Rails has an array of built-in helper methods allowing to convert numbers into various localized values. Let’s take a look at some examples.
Converting Numbers to Currency
In order to convert a given number to currency, use a self-explanatory
number_to_currency method. Basically, it accepts an integer or a float number and turns it into a currency string. It also accepts a handful of optional parameters:
:locale— locale to be used for formatting (by default, the currently set locale is used)
:unit— denomination for the currency, default is
$. This setting obeys the
:localesetting therefore for the Russian locale, roubles will be used instead
:delimeter— thousands delimiter
:separator— separator between units
The
rails-i18n gem provides formatting for common currencies (based on the set locale), therefore you may simply say: It will print “$1,234,567,890.50” for English locale and “1 234 567 890,50 руб.” for Russian.
Converting Numbers to Human Format
What’s interesting, Rails even has a special
number_to_human method which convert the given number to human-speaken format. For instance: This string will produce “1.23 Million” for English and “1,2 миллион” for Russian locale.
number_to_human accepts a handful of arguments to control the resulting value.
Converting Numbers to Phones
Numbers may also be converted to phone numbers with the help of
number_to_phone method: This will produce “123-555-1234” string but the resulting value may be further adjusted with arguments like
:area_code,
:extension, and others.
Converting Numbers to Sizes
Your numbers may be easily converted to computer sizes with the help of
number_to_human_size method: This will produce “1.15 GB” for English and “1,1 ГБ” for Russian locale.
Pluralization Rules and Variables
Different languages have, of course, different pluralization rules. For example, english words are pluralized by adding an “s” flection (except for some special cases). In Russian pluralization rules are much complex. It’s up to developers to add properly pluralized translations but Rails does heavy lifting for us. Suppose we want to display how many posts the blog contains. Create a new scope and add pluralization rules for the English locale: locales/en.yml The
%{count} is the variable part — we will pass a value for it when using the
t method. As for the Russian locale, things are a bit more complex: locales/ru.yml Rails automatically determines which key to use based on the provided number. Now tweak the view: views/posts/index.html.erb Note that there is also a
config/initialializers/inflections.rb file that can be used to store inflection rules for various cases. Lastly, you may provide any other variables to your translations utilizing the same approach described above: Then just say:
Phrase Makes Your Life Easier!
Keeping track of translation keys as your app grows can be quite tedious, especially if you support many languages. After adding some translation you have to make sure that it does present for all languages. Phrase is here to help you!
A (Very) Quick Start
- Create a new account (a 14 days trial is available) if you don’t have one, fill in your details, and create a new project (I’ve named it “I18n demo”)
- Navigate to the Dashboard – here you may observe summary information about the project
- Open Locales tab and click Upload File button
- Choose one of two locale files (en.yml or ru.yml). The first uploaded locale will be marked as the default one, but that can be changed later
- Select Ruby/Rails YAML from the Format dropdown
- Select UTF-8 for the Encoding
- You may also add some Tags for convenience
- Upload another translations file
Now inside the Locales tab you’ll see two languages, both having a green line: it means that these locales are 100% translated. Here you may also download them, edit their settings and delete.
Adding Another Language
Next suppose we want to add support for German language and track which keys need to be translated.
- Click Add locale button
- Enter a name for the locale (“de”, for example)
- Select “German – de” from the Locale dropdown
- Click Save
Now the new locale appears on the page. Note there is a small message saying “9 untranslated” meaning that you will have keys without the corresponding translation. Click on that message and you’ll see all the keys we’ve added while building the demo app. Now simply click on these keys, add a translation for them, and click Save (this button may be changed to Click & Next). Note that there is even a History tab available saying who, when and how changed translation for this key. When you are done return to the Locales tab and click the “Download” button next to the German locale: you’ll get a YAML file. Copy it inside the
locales directory and translation is ready! Localization is not only about translation and you may be not that familiar with a language you plan to support. But that’s not a problem – you can ask professionals to help you! Select Order Translations from the dropdown next to the locale, choose provider, provide details about your request and click “Calculate price”. Submit the request and your translation will be ready soon! You can read more about professional translations and average prices.
Conclusion
In this Rails i18n guide, we discussed internationalization and localization in Rails. We set up basic translations, introduced localized views, translated ActiveRecord attributes and models, localized date and time, and also provided some pluralization rules. Hopefully, now you are feeling more confident about using Rails i18n. For additional information, you may refer to this official Rails guide and read up some info on rails-i18n GitHub page. Storing translations inside the YAML files is not the only approach in Rails, so you may be interested in a solution called Globalize – with the help of it you may store translations in the database. | https://phrase.com/blog/posts/rails-i18n-guide/ | CC-MAIN-2020-16 | refinedweb | 3,330 | 62.27 |
Cloud Logging, Cloud Monitoring, and Application Performance Management are cloud-based managed services designed to provide deep observability into app and infrastructure services. One of the benefits of managed services on Google Cloud is that services are usage-based, which means you pay only for what you use. While this pricing model might provide a cost benefit when compared to standard software licensing, it might make it challenging to forecast cost. This solution describes the ways that you can understand your usage of these services and optimize your costs.
Because Cloud Logging, Cloud Monitoring, and Application Performance Management are managed services, they let you focus on the insights they provide, rather than the infrastructure required to use these services. When you use these services, you don't have to individually pay for virtual machines, software licenses, security scanning, hardware maintenance, or space in a data center. The services provide a simple per-usage cost.
Costs include charges for Logging, Monitoring, and APM, which includes Cloud Trace, Cloud Profiler, and Cloud Debugger. Profiler and the Error Reporting logging product don't have a separate cost while still in beta, and you can use Debugger at no cost. For Error Reporting, you might incur minor costs if your errors are ingested by Logging.
You can also read a summary of all pricing information
Logging and error-reporting costs
Logging prices are based on the volume of chargeable logs ingested. This product pricing provides a simple per-GiB cost. This is a free allotment per month, and certain logs, such as Cloud Audit Logs, are non-chargeable.
Example product usage that generates cost through additional log volume include using:
- Cloud Load Balancing
- The Logging agent on Compute Engine
- The Logging agent on Amazon Web Services (AWS)
- The write operation in the Cloud Logging API
Monitoring costs
Monitoring prices
are based on the volume of chargeable metrics ingested and the number of
chargeable API calls. For example, non-Google Cloud metrics such as agent,
custom, external, and AWS metrics are chargeable. The
projects.timeSeries.list
method in the Cloud Monitoring API is charged by API call while the remainder of
the API usage is free. This is a free, metric-volume allotment per month, and
many of the metrics, including all of the Google Cloud metrics, are
non-chargeable. See
Monitoring pricing
for more information about which metrics are chargeable.
Example product usage that generates cost through metric volume and API calls includes using:
- Monitoring custom metrics
- The Monitoring agent on Compute Engine
- The Monitoring agent on AWS
- The read operation in the Monitoring API
Trace costs
Trace prices are based on the number of spans ingested and eventually scanned. Some Google Cloud services, such as the App Engine standard environment, automatically produce non-chargeable spans. There is a free allotment per month for Trace.
Example product usage that generates cost through spans ingested includes adding instrumentation for your:
- Spans for App Engine apps outside of the default spans
- Cloud Load Balancing
- Custom apps
Usage
Understanding your usage can provide insight into which components generate cost. This helps you identify areas that might be appropriate for optimization.
Google Cloud bill analysis
The first step to understanding your usage is to review your Google Cloud bill and understand your costs. One way to gain insight is to use the Billing Reports available in the Google Cloud Console.
The Reports page offers a useful range of filters to narrow the results by time, project, products, SKUs, and labels. To narrow the billing data to monitoring and logging costs, you can add a products filter selecting all of the APM products and then group by product.
Logging
Logging provides detailed lists of logs, current log volume, and projected monthly volume for each project. You can review these details for each project while reviewing your Logging charges on your Google Cloud bill. This makes it simple to view which logs have the highest volume and, therefore, contribute the most to the cost.
You can find the volume of logs ingested in your project in the Logs Ingestion section of Logging. The Logs Viewer provides a list of the logs, their previous month, current month, as well as excluded and projected End of Month (EOM) log volumes. In the following image, each log links to Monitoring, which displays a graph of the volume of the log over time.
This analysis lets you develop insight into the usage for the logs in specific projects and how their volume has changed over time. You can use this analysis to identify which logs you should consider optimizing.
Monitoring
Monitoring, organized into Workspaces, provides a detailed list of projects and previous, current, and projected metric volumes. Because Workspaces might include more than one project, the volumes for each project are listed separately, as illustrated in the following image.
Learn how to find the Workspace Monitoring usage details.
You can view the detailed graph of the metrics volume metric for each project in the Metrics Explorer in Monitoring, which provides insight into the volume of metrics ingested over time.
This analysis provides you with the Monitoring metric volumes for each project that you identified while reviewing your Monitoring charges on your Google Cloud bill. You can then review the specific metric volumes and understand which components are contributing the most volume and cost.
Trace
Trace provides a detailed view of the spans ingested for the current and previous month. You can review these details in the Cloud Console for each project that you identify while reviewing your Trace charges on your Google Cloud bill.
This analysis provides you with the number of spans ingested for each project in a Workspace that you identified while reviewing your Trace charges on your Google Cloud bill. Then you can review the specific number of spans ingested and understand which projects and services are contributing the highest number of spans and cost.
Logging export
Logging provides a logging sink to export logs to Cloud Storage, BigQuery, and Pub/Sub.
For example, if you export all of your logs from Logging to BigQuery for long-term storage and analysis, you incur the BigQuery costs, including per-GiB storage, streaming inserts, and any query costs.
To understand the costs your exports are generating, consider the following steps:
- Find your logging sinks. Find out what, if any, logging sinks that you have enabled. For example, your project might already have several logging sinks that were created for different purposes, such as security operations or to meet regulatory requirements.
- Review your usage details. Review usage for the destination of the exports. For example, BigQuery table sizes for a BigQuery export or the bucket sizes for Cloud Storage exports.
Find your logging sinks
Your logging sinks might be at the project level (one or more sinks per project) or they might be at the Google Cloud organizational level, called aggregated exports. The sinks might include many projects' logs in the same Google Cloud organization.
You can
view your logging sinks by looking at specific projects.
The Cloud Console provides a list of the sinks and the
destination. To view your aggregated exports for your organization, you can use
the
gcloud logging sinks list
--organization ORGANIZATION_ID
command line.
Review your usage details
Monitoring provides a rich set of metrics not only for your apps, but also for your Google Cloud product usage. You can get the detailed usage metrics for Cloud Storage, BigQuery, and Pub/Sub by viewing the usage metrics in the Metrics Explorer.
Cloud Storage
By using the Metrics Explorer in Monitoring, you can view the storage size for your Cloud Storage buckets. Use the following values in the Metrics Explorer to view the storage size of your Cloud Storage buckets used for the logging sinks. Resource, enter
gcs_bucket.
- For Metric, enter
storage.googleapis.com/storage/total_bytes.
- Add the following Filters:
- Click
project_id, and then select your Google Cloud project ID.
- Click
dataset_name, and then select your Cloud Storage export bucket name.
- Use the Filter, Group By, and Aggregation menus to modify how the data is displayed. For example, you can group by resource or metric labels. For more information, see Selecting metrics.
The previous graph shows the size of the data in KB exported over time, which provides insight into the usage for the Logging export to Cloud Storage.
BigQuery
By using the Metrics Explorer in Monitoring, you can view the storage size for your BigQuery dataset. Use the following values in the Metrics Explorer to view the storage size of your BigQuery dataset the Resource Type enter
bigquery_dataset.
- For the Metric enter
bigquery.googleapis.com/storage/stored_bytes.
- Add the following Filters:
- Click
project_id, and then select your Google Cloud project ID.
- Click
dataset_id, and then select your BigQuery export dataset name.
dataset_id.
The previous graph shows the size of the export dataset in GB over time, which provides insight into the usage for the Logging export to BigQuery.
Pub/Sub
By using the Metrics Explorer in Monitoring, you can view the number of messages and the sizes of the messages exported to Pub/Sub. Use the following values in the Metrics Explorer to view the storage size of your Pub/Sub topic Resource Type, enter
pubsub_topic.
- For Metric, enter
pubsub.googleapis.com/topic/byte_cost
- Add the following Filters:
- Click
project_id, and then select your Google Cloud project ID.
- Click
topic_id, nd then select your Pub/Sub export topic name.
The previous graph shows the size of the data in KB exported over time, which provides insight into the usage for the Logging export to Pub/Sub.
Implementing cost controls
The following options describe potential ways to reduce your costs. Each option comes at the expense of limiting insight into your apps and infrastructure. Choose the option that provides you with the best trade-off between observability and cost.
Logging cost controls
To optimize your Logging usage, you can reduce the number of logs that are ingested into Logging. There are several strategies that you can use to help reduce log volume while continuing to maintain the logs that your developers and operators need.
Exclude logs
You can exclude most logs that your developer and operations teams don't need from Logging or Error Reporting.
Excluding logs means that they don't appear in the Logging or Error Reporting UI. You can use logging filters to select specific log entries or entire logs that are excluded. You can also use sampling exclusion rules to exclude a percentage of logging entries. For example, you might choose to exclude certain logs based on high volume or the lack of practical value.
Here are several common exclusion examples:
- Exclude logs from Cloud Load Balancing. Load balancers can produce a high volume of logs for high-traffic apps. For example, you could use a logging filter to set up an exclusion for 90% of messages from Cloud Load Balancing.
Exclude Virtual Private Cloud (VPC Service Controls) Flow Logs. Flow logs include logs for each communication between virtual machines in a VPC Service Controls network, which can produce a high volume of logs. There are two approaches to reduce log volume, which you might use together or separately.
- Exclude by logs entry content. Exclude most of the VPC Flow Logs, retaining only specific log messages that might be useful. For example, if you have private VPCs which shouldn't receive inbound traffic from external sources, you might only want to retain flow logs with sources fields from external IP addresses.
- Exclude by percentage. Another approach is to sample only a percentage of logs identified by the filter. For example, you might exclude 95% and only retain 5% of the flow logs.
Exclude HTTP
200 OKresponses from request logs. For apps, HTTP
200 OKmessages might not provide much insight and can produce a high volume of logs for high-traffic apps.
Read Log exclusions to implement logging exclusions.
Export logs
You can export logs yet exclude them from being ingested into Logging. This lets you retain the logs in Cloud Storage and BigQuery or use Pub/Sub to process the logs, while excluding the logs from Logging, which might help reduce costs. This means that your logs don't appear in Logging, but they are exported.
Use this method to retain logs for longer-term analysis without incurring the cost of ingestion into Logging. For a detailed understanding of how exclusions and exports interact, see the life of a log diagram, which illustrates how exported log entries are treated in Logging.
Follow the instructions in the design patterns for exporting Logging to implement exports from Logging.
Reduce Logging agent usage
You can reduce log volumes by not sending the additional logs generated by the Logging agent to Logging. The Logging agent streams logs from common third-party apps, such as Apache, Mongodb, and MySQL.
For example, you might reduce log volumes by choosing not to add the Logging agent to virtual machines in your development or other nonessential environments to Logging. Your virtual machines continue to report the standard logs to Logging, but don't report logs from third-party apps nor the syslog.
Monitoring cost controls
To optimize your Monitoring usage, you can reduce the volume of chargeable metrics that are ingested into Monitoring and the number of read calls to the Monitoring API. There are several strategies that you can use to reduce metric volume while continuing to maintain the metrics that your developers and operators need.
Optimize metrics and label usage
The way that you use labels for Google Cloud components might impact the volume of time series that are generated for your metrics in Monitoring.
For example, you can use labels on your VMs to appropriately report metrics to cost centers on your Google Cloud bill and to signify whether specific Google Cloud environments are production or development, as illustrated in the following image.
Adding these labels means that additional time series are generated in
Monitoring. If you label your virtual machines with
cost_center
and
env values, then you can calculate the total number of time series by
multiplying the cardinality of both labels.
total_num_time_series = cost_center_cardinality * env_cardinality
If there are 11
cost_center values and 5
env values, that means 55 time
series are generated. This is why the way that you add labels might add
significant metric volume and, therefore, increase the cost. See the
Cloud Monitoring tips and tricks: Understanding metrics and building charts
blog post for a detailed description of metric cardinality.
We recommend the following to minimize the additional time series:
- Where possible, limit the number of labels.
- Select label values thoughtfully to avoid label values with high cardinality. For example, using an IP address as a label results in one time series for each IP address, which could be a large number if you have many VMs.
Reduce Monitoring agents usage
Metrics sent from the Monitoring agent are chargeable metrics. The Monitoring agent streams app and system metrics from common third-party apps, such as Apache, MySQL, and Nginx, as well as additional Google Cloud VM-level metrics. If you don't need the detailed system metrics or metrics from the third-party apps for certain VMs, you can reduce the volume by not sending these metrics. You can also reduce the metric volumes by reducing the number of VMs using the Monitoring agent.
For example, you can reduce metric volumes by choosing not to add Google Cloud projects in your development or other nonessential environments to Monitoring. Additionally, you can choose not to include the Monitoring agent in VMs in development or other nonessential environments.
Reduce custom metrics usage
Custom metrics are chargeable metrics created by using the Monitoring API to monitor any metric that a user instruments. You can create these metrics by using the Monitoring API or by using integrations.
One such integration is
OpenCensus.
OpenCensus is a distribution of libraries that collect metrics and distributed
traces from your apps. Apps instrumented with OpenCensus can
report metrics
to multiple backends including Monitoring by using custom
metrics. These metrics appear in Monitoring under the
custom.googleapis.com/opencensus prefix resource type. For example, the client
roundtrip latency reported by OpenCensus appears in Monitoring
under the
custom.googleapis.com/opencensus/grpc.io/client/roundtrip_latency
resource type.
The more apps that you instrument to send metrics, the more custom monitoring metrics are generated. If you want to reduce metric volumes, you can reduce the number of custom monitoring metrics that your apps send.
Trace cost controls
To optimize Trace usage, you can reduce the number of spans ingested and scanned. When you instrument your app to report spans to Trace, you use sampling to ingest a portion of the traffic. Sampling is a key part of a tracing system because it provides insight into the breakdown of latency caused by app components, such as RPC calls. Not only is this a best practice for using Trace, but you might reduce your span volume for cost-reduction reasons as well.
Use OpenCensus sampling
If you use Trace as an export destination for your OpenCensus traces, you can use the sampling feature in OpenCensus to reduce the volume of traces that are ingested.
For example, if you have a popular web app with 5000 queries/sec, you might gain enough insight from sampling 5% of your app traffic rather than 20%. This reduces the number of spans ingested into Trace by one-fourth.
You can specify the sampling in the instrumentation configuration by using the
OpenCensus Python libraries for Trace. As an
example,
the OpenCensus Python exporter provides a
ProbabilitySampler that you can use
to specify a sampling rate.
from opencensus.trace.samplers import probability from opencensus.trace import tracer as tracer_module # Sampling the requests at the rate equals 0.05 sampler = probability.ProbabilitySampler(rate=0.05) tracer = tracer_module.Tracer(sampler=sampler)
Use Cloud Trace API span quotas
You can use quotas to limit usage of Trace and cost. You can enforce span quotas with the API-specific quota page in the Cloud Console.
Setting a specific quota that is lower than the default product quota means that you guarantee that your project won't go over the specific quota limit. This is a way to ensure that your costs are expected. You can monitor this quota from the API-specific quota page, as illustrated in the following iamge.
If you reduce your span quota, then you should also consider monitoring the span quota metrics and setting up an alerting policy in Monitoring to send an alert when the usage is nearing the quota. This alert prompts you to look at the usage and identify the app and developer that might be generating the large volume of spans. If you set a span quota and it is exceeded, the spans are dropped until you adjust the quota.
For example, if your span quota is 50M ingested spans, you can set an alert whenever you have used 80% of your API quota, which is 40M spans. Follow the instructions in managing alerting policies to create an alerting policy by using the following details.
-
global.
- Click the text box to enable a menu, and then select
cloudtrace.googleapis.com/billing/monthly_spans_ingested.
- Add the following Filter values:
- Click
project_id, and then select your Google Cloud project ID.
- Click
chargeable, and then select
true
- The settings in the Configuration pane of the alerting policy determine when the alert is triggered. Complete the following fields:
- For Condition triggers if select Any time series violates
- For Threshold, enter
40000000
- For, select most recent value
Click Save.Click Save.
The alert generated from the alerting policy is similar to the following alert. In the alert, you can see the details about the project, the alerting policy that generated the alert, and the current value of the metric.
Optimize third-party callers
Your app might be called by another app. If your app reports spans, then the number of spans reported by your app might depend on the incoming traffic that you receive from the third-party app. For example, if you have a frontend microservice that calls a checkout microservice and both are instrumented with OpenCensus, the sampling rate for the traffic is at least as high as the frontend sampling rate. Understanding how instrumented apps interact lets you assess the impact of the number of spans ingested.
Logging export
If your costs related to the Logging exports are a concern, one solution is to update your logging sink to use a logging filter to reduce the volume of logs that are exported. You can exclude logs from the export that you don't need.
For example, if you have an environment with an app running on Compute Engine and using Cloud SQL, Cloud Storage, and BigQuery, you can limit the resulting logs to only include the information for those products. The following filter limits the export to logs for Cloud Audit Logs, Compute Engine, Cloud Storage, Cloud SQL, and BigQuery. You can use this filter for a logging sink and only include the selected logs.
logName:"/logs/cloudaudit.googleapis.com" AND (resource.type:gce OR resource.type=gcs_bucket OR resource.type=cloudsql_database OR resource.type=bigquery_resource)
Conclusion
Logging, Monitoring, and the APM suite provide the ability to view product usage data so that you can understand the details of your product usage. This usage data lets you configure the products so that you can appropriately optimize your usage and costs.
What's next
- Read more about the Logging API.
- Read more about the Monitoring API.
- Read more about the APM suite.
- Try out other Google Cloud features for yourself. Have a look at our tutorials. | https://cloud.google.com/solutions/stackdriver-cost-optimization?hl=th | CC-MAIN-2020-34 | refinedweb | 3,608 | 53.21 |
.
tkocher13; June 11th, 2014 at 09:21 AM. Reason: ignore
Welcome tkocher13 to the forum. Please read this topic to learn how to post code in code or highlight tags and other useful info for new members. I think your program would be quite readable easily if you follow read this way of printing your codes.
Thank You
For a class project i have to create a game of my choice. I chose to do "the worlds hardest game". I don't have a whole lot of experience using applets but what I have gotten so far is the moving character and the level background. I also have the enemy objects working in a separate program but when i try to put it all together i keep getting a null pointer exception error every time i try to start the game and get the enemies to appear. HELP!! heres my code:
import java.applet.*; import java.awt.*; import javax.swing.*; import java.awt.event.*; public class FinalAssignment extends JApplet implements KeyListener, FocusListener, MouseListener { //Button start = new Button ("Start Game"); Checkbox startGame = new Checkbox ("Start Game"); Canvas display = new Canvas (); int myX = 400; int myY = 400; int PlayerX = 15; // These are beginning coordinates for the int PlayerY = 15; // Player's circle int x; int y; int squareLeft = 250; int SQUARE_SIZE = 250; int squareTop = 250; boolean focussed = false; // True when this applet has input focus. DisplayPanel canvas; // The drawing surface on which the applet draws, // belonging to a nested class DisplayPanel, which // is defined below. public void init () { super.init (); canvas = new DisplayPanel (); // Create drawing surface and setContentPane (canvas); // install it as the applet's content pane. this.getContentPane ().add (startGame); canvas.addFocusListener (this); // Set up the applet to listen for events canvas.addKeyListener (this); // from the canvas. canvas.addMouseListener (this); Canvas display = new Canvas (); display.resize (WIDTH, HEIGHT); this.getContentPane ().add ("Center", display); } // init method public boolean action (Event e, Object o) { final int RADIUS = 7; final int RADIUS2 = 7; final int RADIUS3 = 7; final int RADIUS4 = 7; Graphics displayG; int x1, y1, dx, dy, x2, y2, x3, y3, x4, y4, dx2, dy2, dx3, dy3, dx4, dy4; displayG = display.getGraphics (); x1 = 195; y1 = 15; x2 = 195; y2 = 55; x3 = 195; y3 = 75; x4 = 195; y4 = 115; drawBall (displayG, x1, y1, RADIUS, Color.blue); //************************************** drawBall2 (displayG, x2, y2, RADIUS2, Color.blue); drawBall3 (displayG, x3, y3, RADIUS3, Color.blue); drawBall4 (displayG, x4, y4, RADIUS4, Color.blue); dx = 1; dy = 0; dx2 = -1; dy2 = 0; dx3 = 1; dy3 = 0; dx4 = -1; dy4 = 0; for (int i = 0 ; i < 100000 ; i++) //loops for how long it will move { drawBall (displayG, x1, y1, RADIUS, getBackground ()); x1 += dx; //movement of the ball y1 += dy; //movement of the ball if (x1 <= RADIUS || x1 >= WIDTH - RADIUS) dx = -dx; //determine which direction if (y1 <= RADIUS || y1 >= HEIGHT - RADIUS) dy = -dy; //determine which direction drawBall (displayG, x1, y1, RADIUS, Color.blue); //draw the ball drawBall2 (displayG, x2, y2, RADIUS2, getBackground ()); x2 += dx2; //movement of the ball y2 += dy2; //movement of the ball if (x2 <= RADIUS2 || x2 >= WIDTH - RADIUS2) dx2 = -dx2; //determine which direction if (y2 <= RADIUS2 || y2 >= HEIGHT - RADIUS2) dy2 = -dy2; //determine which direction drawBall2 (displayG, x2, y2, RADIUS2, Color.blue); //draw the ball drawBall3 (displayG, x3, y3, RADIUS3, getBackground ()); x3 += dx3; //movement of the ball y3 += dy3; //movement of the ball if (x3 <= RADIUS2 || x3 >= WIDTH - RADIUS3) dx3 = -dx3; //determine which direction if (y3 <= RADIUS2 || y3 >= HEIGHT - RADIUS3) dy3 = -dy3; //determine which direction drawBall3 (displayG, x3, y3, RADIUS3, Color.blue); //draw the ball drawBall4 (displayG, x4, y4, RADIUS4, getBackground ()); x4 += dx4; //movement of the ball y4 += dy4; //movement of the ball if (x4 <= RADIUS || x4 >= WIDTH - RADIUS4) dx4 = -dx4; //determine which direction if (y4 <= RADIUS2 || y4 >= HEIGHT - RADIUS3) dy4 = -dy4; //determine which direction drawBall4 (displayG, x4, y4, RADIUS4, Color.blue); //draw the ball ballDelay (3000000); // Wastes time to produce delay. } return false; } // action method //Procedure for delays for drawing public static void delay (int de) { try { Thread.sleep (de); } catch (Exception e) { } } class DisplayPanel extends JPanel { // An object belonging to this nested class is used as // the content pane of the applet. It displays the // moving square on a white background with a border // that changes color depending on whether this // component has the input focus or not. public void paintComponent (Graphics g) { //int radius = 7; Dimension d = getSize (); g.setColor (Color.WHITE); g.fillRect (0, 0, d.width, d.height); g.setColor (Color.BLACK); g.fillRect (10, 10, 2, 200); g.fillRect (10, 10, 80, 2); g.fillRect (90, 10, 2, 160); g.fillRect (10, 210, 160, 2); g.fillRect (90, 170, 40, 2); g.fillRect (130, 50, 2, 122); g.fillRect (130, 50, 360, 2); g.fillRect (490, 10, 2, 42); g.fillRect (170, 170, 2, 42); g.fillRect (170, 170, 360, 2); g.fillRect (530, 50, 2, 122); g.fillRect (530, 50, 40, 2); g.fillRect (570, 50, 2, 160); g.fillRect (570, 210, 80, 2); g.fillRect (650, 10, 2, 202); g.fillRect (490, 10, 160, 2); g.setColor (new Color (190, 255, 190)); g.fillRect (12, 12, 78, 198); g.fillRect (572, 12, 78, 198); // Player's circle g.setColor (Color.RED); g.fillRect (PlayerX, PlayerY, 20, 20); } // End PaintComponent Method } // End Nested Class DisplayPanel public void drawBall (Graphics g, int x1, int y1, int RADIUS, Color clr) { g.setColor (clr); //clears where the ball has moved ************************************************** *** g.fillOval (x1 - RADIUS + 130, y1 - RADIUS + 50, 2 * RADIUS, 2 * RADIUS); //determines the boundaries of the ball } public void drawBall2 (Graphics g, int x2, int y2, int RADIUS2, Color clr) { g.setColor (clr); //clears where the ball has moved g.fillOval (x2 - RADIUS2 + 130, y2 - RADIUS2 + 40, 2 * RADIUS2, 2 * RADIUS2); //determines the boundaries of the ball } // drawBall method public void drawBall3 (Graphics g, int x3, int y3, int RADIUS3, Color clr) { g.setColor (clr); //clears where the ball has moved g.fillOval (x3 - RADIUS3 + 130, y3 - RADIUS3 + 50, 2 * RADIUS3, 2 * RADIUS3); //determines the boundaries of the ball } // drawBall method public void drawBall4 (Graphics g, int x4, int y4, int RADIUS4, Color clr) { g.setColor (clr); //clears where the ball has moved g.fillOval (x4 - RADIUS4 + 130, y4 - RADIUS4 + 40, 2 * RADIUS4, 2 * RADIUS4); //determines the boundaries of the ball } // drawBall method public void ballDelay (int howLong) { // This wastes time. for (int i = 1 ; i <= howLong ; i++) { double garbage = Math.PI * Math.PI; } } public void focusGained (FocusEvent evt) { // The applet now has the input focus. focussed = true; } public void focusLost (FocusEvent evt) { // The applet has now lost the input focus. focussed = false; }). int key = evt.getKeyCode (); // keyboard code for the key that was pressed if (key == KeyEvent.VK_LEFT) { squareLeft -= 5; canvas.repaint (); PlayerX -= 5; } else if (key == KeyEvent.VK_RIGHT) { PlayerX += 5; delay (5); canvas.repaint (); squareLeft += 5; canvas.repaint (); } else if (key == KeyEvent.VK_UP) { PlayerY -= 5; squareTop -= 5; canvas.repaint (); } else if (key == KeyEvent.VK_DOWN) { PlayerY += 5; squareTop += 5; canvas.repaint (); } } // end keyPressed() public void keyTyped (KeyEvent evt) { } public void keyReleased (KeyEvent evt) { // empty method, required by the KeyListener Interface } public void mousePressed (MouseEvent evt) { // Request that the input focus be given to the // canvas when the user clicks on the applet. canvas.requestFocus (); } public void mouseEntered (MouseEvent evt) { } // Required by the public void mouseExited (MouseEvent evt) { } // MouseListener public void mouseReleased (MouseEvent evt) { } // interface. public void mouseClicked (MouseEvent evt) { } }
What line throws the error? What variable is null on that line?
Use a debugger, or at least add some print statements, to answer those questions. When you have that figured out, you can work backwards to figure out *why* it's null, then you can work on fixing it.
How to Ask Questions the Smart Way
Static Void Games - GameDev tutorials, free Java and JavaScript hosting!
Static Void Games forum - Come say hello!
Come on! When I told gave you the advice I didn't tell you to make a new thread. Do you even know you could have EDITED your thread? Yes you can edit your thread by simply clicking on edit like you have done previously and copy paste your entire problem with code highlighting. Ok, since you have done the non-needful, all I can say is don't do it next time. READ the rules of this forum carefully or your threads are subject to editing by moderators or movement or deletion if any rule is violated.
Thank you.
--- Update ---
See, the thread has been merged.
Please edit the code and format it properly. Logically nested statements(within {}s) should be indented.Please edit the code and format it properly. Logically nested statements(within {}s) should be indented.
Too many statements in the posted code incorrectly start in the first column. | http://www.javaprogrammingforums.com/whats-wrong-my-code/38042-null-pointer-exception-please-help.html | CC-MAIN-2016-18 | refinedweb | 1,439 | 65.12 |
This blog was written by Bethany Griggs, with additional contributions from the Node.js Technical Steering Committee.
We are excited to announce the release of Node.js 16 today! Highlights include the update of the V8 JavaScript engine to 9.0, prebuilt Apple Silicon binaries, and additional stable APIs.
You can download the latest release from, or use Node Version Manager on UNIX to install with
nvm install 16. The Node.js blog post containing the changelog is available at.
Initially, Node.js 16 will replace Node.js 15 as our ‘Current’ release line. As per the release schedule, Node.js 16 will be the ‘Current’ release for the next 6 months and then promoted to Long-term Support (LTS) in October 2021. Once promoted to long-term support the release will be designated the codename ‘Gallium’.
As a reminder — Node.js 12 will remain in long-term support until April 2022, and Node.js 14 will remain in long-term support until April 2023. Node.js 10 will go End-of-Life at the end of this month (April 2021). More details on our release plan/schedule can be found in the Node.js Release Working Group repository.
V8 upgraded to V8 9.0
As always a new version of the V8 JavaScript engine brings performance tweaks and improvements as well as keeping Node.js up to date with JavaScript language features. In Node.js v16.0.0, the V8 engine is updated to V8 9.0 — up from V8 8.6 in Node.js 15.
This update brings the ECMAScript RegExp Match Indices, which provide the start and end indices of the captured string. The indices array is available via the
.indices property on match objects when the regular expression has the
/d flag.
> const matchObj = /(Java)(Script)/d.exec('JavaScript');undefined> matchObj.indices[ [ 0, 10 ], [ 0, 4 ], [ 4, 10 ], groups: undefined ]> matchObj.indices[0]; // Match[ 0, 10 ]> matchObj.indices[1]; // First capture group[ 0, 4 ]> matchObj.indices[2]; // Second capture group[ 4, 10 ]
For more information about the new features and updates in V8 check out the V8 blog:.
Stable Timers Promises API
The Timers Promises API provides an alternative set of timer functions that return Promise objects, removing the need to use
util.promisify().
import { setTimeout } from 'timers/promises';async function run() { await setTimeout(5000); console.log('Hello, World!');}run();
Added in Node.js v15.0.0 by James Snell (), in this release, they graduate from experimental status to stable.
Other recent features
The nature of our release process means that new features are released in the ‘Current’ release line approximately every two weeks. For this reason, many recent additions have already been made available in the most recent Node.js 15 releases, but are still relatively new to the runtime.
Some of the recently released features in Node.js 15, which will also be available in Node.js 16, include:
- Experimental implementation of the standard Web Crypto API
- npm 7 (v7.10.0 in Node.js v16.0.0)
- Node-API version 8
- Stable
AbortControllerimplementation based on the AbortController Web API
- Stable Source Maps v3
- Web platform atob (
buffer.atob(data)) and btoa (
buffer.btoa(data)) implementations for compatibility with legacy web platform APIs
New compiler and platform minimums
Node.js provides pre-built binaries for several different platforms. For each major release, the minimum toolchains are assessed and raised where appropriate.
Node.js v16.0.0 will be the first release where we ship prebuilt binaries for Apple Silicon. While we’ll be providing separate tarballs for the Intel (
darwin-x64) and ARM (
darwin-arm64) architectures the macOS installer (
.pkg) will be shipped as a ‘fat’ (multi-architecture) binary.
The production of these binaries was made possible thanks to the generosity of MacStadium donating the necessary hardware to the project.
On our Linux-based platforms, the minimum GCC level for building Node.js 16 will be GCC 8.3. Details about the supported toolchains and compilers are documented in the Node.js BUILDING.md file.
Deprecations
As a new major release, it’s also the time where we introduce new runtime deprecations. The Node.js project aims to minimize the disruption to the ecosystem for any breaking changes. The project uses a tool named CITGM (Canary in the Goldmine), to test the impact of any breaking changes (including deprecations) on a large number of the popular ecosystem modules to provide additional insight before landing these changes.
Notable deprecations in Node.js 16 include the runtime deprecation of access to
process.binding() for a number of the core modules, such as
process.binding(‘http_parser’).
A new major release is a sum of the efforts of all of the project contributors and Node.js collaborators, so we’d like to use this opportunity to say a big thank you. In particular, we’d like to thank the Node.js Build Working Group for ensuring we have the infrastructure ready to create and test releases and making the necessary upgrades to our toolchains for Node.js 16. | https://www.tefter.io/bookmarks/626716/readable | CC-MAIN-2021-39 | refinedweb | 840 | 59.9 |
Explore your Kubernetes cluster with k9s
If you use Kubernetes, you have probably become adept at crafting commands with kubectl (pronounced “koob-cuddle”). Sure, we prefer to interact with the cluster with declarative configs via a deployment pipeline, but sometimes you need to see what’s going on, right now. Cue the commands, something such as…
$ kubectl config set-context --current --namespace=transaction-api Context "gke_davidnortonjr_us-central1-c_cluster-1" modified $ kubectl get pod -o wide … $ kubectl describe $ kubectl logs error: a container name must be specified for pod xxx-yyyy, choose one of: [event-exporter prometheus-to-sd-exporter] $ kubectl logs lots and lots of verbose logs $ kubectl exec -it -c container name
And so on. kubectl is great and all, but it can get a little wordy. It’s a powerful tool that every person that works with Kubernetes should master. But folks, you should really check out k9s.
k9s is a cross between kubectl and the Kubernetes dashboard. It is command-line based, but with an interactive “curses” UI. You can install the binary anywhere you can install kubectl, and it uses the same configuration and authentication mechanisms. And it is just so great! But don’t take my word for it, check out this short screencast:
What did we just do here?
- Verified kubectl was configured to point at a cluster
- Opened k9s
- List deployments
- List namespaces and select a namespace
- Scale a deployment
- List pods
- Sort and filter the pod list
- We filtered with plain text
- View and filter logs on a container
- Shell into a container
- Port-forward to a pod
- This is handy, if like me you rarely remember which port a container listens on
- List CRDs
- List instances of a CRD (storage states)
- To me, this is a real cool part. k9s wasn’t coded to know anything about these custom resource definitions – but the Kubernetes API is extensible and self-describing, so it was able to learn about it and would display any custom columns, as well.
- View YAML for a storage state
- Edit a storage state
- List and edit a config map
- List, view, and decode a secret
k9s is a powerful tool that makes it easy to quickly get done what you need to get done in Kubernetes!
One thought on “Explore your Kubernetes cluster with k9s”
Thank you for taking your time and sharing the article, it is very helpful. | https://objectpartners.com/2020/08/13/explore-your-kubernetes-cluster-with-k9s/ | CC-MAIN-2020-40 | refinedweb | 401 | 62.51 |
First impressions of Django 1.7 beta upgrade in a young project
Since few days we have Django 1.7 beta, which brings many changes including built in migrations system. At the company we have one quite new project that is still in development so we decided to use it as a guinea pig and use Django 1.7b1 for it. The upgrade from 1.6 wasn't that problematic, but it required some search-and-fix actions...
Migrations, tests and the database
As the docs say we removed South migrations and created fake initial ones with Django 1.7. One migration had to be rewritten - it added functions to PostgreSQL database. So I've wrote a Python function that executed some raw SQL queries. With new migrations such operations are possible thanks to operations list and migrations.RunPython command:
def do_something(*args, **kwargs): print('hi!') class Migration(migrations.Migration): dependencies = [] operations = [ migrations.RunPython(do_something) ]
New Django and new migrations also fixed a problem with few of our tests (before we would start to look for a hack or hidden configuration bug). Tests using those PostgreSQL functions failed as the test database didn't have them (even when tests run South migrations). After switching to Django 1.7 it started to pass nicely.
Also note that BooleanField needs a default=False for most common case. In older code it's quite easy to find it without any args (which now will cause problems as by default BooleanField will use null if no other default is provided.
Deploy
This project is developed with the help of Vagrant on which we have Ubuntu server in a configuration very close to the production one (puppet provisioning). In the place of development server we have nginx, supervisor and gunicorn. For the Vagrant development configuration we also have a Python process that looks for file changes and when they occur - restart gunicorn or do collectstatic. After upgrade to new Django gunicorn died and didn't want to start, throwing exceptions.
First culprit was deprecated gunicorn configuration. Supervisor used gunicorn_django to start gunicorn. Current and compatible way is to use gunicorn MY_APP_NAME.wsgi:application. Second problem was with django-debug-toolbar which also crashed gunicor with few exceptions. Removing it allowed Gunicorn to start. It looks like both sources of problems caused gunicorn to use gunicorn/app/django_wsgi.py file which is deprecated and incompatible with Django 1.7 (starting with imports).When the django_wsgi.py is hit you will get:
South drops out of dependencies. Fabfile responsible for the deploy doesn't do syncdb any more. The migrate stays, but it's Django now, not South.
Conclusions
At the moment we don't have any issues with Django 1.7 beta version. There isn't much django-related code in the project, but still - it works, it deploys. Older projects with more migrations or fixtures may have more thrilling upgrade process ;) | https://rk.edu.pl/en/first-impressions-django-17-beta-upgrade-young-project/ | CC-MAIN-2021-31 | refinedweb | 486 | 59.8 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.